Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Coordinate and magnitude of strongest quake #19

Open
wants to merge 2 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
43 changes: 30 additions & 13 deletions earthquakes.py
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@
# However, we will use a more powerful and simpler library called requests.
# This is external library that you may need to install first.
import requests
import json


def get_data():
Expand All @@ -21,41 +22,57 @@ def get_data():
"orderby": "time-asc"}
)

# Ensure the response is successful
if response.status_code == 200:
return response.json() # Ensure this returns the parsed JSON
else:
print(f"Error fetching data: {response.status_code}")
return {} # Return an empty dict if there's an error

# The response we get back is an object with several fields.
# The actual contents we care about are in its text field:
text = response.text
# To understand the structure of this text, you may want to save it
# to a file and open it in VS Code or a browser.
# See the README file for more information.
...

# We need to interpret the text to get values that we can work with.
# What format is the text in? How can we load the values?
return ...
return response.json

def count_earthquakes(data):
"""Get the total number of earthquakes in the response."""
return ...
return len(data['features'])


def get_magnitude(earthquake):
"""Retrive the magnitude of an earthquake item."""
return ...
return earthquake['properties']['mag']


def get_location(earthquake):
"""Retrieve the latitude and longitude of an earthquake item."""
# There are three coordinates, but we don't care about the third (altitude)
return ...


coords = earthquake['geometry']['coordinates']
return (coords[1], coords[0]) # Return (latitude, longitude)
def get_maximum(data):
"""Get the magnitude and location of the strongest earthquake in the data."""
...
if 'features' in data and len(data['features']) > 0:
max_earthquake = max(data['features'], key=get_magnitude) # Find the strongest earthquake
return get_magnitude(max_earthquake), get_location(max_earthquake) # Return magnitude and location
return None, None # If no earthquakes exist


# With all the above functions defined, we can now call them and get the result
# With all the above functions defined, we can now call them and get the result
data = get_data()
print(f"Loaded {count_earthquakes(data)}")
max_magnitude, max_location = get_maximum(data)
print(f"The strongest earthquake was at {max_location} with magnitude {max_magnitude}")

# Make sure data is loaded correctly
if isinstance(data, dict) and 'features' in data:
print(f"Loaded {count_earthquakes(data)} earthquakes.")
max_magnitude, max_location = get_maximum(data)

if max_magnitude is not None:
print(f"The strongest earthquake was at {max_location} with magnitude {max_magnitude}")
else:
print("No earthquake data available.")
else:
print("Failed to load earthquake data.")
100 changes: 100 additions & 0 deletions earthquakes_plot
Original file line number Diff line number Diff line change
@@ -0,0 +1,100 @@
from datetime import date

import matplotlib.pyplot as plt
import json
import requests


def get_data():
# With requests, we can ask the web service for the data.
# Can you understand the parameters we are passing here?
response = requests.get(
"http://earthquake.usgs.gov/fdsnws/event/1/query.geojson",
params={
'starttime': "2000-01-01",
"maxlatitude": "58.723",
"minlatitude": "50.008",
"maxlongitude": "1.67",
"minlongitude": "-9.756",
"minmagnitude": "1",
"endtime": "2018-10-11",
"orderby": "time-asc"}
)

text = response.text
data = None
with open("response.json","w") as file:
file.write(text)

data = json.loads(text)
return data


def get_year(earthquake):
"""Extract the year in which an earthquake happened."""
timestamp = earthquake['properties']['time']
# The time is given in a strange-looking but commonly-used format.
# To understand it, we can look at the documentation of the source data:
# https://earthquake.usgs.gov/data/comcat/index.php#time
# Fortunately, Python provides a way of interpreting this timestamp:
# (Question for discussion: Why do we divide by 1000?)
year = date.fromtimestamp(timestamp/1000).year
return year


def get_magnitude(earthquake):
"""Retrive the magnitude of an earthquake item."""
return earthquake['properties']['mag']


# This is function you may want to create to break down the computations,
# although it is not necessary. You may also change it to something different.
#def get_magnitudes_per_year(earthquakes):
"""Retrieve the magnitudes of all the earthquakes in a given year.

Returns a dictionary with years as keys, and lists of magnitudes as values.
"""
...

def get_magnitudes_per_year(earthquakes):
magnitudes_per_year = {}

for quake in earthquakes:
year = get_year(quake)
magnitude = get_magnitude(quake)

if year not in magnitudes_per_year:
magnitudes_per_year[year] = []

magnitudes_per_year[year].append(magnitude)

return magnitudes_per_year

def plot_average_magnitude_per_year(earthquakes):
return sum(earthquakes['mag'])/len(earthquakes['mag'])


def plot_number_per_year(earthquakes):
magnitudes_per_year = get_magnitudes_per_year(earthquakes)
years = sorted(magnitudes_per_year.keys())
counts = [len(magnitudes_per_year[year]) for year in years]

plt.figure(figsize=(10, 5))
plt.bar(years, counts, color='orange')
plt.title('Number of Earthquakes per Year')
plt.xlabel('Year')
plt.ylabel('Number of Earthquakes')
plt.xticks(years, rotation=45)
plt.grid(axis='y')
plt.show()



# Get the data we will work with
quakes = get_data()['features']

# Plot the results - this is not perfect since the x axis is shown as real
# numbers rather than integers, which is what we would prefer!
plot_number_per_year(quakes)
plt.clf() # This clears the figure, so that we don't overlay the two plots
plot_average_magnitude_per_year(quakes)
78 changes: 78 additions & 0 deletions earthquakesv2.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,78 @@
# The Python standard library includes some functionality for communicating
# over the Internet.
# However, we will use a more powerful and simpler library called requests.
# This is external library that you may need to install first.
import requests
import json


def get_data():
# With requests, we can ask the web service for the data.
# Can you understand the parameters we are passing here?
response = requests.get(
"http://earthquake.usgs.gov/fdsnws/event/1/query.geojson",
params={
'starttime': "2000-01-01",
"maxlatitude": "58.723",
"minlatitude": "50.008",
"maxlongitude": "1.67",
"minlongitude": "-9.756",
"minmagnitude": "1",
"endtime": "2018-10-11",
"orderby": "time-asc"}
)

# Ensure the response is successful
if response.status_code == 200:
return response.json() # Ensure this returns the parsed JSON
else:
print(f"Error fetching data: {response.status_code}")
return {} # Return an empty dict if there's an error

# The response we get back is an object with several fields.
# The actual contents we care about are in its text field:
text = response.text
# To understand the structure of this text, you may want to save it
# to a file and open it in VS Code or a browser.
# See the README file for more information.

# We need to interpret the text to get values that we can work with.
# What format is the text in? How can we load the values?
return response.json

def count_earthquakes(data):
"""Get the total number of earthquakes in the response."""
return len(data['features'])


def get_magnitude(earthquake):
"""Retrive the magnitude of an earthquake item."""
return earthquake['properties']['mag']


def get_location(earthquake):
"""Retrieve the latitude and longitude of an earthquake item."""
# There are three coordinates, but we don't care about the third (altitude)
coords = earthquake['geometry']['coordinates']
return (coords[1], coords[0]) # Return (latitude, longitude)
def get_maximum(data):
"""Get the magnitude and location of the strongest earthquake in the data."""
if 'features' in data and len(data['features']) > 0:
max_earthquake = max(data['features'], key=get_magnitude) # Find the strongest earthquake
return get_magnitude(max_earthquake), get_location(max_earthquake) # Return magnitude and location
return None, None # If no earthquakes exist

# With all the above functions defined, we can now call them and get the result
data = get_data()

# Make sure data is loaded correctly
if isinstance(data, dict) and 'features' in data:
print(f"Loaded {count_earthquakes(data)} earthquakes.")
max_magnitude, max_location = get_maximum(data)

if max_magnitude is not None:
print(f"The strongest earthquake was at {max_location} with magnitude {max_magnitude}")
else:
print("No earthquake data available.")
else:
print("Failed to load earthquake data.")