diff --git a/app/main/forms.py b/app/main/forms.py
new file mode 100644
index 0000000..603e6dc
--- /dev/null
+++ b/app/main/forms.py
@@ -0,0 +1,45 @@
+from flask_wtf import Form
+from wtforms import IntegerField
+from wtforms.validators import NumberRange, Required
+from wtforms.ext.sqlalchemy.fields import QuerySelectField
+from app.models import Community, Dataset, Temperature
+from sqlalchemy import func
+
+
+class AKIYearField(IntegerField):
+ def pre_validate(self, form):
+ if form.model.data is not None:
+ ymin, ymax = Temperature.query \
+ .with_entities(func.min(Temperature.year),
+ func.max(Temperature.year)) \
+ .filter(Temperature.dataset_id == form.model.data.id).all()[0]
+ self.validators = [NumberRange(min=ymin, max=ymax), Required()]
+
+
+def communities():
+ return Community.query.order_by('name')
+
+
+def datasets():
+ return Dataset.query.order_by('datatype', 'model', 'scenario')
+
+
+def dataset_names(ds):
+ return "{0.type} ({0.resolution}) - {0.modelname} {0.scenario}".format(ds)
+
+
+class AKIForm(Form):
+ community = QuerySelectField(query_factory=communities,
+ get_label='name',
+ allow_blank=True,
+ blank_text='---Select a community---',
+ validators=[Required(message='Please select a community')])
+
+ minyear = AKIYearField('minyear')
+ maxyear = AKIYearField('maxyear')
+
+ model = QuerySelectField(query_factory=datasets,
+ get_label=dataset_names,
+ allow_blank=True,
+ blank_text='---Select a dataset---',
+ validators=[Required(message='Please select a dataset')])
diff --git a/app/main/utils.py b/app/main/utils.py
new file mode 100644
index 0000000..24541f7
--- /dev/null
+++ b/app/main/utils.py
@@ -0,0 +1,71 @@
+import numpy
+
+from app.models import Temperature, Dataset
+
+
+def getTemps(datasets, community_id, minyear, maxyear):
+ temps = Temperature.query.join(Dataset). \
+ filter(Dataset.id == Temperature.dataset_id,
+ Dataset.id == datasets,
+ Temperature.community_id == community_id,
+ Temperature.year >= minyear,
+ Temperature.year <= maxyear)
+
+ length = int(maxyear) - int(minyear)
+ temps_arr = numpy.zeros((length+1, 12))
+
+ i = 0
+ for t in temps.all():
+ temps_arr[i,:] = [t.january, t.february, t.march,
+ t.april, t.may, t.june,
+ t.july, t.august, t.september,
+ t.october, t.november, t.december]
+ i += 1
+ return temps_arr
+
+
+def avg_air_temp(temps):
+ return numpy.average(temps)
+
+
+def ann_air_indices(temps):
+ ATI, AFI = 0.0, 0.0
+ indices = numpy.zeros((temps.shape[0], 2), dtype='int')
+ months = [0.0 for m in range(12)]
+ days = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]
+ i = 0
+ for year in temps:
+ j = 0
+ for month in months:
+ months[j] = days[j] * year[j]
+ j += 1
+
+ for ind in months:
+ if ind >= 0.0:
+ ATI = ATI + ind
+ else:
+ AFI = AFI + ind
+ indices[i, 0], indices[i, 1] = int(ATI), int(AFI)
+ ATI, AFI = 0.0, 0.0
+ i += 1
+ return indices
+
+
+def avg_air_indices(indices):
+ temp = numpy.average(indices, axis=0)
+ return (int(temp[0]), int(temp[1]))
+
+
+def des_air_indices(indices):
+ if indices.shape[0] > 2:
+ ati = numpy.sort(indices[:,0])
+ afi = numpy.sort(indices[:,1])
+ dti = (ati[-1] + ati[-2] + ati[-3]) / 3.0
+ dfi = (afi[0] + afi[1] + afi[2]) / 3.0
+ return (int(dti), int(dfi))
+ else:
+ return (None, None)
+
+
+def c_to_f(temp):
+ return (temp * 9. / 5.) + 32.
diff --git a/app/main/views.py b/app/main/views.py
index 053c0f8..f0df842 100644
--- a/app/main/views.py
+++ b/app/main/views.py
@@ -1,6 +1,114 @@
+from numpy import arange, hstack
+
+from flask import session, render_template, request, redirect, current_app
+
from . import main
+from .forms import AKIForm
+from .utils import getTemps, avg_air_temp, ann_air_indices, avg_air_indices, des_air_indices
+from app.models import Community, Dataset, Temperature
-@main.route('/')
+
+@main.route('/', methods=['GET'])
def index():
- return '
Hello world '
+ form = AKIForm()
+ session['community_data'] = None
+ session['avg_temp'] = None
+ session['avg_indices'] = None
+ session['des_indices'] = None
+ if 'community' in session:
+ community_id = session['community']
+ if all(key in session for key in ('minyear', 'maxyear', 'datasets')):
+ community = Community.query.get_or_404(community_id)
+
+ # TODO: clean this up
+ session['community_data'] = dict()
+ session['community_data']['id'] = community_id
+ session['community_data']['name'] = community.name
+ session['community_data']['latitude'] = round(community.latitude, 5)
+ session['community_data']['longitude'] = round(community.longitude, 5)
+
+ session['ds_name'] = Dataset.query. \
+ with_entities(Dataset.modelname, Dataset.scenario). \
+ filter_by(id=session['datasets']).all()
+ temps_arr = getTemps(session['datasets'], community_id, session['minyear'], session['maxyear'])
+
+ session['avg_temp'] = avg_air_temp(temps_arr)
+ indices = ann_air_indices(temps_arr)
+ session['avg_indices'] = avg_air_indices(indices)
+ session['des_indices'] = des_air_indices(indices)
+
+ return render_template("index.html", form=form)
+
+
+@main.route('/', methods=['POST'])
+def index_submit():
+ form = AKIForm()
+ if form.validate():
+ session['community'] = request.form['community']
+ session['minyear'] = request.form['minyear']
+ session['maxyear'] = request.form['maxyear']
+ if session['minyear'] > session['maxyear']:
+ session['maxyear'] = session['minyear']
+
+ session['datasets'] = request.form['model']
+ return redirect('/')
+ else:
+ return render_template("index.html", form=form)
+
+
+@main.route('/datatypes')
+def datatypes():
+ return render_template("datatypes.html")
+
+
+@main.route('/reset')
+def reset():
+ session.clear()
+ return redirect('/')
+
+
+@main.route('/details')
+def details():
+ datasets = request.args.get('datasets', '')
+ community_id = request.args.get('community_id', '')
+ minyear = request.args.get('minyear', '')
+ maxyear = request.args.get('maxyear', '')
+ temps = getTemps(datasets, community_id, minyear, maxyear)
+ years = arange(int(minyear), int(maxyear)+1).reshape(int(maxyear)-int(minyear) + 1, 1)
+ temps = hstack((years, temps))
+ return render_template("details.html",
+ lat=request.args.get('lat', ''),
+ lon=request.args.get('lon', ''),
+ community_name=request.args.get('name', ''),
+ temps=temps)
+
+
+@main.route('/save')
+def save():
+ if 'save' in session:
+ i = len(session['save'])
+ save = session['save']
+ else:
+ save = dict()
+ i = 0
+
+ save[i] = dict()
+ save[i]['datasets'] = session['datasets']
+ save[i]['ds_name'] = session['ds_name']
+ save[i]['community_data'] = session['community_data']
+ save[i]['minyear'] = session['minyear']
+ save[i]['maxyear'] = session['maxyear']
+ save[i]['avg_temp'] = session['avg_temp']
+ save[i]['avg_indices'] = session['avg_indices']
+ save[i]['des_indices'] = session['des_indices']
+ session.clear()
+ session['save'] = save
+ return redirect('/')
+
+
+@main.route('/delete')
+def delete():
+ record = request.args.get('record', '')
+ session['save'].pop(record)
+ return redirect('/')
diff --git a/app/models.py b/app/models.py
index 2093aa9..cbf073e 100644
--- a/app/models.py
+++ b/app/models.py
@@ -1,47 +1,52 @@
from . import db
+from sqlalchemy.ext.hybrid import hybrid_property
class Community(db.Model):
__tablename__ = 'communities'
- id = db.Column(db.Integer, primary_key=True)
- name = db.Column(db.String(50), nullable=False, unique=True)
- northing = db.Column(db.Float, nullable=False)
- easting = db.Column(db.Float, nullable=False)
- latitude = db.Column(db.Float, nullable=False)
- longitude = db.Column(db.Float, nullable=False)
+ id = db.Column(db.Integer, primary_key=True)
+ name = db.Column(db.String(50), nullable=False, unique=True)
+ northing = db.Column(db.Float, nullable=False)
+ easting = db.Column(db.Float, nullable=False)
+ latitude = db.Column(db.Float, nullable=False)
+ longitude = db.Column(db.Float, nullable=False)
temperatures = db.relationship('Temperature', backref='communities')
class Dataset(db.Model):
__tablename__ = 'datasets'
- id = db.Column(db.Integer, primary_key=True)
- datatype = db.Column(db.String(15), nullable=False)
- model = db.Column(db.String(15), nullable=False)
- modelname = db.Column(db.String(50), nullable=False)
- scenario = db.Column(db.String(15), nullable=False)
- resolution = db.Column(db.String(15), nullable=False)
+ id = db.Column(db.Integer, primary_key=True)
+ datatype = db.Column(db.String(15), nullable=False)
+ model = db.Column(db.String(15), nullable=False)
+ modelname = db.Column(db.String(50), nullable=False)
+ scenario = db.Column(db.String(15), nullable=False)
+ resolution = db.Column(db.String(15), nullable=False)
temperatures = db.relationship('Temperature', backref='datasets')
+ @hybrid_property
+ def type(self):
+ return self.datatype.lower().capitalize()
+
class Temperature(db.Model):
__tablename__ = 'temperatures'
- id = db.Column(db.Integer, primary_key=True)
- dataset_id = db.Column(db.Integer, db.ForeignKey('datasets.id'))
+ id = db.Column(db.Integer, primary_key=True)
+ dataset_id = db.Column(db.Integer, db.ForeignKey('datasets.id'))
community_id = db.Column(db.Integer, db.ForeignKey('communities.id'))
- year = db.Column(db.Integer, nullable=False)
- january = db.Column(db.Float, nullable=False)
- february = db.Column(db.Float, nullable=False)
- march = db.Column(db.Float, nullable=False)
- april = db.Column(db.Float, nullable=False)
- may = db.Column(db.Float, nullable=False)
- june = db.Column(db.Float, nullable=False)
- july = db.Column(db.Float, nullable=False)
- august = db.Column(db.Float, nullable=False)
- september = db.Column(db.Float, nullable=False)
- october = db.Column(db.Float, nullable=False)
- november = db.Column(db.Float, nullable=False)
- december = db.Column(db.Float, nullable=False)
- updated = db.Column(db.DateTime, nullable=True)
+ year = db.Column(db.Integer, nullable=False)
+ january = db.Column(db.Float, nullable=False)
+ february = db.Column(db.Float, nullable=False)
+ march = db.Column(db.Float, nullable=False)
+ april = db.Column(db.Float, nullable=False)
+ may = db.Column(db.Float, nullable=False)
+ june = db.Column(db.Float, nullable=False)
+ july = db.Column(db.Float, nullable=False)
+ august = db.Column(db.Float, nullable=False)
+ september = db.Column(db.Float, nullable=False)
+ october = db.Column(db.Float, nullable=False)
+ november = db.Column(db.Float, nullable=False)
+ december = db.Column(db.Float, nullable=False)
+ updated = db.Column(db.DateTime, nullable=True)
diff --git a/app/templates/_formhelpers.html b/app/templates/_formhelpers.html
new file mode 100644
index 0000000..bdda279
--- /dev/null
+++ b/app/templates/_formhelpers.html
@@ -0,0 +1,12 @@
+{% macro render_field(field) %}
+ {{ field(**kwargs)|safe }}
+ {% if field.errors %}
+
+
+ {% for error in field.errors %}
+ {{ error }}
+ {% endfor %}
+
+
+ {% endif %}
+{% endmacro %}
diff --git a/app/templates/base.html b/app/templates/base.html
new file mode 100644
index 0000000..598b2e6
--- /dev/null
+++ b/app/templates/base.html
@@ -0,0 +1,31 @@
+
+
+
+ {{config['TITLE']}}
+
+
+
+
+
+
+
+
+
+
+ {% block content %}{% endblock %}
+
+
+
+
+
+
diff --git a/app/templates/details.html b/app/templates/details.html
new file mode 100644
index 0000000..bb6d6ff
--- /dev/null
+++ b/app/templates/details.html
@@ -0,0 +1,66 @@
+{% extends "base.html" %}
+{% block content %}
+
+
+
+
+{{ community_name }}
+
+
+
+
+Monthly Temperatures
+
+
+
+
+ Year
+ January °C
+ February °C
+ March °C
+ April °C
+ May °C
+ June °C
+ July °C
+ August °C
+ September °C
+ October °C
+ November °C
+ December °C
+
+
+
+ {% for temp in temps %}
+
+ {{ temp[0]|int }}
+ {{ temp[1]|round(2) }}
+ {{ temp[2]|round(2) }}
+ {{ temp[3]|round(2) }}
+ {{ temp[4]|round(2) }}
+ {{ temp[5]|round(2) }}
+ {{ temp[6]|round(2) }}
+ {{ temp[7]|round(2) }}
+ {{ temp[8]|round(2) }}
+ {{ temp[9]|round(2) }}
+ {{ temp[10]|round(2) }}
+ {{ temp[11]|round(2) }}
+ {{ temp[12]|round(2) }}
+
+ {% endfor %}
+
+
+
+
+
+
+
+{% endblock %}
diff --git a/app/templates/index.html b/app/templates/index.html
new file mode 100644
index 0000000..2072f38
--- /dev/null
+++ b/app/templates/index.html
@@ -0,0 +1,230 @@
+{% extends "base.html" %}
+{% from "_formhelpers.html" import render_field %}
+{% block content %}
+
+
+ Air temperature data from over 400 communities, reduced to relevant engineering parameters
+ (Additional info )
+
+
+
Search
+
+
+
+
Results
+
+
+
+ NOTE: The parameters calculated by AKIndices are based on average monthly temperatures,
+ not average daily temperatures. As well, derived data is provided without any rounding or
+ consideration for significant digits, allowing the user to decide what is appropriate for
+ their analysis.
+
+
+
+
+
+
Info
+
+ What
+ AKIndices provides basic engineering climate parameters that are commonly used for engineering and
+ site-development purposes. These parameters include:
+
+ Tavg : The average (arithmetic mean) air temperature, based on all of
+ the monthly air temperatures for the specified range of years.
+
+ ATI: The average (arithmetic mean) annual thawing index. The thawing index is the
+ total number of degree-days above the freezing point. The number displayed by AKIndices is the
+ average of the annual indices for the specified range of years.
+
+ AFI: The average (arithmetic mean) annual freezing index. The freezing index is the
+ total number of degree-days below the freezing point. The number displayed by AKIndices is the
+ average of the annual indices for the specified range of years.
+
+ DTI: The design thawing index. The number displayed by AKIndices is the
+ arithmetic mean of the three warmest thawing indices for the specified range of years. If less
+ than three years are displayed, the DTI is listed as 'None.' Typically, the DTI is calculated
+ over a 30-year or 10-year time span.
+
+ DFI: The design freezing index. The number displayed by AKIndices is the
+ arithmetic mean of the three coolest freezing indices for the specified range of years. If less
+ than three years are displayed, the DFI is listed as 'None.' Typically, the DFI is calculated
+ over a 30-year or 10-year time span.
+
+
+
+ Why
+ AKIndices provides quick and simple access to the massive amounts of data released by the SNAP
+ group. It does not aim to replace, modify, or build on SNAP's work, but rather provide an alternative
+ means for users to explore and understand the data.
+ How
+ AKIndices is built with python . Check out
+ AKExtract and
+ AKIndices on GitHub for more info
+ on how to install on your own machine, fork the project, or submit
+ bug reports.
+ In a nutshell, AKExtract takes a list of communities and their coordinates, as well as SNAP datasets,
+ and extracts the air temperature data from the data point closest to a community's location. AKIndices
+ is the front-end for interacting with that extracted data.
+
+ Who
+ This project is the work of Matthew Dillon.
+ While this project would not exist without SNAP ,
+ AKIndices is not endorsed or supported by SNAP in any way. Before utilizing the derived data
+ from AKIndices make sure to take a look at SNAP's page to learn about the science
+ and the methods behind their products.
+
+
+
This product is provided as-is, with no warranty express or implied. Use at your own risk.
+
Commercial use disclaimer: It is the sole responsibility of the user to execute any agreements
+ with SNAP regarding commercial
+ use of the SNAP data (potentially including the derived products found on this page).
+
+
+
+{% endblock %}
diff --git a/requirements.txt b/requirements.txt
index b99a7bc..3d79a54 100644
--- a/requirements.txt
+++ b/requirements.txt
@@ -7,4 +7,11 @@ SQLAlchemy==1.0.5
Werkzeug==0.10.4
itsdangerous==0.24
psycopg2==2.6.1
-wsgiref==0.1.2
+Flask-WTF==0.12
+WTForms==2.0.2
+flake8==2.4.1
+flake8-docstrings==0.2.1.post1
+mccabe==0.3.1
+pep257==0.6.0
+pep8==1.5.7
+pyflakes==0.8.1