Skip to content

Commit c17789e

Browse files
committed
initial commit
0 parents  commit c17789e

18 files changed

+467
-0
lines changed

.gitignore

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
*.pyc
2+
.env

env.example

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
#!/bin/bash
2+
# copy this to .env, change appropriately
3+
export DATABASE_URL="postgres://localhost:5432/mars_weather"
4+
export DJANGO_SECRET_KEY="qp^2xo_(kiwv)+t500ljrhazx(wvt)16zbek1#e4tnaw_i%c85"
5+
export DJANGO_SETTINGS_MODULE=mars_weather.settings

manage.py

+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
#!/usr/bin/env python
2+
import os
3+
import sys
4+
5+
if __name__ == "__main__":
6+
os.environ.setdefault("DJANGO_SETTINGS_MODULE", "mars_weather.settings")
7+
8+
from django.core.management import execute_from_command_line
9+
10+
execute_from_command_line(sys.argv)

mars_weather/__init__.py

Whitespace-only changes.

mars_weather/settings.py

+164
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,164 @@
1+
# Django settings for mars_weather project.
2+
import os
3+
from os.path import join, normpath, dirname
4+
import dj_database_url
5+
6+
DEBUG = True
7+
TEMPLATE_DEBUG = DEBUG
8+
9+
PROJECT_NAME = "Mars Weather"
10+
PROJECT_AUTHOR = "Ingenology"
11+
12+
ALLOWED_HOSTS = (
13+
'marsweather.ingenology.com',
14+
)
15+
16+
here = lambda *x: join(normpath(dirname(__file__)), *x)
17+
DJANGO_ROOT = normpath(here('..')) # path to dir that contains /mars_weather
18+
rel = lambda * args: os.path.join(DJANGO_ROOT, *args) # rel to DJANGO_ROOT
19+
20+
ADMINS = (
21+
('Ingenology', '[email protected]'),
22+
)
23+
24+
MANAGERS = ADMINS
25+
26+
DATABASES = {
27+
'default': dj_database_url.config(),
28+
}
29+
30+
# Local time zone for this installation. Choices can be found here:
31+
# http://en.wikipedia.org/wiki/List_of_tz_zones_by_name
32+
# although not all choices may be available on all operating systems.
33+
# In a Windows environment this must be set to your system time zone.
34+
TIME_ZONE = 'America/Chicago'
35+
36+
# Language code for this installation. All choices can be found here:
37+
# http://www.i18nguy.com/unicode/language-identifiers.html
38+
LANGUAGE_CODE = 'en-us'
39+
40+
SITE_ID = 1
41+
42+
# If you set this to False, Django will make some optimizations so as not
43+
# to load the internationalization machinery.
44+
USE_I18N = True
45+
46+
# If you set this to False, Django will not format dates, numbers and
47+
# calendars according to the current locale.
48+
USE_L10N = True
49+
50+
# If you set this to False, Django will not use timezone-aware datetimes.
51+
USE_TZ = True
52+
53+
# Absolute filesystem path to the directory that will hold user-uploaded files.
54+
# Example: "/home/media/media.lawrence.com/media/"
55+
MEDIA_ROOT = rel('media')
56+
57+
# URL that handles the media served from MEDIA_ROOT. Make sure to use a
58+
# trailing slash.
59+
# Examples: "http://media.lawrence.com/media/", "http://example.com/media/"
60+
MEDIA_URL = '/media/'
61+
62+
# Absolute path to the directory static files should be collected to.
63+
# Don't put anything in this directory yourself; store your static files
64+
# in apps' "static/" subdirectories and in STATICFILES_DIRS.
65+
# Example: "/home/media/media.lawrence.com/static/"
66+
STATIC_ROOT = rel('static_collected')
67+
68+
# URL prefix for static files.
69+
# Example: "http://media.lawrence.com/static/"
70+
STATIC_URL = '/static/'
71+
72+
# Additional locations of static files
73+
STATICFILES_DIRS = (
74+
# Put strings here, like "/home/html/static" or "C:/www/django/static".
75+
# Always use forward slashes, even on Windows.
76+
# Don't forget to use absolute paths, not relative paths.
77+
rel('static'),
78+
)
79+
80+
# List of finder classes that know how to find static files in
81+
# various locations.
82+
STATICFILES_FINDERS = (
83+
'django.contrib.staticfiles.finders.FileSystemFinder',
84+
'django.contrib.staticfiles.finders.AppDirectoriesFinder',
85+
# 'django.contrib.staticfiles.finders.DefaultStorageFinder',
86+
)
87+
88+
# Make this unique, and don't share it with anybody.
89+
SECRET_KEY = os.environ.get('DJANGO_SECRET_KEY')
90+
91+
# List of callables that know how to import templates from various sources.
92+
TEMPLATE_LOADERS = (
93+
'django.template.loaders.filesystem.Loader',
94+
'django.template.loaders.app_directories.Loader',
95+
# 'django.template.loaders.eggs.Loader',
96+
)
97+
98+
MIDDLEWARE_CLASSES = (
99+
'django.middleware.common.CommonMiddleware',
100+
#'django.contrib.sessions.middleware.SessionMiddleware',
101+
#'django.middleware.csrf.CsrfViewMiddleware',
102+
#'django.contrib.auth.middleware.AuthenticationMiddleware',
103+
#'django.contrib.messages.middleware.MessageMiddleware',
104+
# Uncomment the next line for simple clickjacking protection:
105+
# 'django.middleware.clickjacking.XFrameOptionsMiddleware',
106+
)
107+
108+
ROOT_URLCONF = 'mars_weather.urls'
109+
110+
# Python dotted path to the WSGI application used by Django's runserver.
111+
WSGI_APPLICATION = 'mars_weather.wsgi.application'
112+
113+
TEMPLATE_DIRS = (
114+
# Put strings here, like "/home/html/django_templates" or "C:/www/django/templates".
115+
# Always use forward slashes, even on Windows.
116+
# Don't forget to use absolute paths, not relative paths.
117+
rel('templates'),
118+
)
119+
120+
INSTALLED_APPS = (
121+
#'django.contrib.auth',
122+
'django.contrib.contenttypes',
123+
#'django.contrib.sessions',
124+
#'django.contrib.sites',
125+
#'django.contrib.messages',
126+
'django.contrib.staticfiles',
127+
# Uncomment the next line to enable the admin:
128+
# 'django.contrib.admin',
129+
# Uncomment the next line to enable admin documentation:
130+
# 'django.contrib.admindocs',
131+
'south',
132+
'gunicorn',
133+
'rest_framework',
134+
'rems',
135+
)
136+
137+
# A sample logging configuration. The only tangible logging
138+
# performed by this configuration is to send an email to
139+
# the site admins on every HTTP 500 error when DEBUG=False.
140+
# See http://docs.djangoproject.com/en/dev/topics/logging for
141+
# more details on how to customize your logging configuration.
142+
LOGGING = {
143+
'version': 1,
144+
'disable_existing_loggers': False,
145+
'filters': {
146+
'require_debug_false': {
147+
'()': 'django.utils.log.RequireDebugFalse'
148+
}
149+
},
150+
'handlers': {
151+
'mail_admins': {
152+
'level': 'ERROR',
153+
'filters': ['require_debug_false'],
154+
'class': 'django.utils.log.AdminEmailHandler'
155+
}
156+
},
157+
'loggers': {
158+
'django.request': {
159+
'handlers': ['mail_admins'],
160+
'level': 'ERROR',
161+
'propagate': True,
162+
},
163+
}
164+
}

mars_weather/urls.py

+24
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,24 @@
1+
from django.conf.urls import patterns, include, url
2+
from django.conf import settings
3+
4+
# Uncomment the next two lines to enable the admin:
5+
# from django.contrib import admin
6+
# admin.autodiscover()
7+
8+
urlpatterns = patterns('',
9+
# Examples:
10+
# url(r'^$', 'mars_weather.views.home', name='home'),
11+
# url(r'^mars_weather/', include('mars_weather.foo.urls')),
12+
13+
# Uncomment the admin/doc line below to enable admin documentation:
14+
# url(r'^admin/doc/', include('django.contrib.admindocs.urls')),
15+
16+
# Uncomment the next line to enable the admin:
17+
# url(r'^admin/', include(admin.site.urls)),
18+
url(r'^', include('rems.urls')),
19+
)
20+
21+
urlpatterns += patterns('',
22+
(r'^static/(?P<path>.*)$', 'django.views.static.serve', {'document_root': settings.STATIC_ROOT}),
23+
(r'^media/(?P<path>.*)$', 'django.views.static.serve', {'document_root': settings.MEDIA_ROOT}),
24+
)

mars_weather/wsgi.py

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
"""
2+
WSGI config for mars_weather project.
3+
4+
This module contains the WSGI application used by Django's development server
5+
and any production WSGI deployments. It should expose a module-level variable
6+
named ``application``. Django's ``runserver`` and ``runfcgi`` commands discover
7+
this application via the ``WSGI_APPLICATION`` setting.
8+
9+
Usually you will have the standard Django WSGI application here, but it also
10+
might make sense to replace the whole Django WSGI application with a custom one
11+
that later delegates to the Django one. For example, you could introduce WSGI
12+
middleware here, or combine a Django application with an application of another
13+
framework.
14+
15+
"""
16+
import os
17+
18+
os.environ.setdefault("DJANGO_SETTINGS_MODULE", "mars_weather.settings")
19+
20+
# This application object is used by any WSGI server configured to use this
21+
# file. This includes Django's development server, if the WSGI_APPLICATION
22+
# setting points here.
23+
from django.core.wsgi import get_wsgi_application
24+
application = get_wsgi_application()
25+
26+
# Apply WSGI middleware here.
27+
# from helloworld.wsgi import HelloWorldApplication
28+
# application = HelloWorldApplication(application)

media/.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
[^.]*

rems/__init__.py

Whitespace-only changes.

rems/migrations/0001_initial.py

+60
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,60 @@
1+
# -*- coding: utf-8 -*-
2+
import datetime
3+
from south.db import db
4+
from south.v2 import SchemaMigration
5+
from django.db import models
6+
7+
8+
class Migration(SchemaMigration):
9+
10+
def forwards(self, orm):
11+
# Adding model 'Report'
12+
db.create_table(u'rems_report', (
13+
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
14+
('created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, blank=True)),
15+
('terrestrial_date', self.gf('django.db.models.fields.DateTimeField')()),
16+
('sol', self.gf('django.db.models.fields.IntegerField')()),
17+
('ls', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
18+
('min_temp', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
19+
('max_temp', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
20+
('pressure', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
21+
('pressure_string', self.gf('django.db.models.fields.CharField')(max_length=255, blank=True)),
22+
('abs_humidity', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
23+
('wind_speed', self.gf('django.db.models.fields.FloatField')(null=True, blank=True)),
24+
('wind_direction', self.gf('django.db.models.fields.CharField')(max_length=255, null=True, blank=True)),
25+
('atmo_opacity', self.gf('django.db.models.fields.CharField')(max_length=255, null=True, blank=True)),
26+
('season', self.gf('django.db.models.fields.CharField')(max_length=255, blank=True)),
27+
('sunrise', self.gf('django.db.models.fields.DateTimeField')(null=True, blank=True)),
28+
('sunset', self.gf('django.db.models.fields.DateTimeField')(null=True, blank=True)),
29+
))
30+
db.send_create_signal(u'rems', ['Report'])
31+
32+
33+
def backwards(self, orm):
34+
# Deleting model 'Report'
35+
db.delete_table(u'rems_report')
36+
37+
38+
models = {
39+
u'rems.report': {
40+
'Meta': {'object_name': 'Report'},
41+
'abs_humidity': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}),
42+
'atmo_opacity': ('django.db.models.fields.CharField', [], {'max_length': '255', 'null': 'True', 'blank': 'True'}),
43+
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
44+
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
45+
'ls': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}),
46+
'max_temp': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}),
47+
'min_temp': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}),
48+
'pressure': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}),
49+
'pressure_string': ('django.db.models.fields.CharField', [], {'max_length': '255', 'blank': 'True'}),
50+
'season': ('django.db.models.fields.CharField', [], {'max_length': '255', 'blank': 'True'}),
51+
'sol': ('django.db.models.fields.IntegerField', [], {}),
52+
'sunrise': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
53+
'sunset': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
54+
'terrestrial_date': ('django.db.models.fields.DateTimeField', [], {}),
55+
'wind_direction': ('django.db.models.fields.CharField', [], {'max_length': '255', 'null': 'True', 'blank': 'True'}),
56+
'wind_speed': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'})
57+
}
58+
}
59+
60+
complete_apps = ['rems']

rems/migrations/__init__.py

Whitespace-only changes.

rems/models.py

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
from django.db import models
2+
3+
4+
class Report(models.Model):
5+
created = models.DateTimeField(auto_now_add=True)
6+
7+
terrestrial_date = models.DateTimeField()
8+
sol = models.IntegerField(verbose_name="Sol Number")
9+
ls = models.FloatField(blank=True, null=True, verbose_name="Seasonal Date")
10+
11+
min_temp = models.FloatField(blank=True, null=True)
12+
max_temp = models.FloatField(blank=True, null=True)
13+
pressure = models.FloatField(blank=True, null=True)
14+
pressure_string = models.CharField(max_length=255, blank=True)
15+
abs_humidity = models.FloatField(blank=True, null=True)
16+
wind_speed = models.FloatField(blank=True, null=True)
17+
wind_direction = models.CharField(max_length=255, blank=True, null=True)
18+
atmo_opacity = models.CharField(max_length=255, blank=True, null=True)
19+
season = models.CharField(max_length=255, blank=True)
20+
21+
sunrise = models.DateTimeField(blank=True, null=True)
22+
sunset = models.DateTimeField(blank=True, null=True, help_text="It's blue")
23+
24+
def __unicode__(self):
25+
return self.terrestrial_date.strftime('%Y%m%d')

rems/serializers.py

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
from .models import Report
2+
3+
from rest_framework import serializers
4+
5+
6+
class ReportSerializer(serializers.HyperlinkedModelSerializer):
7+
class Meta:
8+
model = Report
9+
fields = (
10+
'terrestrial_date',
11+
'sol',
12+
'ls',
13+
'min_temp',
14+
'max_temp',
15+
'pressure',
16+
'pressure_string',
17+
'abs_humidity',
18+
'wind_speed',
19+
'wind_direction',
20+
'atmo_opacity',
21+
'season',
22+
'sunrise',
23+
'sunset',
24+
)
25+

0 commit comments

Comments
 (0)