In [62]:
%matplotlib inline
import matplotlib.pyplot as plt
import numpy as np
Download the .txt
data for the "Yearly mean total sunspot number [1700 - now]" from the SILSO website. Upload the file to the same directory as this notebook.
In [63]:
import os
assert os.path.isfile('yearssn.dat')
Use np.loadtxt
to read the data into a NumPy array called data
. Then create two new 1d NumPy arrays named years
and ssc
that have the sequence of year and sunspot counts.
In [64]:
data=np.loadtxt('yearssn.dat')
years=np.array(data[::1,0])
ssc=np.array(data[::1,1])
raise NotImplementedError()
In [14]:
assert len(years)==315
assert years.dtype==np.dtype(float)
assert len(ssc)==315
assert ssc.dtype==np.dtype(float)
Make a line plot showing the sunspot count as a function of year.
In [59]:
plt.figure(figsize=(20,1.5))
plt.plot(years,ssc,'r-')
plt.ylabel('sunspots')
plt.xlabel('year')
plt.title('Sunspots')
plt.xlim(1700,2015)
plt.ylim(0,200)
Out[59]:
In [ ]:
assert True # leave for grading
Describe the choices you have made in building this visualization and how they make it effective.
I labeled the axes and gave it a title so it is clear what is being compared and what the graph represents. I stretched out the graph so the data was not cluttered and the data would be easier to see. The values are easy to accurately compare just by looking at the graph.
Now make 4 subplots, one for each century in the data set. This approach works well for this dataset as it allows you to maintain mild slopes while limiting the overall width of the visualization. Perform similar customizations as above:
In [66]:
plt.figure(figsize=(12,12))
for i in years:
if i<1800:
plt.subplot(4,1,1)
plt.plot(years[:100:1],ssc[:100:1],'r-')
plt.ylim(0,200)
plt.title('Sunspots/Year')
elif i>=1800 and i<1900:
plt.subplot(4,1,2)
plt.plot(years[101:200:1],ssc[101:200:1],'r-')
plt.ylim(0,200)
elif i>=1900 and i<2000:
plt.subplot(4,1,3)
plt.plot(years[201:300:1],ssc[201:300:1],'r-')
plt.ylim(0,200)
elif i>=2000:
plt.subplot(4,1,4)
plt.plot(years[301::1],ssc[301::1],'r-')
plt.ylim(0,200)
plt.xlim(2000,2100)
plt.tight_layout
raise NotImplementedError()
In [ ]:
assert True # leave for grading