Skip to content

Commit c895603

Browse files
committed
Add flask manager and config script
1 parent 7486855 commit c895603

12 files changed

+166
-13
lines changed

config/__init__.py

+27
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
import os
2+
3+
BASE_PATH = os.path.abspath(os.path.dirname(__file__))
4+
5+
PRODUCTION_CONF_PATH = '/etc/hwut_server/production.py'
6+
TESTING_CONF_PATH = os.path.join(BASE_PATH, 'testing.py')
7+
8+
9+
def to_envvar(path=None):
10+
"""
11+
Loads the application configuration from a file.
12+
Returns the configuration or None if no configuration could be found.
13+
"""
14+
15+
if path:
16+
path = os.path.abspath(path)
17+
if not os.path.exists(path):
18+
return
19+
elif os.path.exists(PRODUCTION_CONF_PATH):
20+
path = PRODUCTION_CONF_PATH
21+
elif os.path.exists(TESTING_CONF_PATH):
22+
path = TESTING_CONF_PATH
23+
else:
24+
return True
25+
26+
os.environ['HWUT_CONFIG'] = path
27+
return True

config/testing.py

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
# -*- coding: utf-8 -*-
2+
3+
TESTING = True
4+
5+
DEBUG = True
6+
SQLALCHEMY_ECHO = True
7+
8+
ADMINS = frozenset(['[email protected]'])
9+
10+
SQLALCHEMY_DATABASE_URI = 'postgres://postgres:postgres@localhost/hwut_testing'
11+
DATABASE_CONNECT_OPTIONS = {}
12+
13+
SQLALCHEMY_TRACK_MODIFICATIONS = True

config_file_testing.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,7 @@
77

88
ADMINS = frozenset(['[email protected]'])
99

10-
SQLALCHEMY_DATABASE_URI = 'postgres://postgres:postgres@localhost/hwut'
10+
SQLALCHEMY_DATABASE_URI = 'sqlite://hwut.db'
1111
DATABASE_CONNECT_OPTIONS = {}
1212

1313
SQLALCHEMY_TRACK_MODIFICATIONS = True

hwut_server/api/about.py

+11
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,8 @@
22

33
from hwut_server.__about__ import git_hash, git_branch, __version__
44

5+
from hwut_server.decorators import requires_authentication
6+
57
mod = Blueprint('about', __name__)
68

79

@@ -16,3 +18,12 @@ def version():
1618
'git_branch': git_branch,
1719
}
1820
return jsonify(version_info)
21+
22+
@mod.route('/auth_test', methods=['GET'])
23+
@requires_authentication
24+
def auth_test():
25+
"""
26+
Show version information
27+
"""
28+
auth_info = 'You\'re authenticated if you can read this.'
29+
return jsonify(auth_info)

hwut_server/app.py

+10-6
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,6 @@
1+
import os
2+
import config
3+
14
from flask import Flask
25

36
from hwut_server.api import register as register_api
@@ -9,14 +12,15 @@ def __init__(self, name='hwut_server', config_file=None, *args, **kw):
912
# Create Flask instance
1013
super(HwutServer, self).__init__(name, *args, **kw)
1114

12-
# Load default settings and from environment variable
13-
# self.config.from_pyfile(config.DEFAULT_CONF_PATH)
14-
#
15-
# if 'HWUT_CONFIG' in os.environ:
16-
# self.config.from_pyfile(os.environ['HWUT_CONFIG'])
17-
#
1815
if config_file:
16+
print('Loading config from file: config_file = {}'.format(config_file))
1917
self.config.from_pyfile(config_file)
18+
elif 'HWUT_CONFIG' in os.environ:
19+
print('Loading config from env: HWUT_CONFIG = {}'.format(os.environ['HWUT_CONFIG']))
20+
self.config.from_pyfile(os.environ['HWUT_CONFIG'])
21+
else:
22+
print('No config found. Exit.')
23+
exit(1)
2024

2125
register_api(self)
2226
register_runner_api(self)

hwut_server/commands/__init__.py

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
import sys
2+
3+
from flask_script import Manager
4+
5+
from .shell import Shell
6+
from .server import Server
7+
8+
from .database import manager as database_manager
9+
10+
11+
from hwut_server.app import create_app
12+
from config import to_envvar
13+
14+
15+
def _create_app(config):
16+
if not to_envvar(config):
17+
print('Config file "{}" not found.'.format(config))
18+
sys.exit(1)
19+
20+
return create_app()
21+
22+
23+
manager = Manager(_create_app)
24+
25+
manager.add_option('-c', '--config', dest='config', required=False)
26+
27+
manager.add_command("shell", Shell())
28+
manager.add_command("runserver", Server())
29+
manager.add_command("db", database_manager)

hwut_server/commands/database.py

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
from flask_script import Manager, prompt_bool
2+
3+
from hwut_server.database import db
4+
5+
manager = Manager(help="Perform database operations")
6+
7+
8+
@manager.command
9+
def create():
10+
""" Initialize the database by creating the necessary tables and indices """
11+
12+
# create all tables and indices
13+
db.create_all()
14+
15+
16+
@manager.command
17+
def drop():
18+
""" Drops database tables """
19+
20+
if prompt_bool("Are you sure you want to lose all your data"):
21+
db.drop_all()

hwut_server/commands/server.py

+8
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
from flask_script import Server as BaseServer
2+
from hwut_server.app import create_app
3+
4+
5+
class Server(BaseServer):
6+
def handle(self, app, *args, **kw):
7+
app = create_app()
8+
super(Server, self).handle(app, *args, **kw)

hwut_server/commands/shell.py

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
from flask_script import Shell as BaseShell
2+
3+
from flask import current_app
4+
from hwut_server import models, database
5+
6+
7+
def make_context():
8+
return dict(app=current_app, model=models, db=database.db)
9+
10+
11+
class Shell(BaseShell):
12+
def __init__(self, *args, **kw):
13+
super(Shell, self).__init__(make_context=make_context, *args, **kw)

manage.py

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
#!/usr/bin/env python
2+
3+
from hwut_server.commands import manager
4+
5+
if __name__ == "__main__":
6+
manager.run()

run_server.py

-6
This file was deleted.

setup.py

+27
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
#!/usr/bin/env python
2+
3+
from setuptools import setup, find_packages
4+
5+
about = {}
6+
with open("hwut_server/__about__.py") as fp:
7+
exec(fp.read(), about)
8+
9+
setup(
10+
name=about['__title__'],
11+
version=about['__version__'],
12+
description=about['__summary__'],
13+
author=about['__author__'],
14+
author_email=about['__email__'],
15+
url=about['__uri__'],
16+
packages=find_packages(),
17+
install_requires=[
18+
'Flask >= 0.10.1',
19+
'Flask_SQLAlchemy >= 2.1',
20+
'SQLAlchemy >= 1.0.11',
21+
'Werkzeug >= 0.11.3',
22+
'passlib',
23+
#'psycopg2',
24+
'requests',
25+
'flask_script',
26+
],
27+
)

0 commit comments

Comments
 (0)