├── __init__.py ├── app ├── __init__.py ├── controllers │ ├── __init__.py │ └── home.py ├── start.bat ├── start.sh ├── views │ ├── home │ │ └── home.tpl │ └── mainLayout.tpl ├── resources │ ├── images │ │ ├── glyphicons-halflings.png │ │ └── glyphicons-halflings-white.png │ ├── css │ │ ├── style.css │ │ └── bootstrap-responsive.css │ └── js │ │ ├── html5.js │ │ └── bootstrap.js ├── bottle_preRequest.py └── app.py ├── model ├── __init__.py ├── example │ ├── __init__.py │ └── ExampleService.py ├── Service.py ├── helpers │ └── RestHelpers.py ├── StringHelper.py ├── Factory.py ├── DAO.py └── DateHelper.py ├── tests ├── __init__.py └── TestExampleService.py ├── .gitignore ├── LICENSE ├── config.py └── README.md /__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /app/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /model/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /tests/__init__.py: -------------------------------------------------------------------------------- 1 | 2 | -------------------------------------------------------------------------------- /app/controllers/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /model/example/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /app/start.bat: -------------------------------------------------------------------------------- 1 | python ./app.py 2 | -------------------------------------------------------------------------------- /app/start.sh: -------------------------------------------------------------------------------- 1 | #!/bin/bash 2 | python ./app.py 3 | -------------------------------------------------------------------------------- /app/views/home/home.tpl: -------------------------------------------------------------------------------- 1 |

{{!message}}

2 | 3 | % rebase mainLayout title = "Home" -------------------------------------------------------------------------------- /app/resources/images/glyphicons-halflings.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/adampresley/bottlepy-bootstrap/HEAD/app/resources/images/glyphicons-halflings.png -------------------------------------------------------------------------------- /app/resources/images/glyphicons-halflings-white.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/adampresley/bottlepy-bootstrap/HEAD/app/resources/images/glyphicons-halflings-white.png -------------------------------------------------------------------------------- /app/resources/css/style.css: -------------------------------------------------------------------------------- 1 | body { 2 | padding-top: 60px; 3 | padding-bottom: 40px; 4 | } 5 | 6 | .sidebar-nav { 7 | padding: 9px 0; 8 | } 9 | 10 | .clear { 11 | clear: both; 12 | } -------------------------------------------------------------------------------- /model/Service.py: -------------------------------------------------------------------------------- 1 | class Service: 2 | db = None 3 | 4 | def __init__(self, db): 5 | self.db = db 6 | 7 | def inject(self, key, value): 8 | self.__dict__[key] = value 9 | 10 | -------------------------------------------------------------------------------- /model/helpers/RestHelpers.py: -------------------------------------------------------------------------------- 1 | from bottle import response 2 | 3 | def error(message): 4 | response.status = 500 5 | return message 6 | 7 | def notFound(): 8 | response.status = 404 9 | return "Resource not found" -------------------------------------------------------------------------------- /model/example/ExampleService.py: -------------------------------------------------------------------------------- 1 | from model.Service import Service 2 | 3 | class ExampleService(Service): 4 | def getGreetingMessage(self, name): 5 | return "Hello %s. Greetings to you!" % name 6 | 7 | def getTwoPlusTwo(self): 8 | return 2 + 2 9 | -------------------------------------------------------------------------------- /app/controllers/home.py: -------------------------------------------------------------------------------- 1 | from bottle import view, route, request 2 | 3 | @route("/") 4 | @view("home") 5 | def home(): 6 | exampleService = request.factory.getExampleService() 7 | 8 | viewData = { "message": exampleService.getGreetingMessage("Adam Presley") } 9 | return viewData 10 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | *.py[cod] 2 | 3 | # C extensions 4 | *.so 5 | 6 | # Packages 7 | *.egg 8 | *.egg-info 9 | dist 10 | build 11 | eggs 12 | parts 13 | bin 14 | var 15 | sdist 16 | develop-eggs 17 | .installed.cfg 18 | lib 19 | lib64 20 | 21 | # Installer logs 22 | pip-log.txt 23 | 24 | # Unit test / coverage reports 25 | .coverage 26 | .tox 27 | nosetests.xml 28 | 29 | # Translations 30 | *.mo 31 | 32 | # Mr Developer 33 | .mr.developer.cfg 34 | .project 35 | .pydevproject 36 | -------------------------------------------------------------------------------- /model/StringHelper.py: -------------------------------------------------------------------------------- 1 | import re, random, string 2 | from model.Service import Service 3 | 4 | class StringHelper(Service): 5 | articles = ["a", "an", "the", "of", "is"] 6 | 7 | def randomLetterString(self, numCharacters = 8): 8 | return "".join(random.choice(string.ascii_letters) for i in range(numCharacters)) 9 | 10 | def tagsToTuple(self, tags): 11 | return tuple(self.titleCase(tag) for tag in tags.split(",") if tag.strip()) 12 | 13 | def titleCase(self, s): 14 | wordList = s.split(" ") 15 | result = [wordList[0].capitalize()] 16 | 17 | for word in wordList[1:]: 18 | result.append(word in self.articles and word or word.capitalize()) 19 | 20 | return " ".join(result) 21 | 22 | def validEmail(self, email): 23 | return re.match(r"[^@]+@[^@]+\.[^@]+", email) 24 | -------------------------------------------------------------------------------- /model/Factory.py: -------------------------------------------------------------------------------- 1 | from model.DateHelper import DateHelper 2 | from model.example.ExampleService import ExampleService 3 | from model.StringHelper import StringHelper 4 | 5 | class Factory: 6 | db = None 7 | 8 | def __init__(self, db): 9 | self.db = db 10 | 11 | def getDateHelper(self): 12 | return self._getService(DateHelper(self.db), []) 13 | 14 | def getExampleService(self): 15 | return self._getService(ExampleService(self.db), []) 16 | 17 | def getStringHelper(self): 18 | return self._getService(StringHelper(self.db), []) 19 | 20 | 21 | def _getService(self, service, stuff): 22 | for item in stuff: 23 | service.inject(item[0], item[1]) 24 | 25 | return service 26 | 27 | def _getDAO(self, dao): 28 | dao.inject("dateHelper", self.getDateHelper()) 29 | return dao 30 | -------------------------------------------------------------------------------- /tests/TestExampleService.py: -------------------------------------------------------------------------------- 1 | import unittest, os, sys 2 | from mock import Mock, MagicMock 3 | 4 | sys.path.insert(1, "../") 5 | 6 | from model.example.ExampleService import ExampleService 7 | 8 | class TestExampleService(unittest.TestCase): 9 | def setUp(self): 10 | self.exampleService = ExampleService(None) 11 | 12 | 13 | def test_getGreetingMessage_WithNameAdam_ReturnsStringWithNameAdam(self): 14 | expected = "Hello Adam. Greetings to you!" 15 | actual = self.exampleService.getGreetingMessage(name = "Adam") 16 | 17 | self.assertEqual(expected, actual, "The expected string did not come back") 18 | 19 | def test_getTwoPlusTwo_Returns4(self): 20 | expected = 4 21 | actual = self.exampleService.getTwoPlusTwo() 22 | 23 | self.assertEqual(expected, actual, "Expected 2 + 2 to equal 4") 24 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Copyright (c) 2013 Adam Presley 2 | 3 | Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated 4 | documentation files (the "Software"), to deal in the Software without restriction, including without limitation 5 | the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, 6 | and to permit persons to whom the Software is furnished to do so, subject to the following conditions: 7 | 8 | The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. 9 | 10 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES 11 | OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE 12 | LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR 13 | IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. -------------------------------------------------------------------------------- /model/DAO.py: -------------------------------------------------------------------------------- 1 | class DAO: 2 | db = None 3 | 4 | def __init__(self, db): 5 | self.db = db 6 | 7 | def escapeString(self, s): 8 | return self.db.connection.escape_string(s) 9 | 10 | def execute(self, sql, params = (), writeToConsole = False): 11 | rowsAffected = 0 12 | 13 | try: 14 | rowsAffected = self.db.execute(sql, params) 15 | 16 | if writeToConsole: 17 | print self.getLastExecuted() 18 | 19 | except Exception as e: 20 | print "An error occured in %s: %s" % (self, e) 21 | print "Last executed SQL:" 22 | print self.getLastExecuted() 23 | 24 | raise e 25 | 26 | return rowsAffected 27 | 28 | def executeMany(self, sql, paramArray = []): 29 | try: 30 | self.db.executemany(sql, paramArray) 31 | 32 | except Exception as e: 33 | print "An error occured in %s: %s" % (self, e.message) 34 | print "Last executed SQL:" 35 | print self.getLastExecuted() 36 | 37 | raise e 38 | 39 | def fetchAll(self): 40 | return self.db.fetchall() 41 | 42 | def fetchOne(self): 43 | return self.db.fetchone() 44 | 45 | def getLastExecuted(self): 46 | return self.db._last_executed 47 | 48 | def inject(self, key, value): 49 | self.__dict__[key] = value 50 | 51 | def lastRowId(self): 52 | return self.db.lastrowid -------------------------------------------------------------------------------- /app/bottle_preRequest.py: -------------------------------------------------------------------------------- 1 | import bottle, config, re, MySQLdb 2 | import MySQLdb.cursors as cursors 3 | from bottle import request, response, redirect 4 | 5 | from model.Factory import Factory 6 | 7 | def preRequest(callback): 8 | def wrapper(*args, **kwargs): 9 | if not request.path.startswith("/resources"): 10 | # 11 | # Setup session and environment stuff 12 | # 13 | request.session = request.environ.get("beaker.session") 14 | request.all = dict(request.query.items() + request.forms.items()) 15 | 16 | # 17 | # Setup database object. Uncomment lines 19-24, 37-38 and comment line 25 to 18 | # enable MySQL 19 | # 20 | # request.dbConnection = MySQLdb.connect(config.DBSERVER, config.DBUSER, config.DBPASS, config.DBNAME, cursorclass = cursors.DictCursor, charset = "utf8", port = 3306) 21 | # request.db = request.dbConnection.cursor() 22 | 23 | # request.db.execute("set time_zone=%s", ("+0:00",)) 24 | # request.db.close() 25 | # request.db = request.dbConnection.cursor() 26 | request.db = None 27 | 28 | request.factory = Factory(request.db) 29 | 30 | # 31 | # Finally call the the next method in the chain 32 | # 33 | body = callback(*args, **kwargs) 34 | 35 | # 36 | # Commit and close db connection 37 | # 38 | # request.dbConnection.commit() 39 | # request.dbConnection.close() 40 | 41 | return body 42 | 43 | else: 44 | body = callback(*args, **kwargs) 45 | return body 46 | 47 | return wrapper 48 | -------------------------------------------------------------------------------- /config.py: -------------------------------------------------------------------------------- 1 | import os 2 | 3 | DEBUG = True 4 | BIND_TO_OUTSIDE_IP = False 5 | BIND_TO_PORT = 8080 6 | ROOT_PATH = os.path.join(os.path.abspath(os.path.dirname(__file__)), "app") 7 | RESOURCES_PATH = os.path.join(ROOT_PATH, "resources") 8 | BASE_TEMPLATE_PATH = os.path.join(ROOT_PATH, "views") 9 | SESSION_PATH = os.path.join(ROOT_PATH, "sessions") 10 | 11 | 12 | ENV = "dev" 13 | 14 | ENVIRONMENTS = { 15 | "dev": { 16 | "DBSERVER": "localhost", 17 | "DBUSER": "user", 18 | "DBPASS": "password" 19 | }, 20 | "test": { 21 | "DBSERVER": "localhost", 22 | "DBUSER": "user", 23 | "DBPASS": "password" 24 | }, 25 | "beta": { 26 | "DBSERVER": "localhost", 27 | "DBUSER": "user", 28 | "DBPASS": "password" 29 | }, 30 | "demo": { 31 | "DBSERVER": "localhost", 32 | "DBUSER": "user", 33 | "DBPASS": "password" 34 | }, 35 | "prod": { 36 | "DBSERVER": "localhost", 37 | "DBUSER": "user", 38 | "DBPASS": "password" 39 | }, 40 | } 41 | 42 | DBNAME = "dbname" 43 | DBSERVER = ENVIRONMENTS[ENV]["DBSERVER"] 44 | DBUSER = ENVIRONMENTS[ENV]["DBUSER"] 45 | DBPASS = ENVIRONMENTS[ENV]["DBPASS"] 46 | 47 | 48 | # 49 | # Session settings 50 | # 51 | SESSION_OPTS = { 52 | "session.type": "ext:database", 53 | "session.cookie_expires": 14400, 54 | "session.auto": True, 55 | "session.url": "mysql+mysqldb://{0}:{1}@{2}/{3}".format(DBUSER, DBPASS, DBSERVER, DBNAME), 56 | "session.table_name": "admin_session", 57 | "session.lock_dir": os.path.join(SESSION_PATH, "lock"), 58 | "session.data_dir": os.path.join(SESSION_PATH, "data") 59 | } 60 | -------------------------------------------------------------------------------- /app/resources/js/html5.js: -------------------------------------------------------------------------------- 1 | /*! HTML5 Shiv vpre3.6 | @afarkas @jdalton @jon_neal @rem | MIT/GPL2 Licensed 2 | Uncompressed source: https://github.com/aFarkas/html5shiv */ 3 | (function(a,b){function h(a,b){var c=a.createElement("p"),d=a.getElementsByTagName("head")[0]||a.documentElement;return c.innerHTML="x",d.insertBefore(c.lastChild,d.firstChild)}function i(){var a=l.elements;return typeof a=="string"?a.split(" "):a}function j(a){var b={},c=a.createElement,f=a.createDocumentFragment,g=f();a.createElement=function(a){if(!l.shivMethods)return c(a);var f;return b[a]?f=b[a].cloneNode():e.test(a)?f=(b[a]=c(a)).cloneNode():f=c(a),f.canHaveChildren&&!d.test(a)?g.appendChild(f):f},a.createDocumentFragment=Function("h,f","return function(){var n=f.cloneNode(),c=n.createElement;h.shivMethods&&("+i().join().replace(/\w+/g,function(a){return c(a),g.createElement(a),'c("'+a+'")'})+");return n}")(l,g)}function k(a){var b;return a.documentShived?a:(l.shivCSS&&!f&&(b=!!h(a,"article,aside,details,figcaption,figure,footer,header,hgroup,nav,section{display:block}audio{display:none}canvas,video{display:inline-block;*display:inline;*zoom:1}[hidden]{display:none}audio[controls]{display:inline-block;*display:inline;*zoom:1}mark{background:#FF0;color:#000}")),g||(b=!j(a)),b&&(a.documentShived=b),a)}var c=a.html5||{},d=/^<|^(?:button|form|map|select|textarea|object|iframe|option|optgroup)$/i,e=/^<|^(?:a|b|button|code|div|fieldset|form|h1|h2|h3|h4|h5|h6|i|iframe|img|input|label|li|link|ol|option|p|param|q|script|select|span|strong|style|table|tbody|td|textarea|tfoot|th|thead|tr|ul)$/i,f,g;(function(){var c=b.createElement("a");c.innerHTML="",f="hidden"in c,f&&typeof injectElementWithStyles=="function"&&injectElementWithStyles("#modernizr{}",function(b){b.hidden=!0,f=(a.getComputedStyle?getComputedStyle(b,null):b.currentStyle).display=="none"}),g=c.childNodes.length==1||function(){try{b.createElement("a")}catch(a){return!0}var c=b.createDocumentFragment();return typeof c.cloneNode=="undefined"||typeof c.createDocumentFragment=="undefined"||typeof c.createElement=="undefined"}()})();var l={elements:c.elements||"abbr article aside audio bdi canvas data datalist details figcaption figure footer header hgroup mark meter nav output progress section summary time video",shivCSS:c.shivCSS!==!1,shivMethods:c.shivMethods!==!1,type:"default",shivDocument:k};a.html5=l,k(b)})(this,document) -------------------------------------------------------------------------------- /model/DateHelper.py: -------------------------------------------------------------------------------- 1 | from model.Service import Service 2 | 3 | from datetime import tzinfo, timedelta, datetime 4 | from dateutil import tz 5 | 6 | class DateHelper(Service): 7 | utc = tz.gettz("UTC") 8 | 9 | pyToJsFormatMapping = { 10 | "%m/%d/%Y": "MM/dd/yyyy", 11 | "%d/%m/%Y": "dd/MM/yyyy", 12 | "%Y-%m-%d": "yyyy-MM-dd" 13 | } 14 | 15 | def __init__(self, db, timezone = "UTC", dateFormat = "%m/%d/%Y", timeFormat = "%I:%M %p"): 16 | self.db = db 17 | self._timezone = timezone 18 | self._dateFormat = dateFormat 19 | self._timeFormat = timeFormat 20 | 21 | def addDays(self, d, numDays = 1, format = "%Y-%m-%d"): 22 | if not self.isDateType(d): 23 | d = datetime.strptime(d, format) 24 | 25 | newDate = d + timedelta(days = numDays) 26 | return newDate 27 | 28 | def dateFormat(self, d): 29 | return self.utcToTimezone(d, self._timezone).strftime(self._dateFormat) 30 | 31 | def dateTimeFormat(self, d): 32 | return self.utcToTimezone(d, self._timezone).strftime("%s %s" % (self._dateFormat, self._timeFormat)) 33 | 34 | def isDateType(self, d): 35 | result = True 36 | 37 | try: 38 | d.today() 39 | except AttributeError as e: 40 | result = False 41 | 42 | return result 43 | 44 | def localNow(self): 45 | return self.utcToTimezone(datetime.now(self.utc), self._timezone) 46 | 47 | def now(self): 48 | return datetime.now(self.utc) 49 | 50 | def pyToJsDateFormat(self, pyDateFormat): 51 | return self.pyToJsFormatMapping[pyDateFormat] 52 | 53 | def restDateFormat(self, d): 54 | return d.strftime("%Y-%m-%d") 55 | 56 | def restDateTime(self, d): 57 | return d.strftime("%Y-%m-%d %H:%M") 58 | 59 | def timeFormat(self, d): 60 | return self.utcToTimezone(d, self._timezone).strftime(self._timeFormat) 61 | 62 | def utcToTimezone(self, d, timezone): 63 | targetTZ = tz.gettz(timezone) 64 | d = d.replace(tzinfo = self.utc) 65 | return d.astimezone(targetTZ) 66 | 67 | def validateDateRange(self, start, end, format = "%Y-%m-%d"): 68 | # 69 | # Basically if the range between start and end is greater than 91 70 | # days kick it back with today's date as default. 71 | # 72 | parsedStart = datetime.strptime(start, format) 73 | parsedEnd = datetime.strptime(end, format) 74 | 75 | delta = parsedEnd - parsedStart 76 | 77 | newStart = start 78 | newEnd = end 79 | 80 | if delta.days > 91: 81 | newStart = self.restDateFormat(self.localNow()) 82 | newEnd = self.restDateFormat(self.localNow()) 83 | 84 | return (newStart, newEnd) 85 | -------------------------------------------------------------------------------- /app/app.py: -------------------------------------------------------------------------------- 1 | import sys, os 2 | from datetime import datetime 3 | from socket import socket, SOCK_DGRAM, AF_INET 4 | 5 | # 6 | # Add current and parent path to syspath 7 | # 8 | currentPath = os.path.dirname(__file__) 9 | parentPath = os.path.abspath(os.path.join(currentPath, os.path.pardir)) 10 | 11 | paths = [ 12 | currentPath, 13 | parentPath 14 | ] 15 | 16 | for path in paths: 17 | if path not in sys.path: 18 | sys.path.insert(0, path) 19 | 20 | os.chdir(currentPath) 21 | 22 | 23 | # 24 | # Import framework and controllers 25 | # 26 | import config, bottle 27 | import bottle_preRequest 28 | from beaker.middleware import SessionMiddleware 29 | 30 | from bottle import route, run, view 31 | from bottle import TEMPLATE_PATH, request, static_file 32 | from bottle import install 33 | 34 | # Import all of your controllers here... 35 | from app.controllers import home 36 | 37 | 38 | # 39 | # Add view paths to the Bottle template path 40 | # 41 | TEMPLATE_SUB_PATHS = os.walk(config.BASE_TEMPLATE_PATH).next()[1] 42 | bottle.TEMPLATE_PATH.append(config.BASE_TEMPLATE_PATH) 43 | 44 | for templatePath in TEMPLATE_SUB_PATHS: 45 | bottle.TEMPLATE_PATH.append(os.path.join(config.BASE_TEMPLATE_PATH, templatePath)) 46 | 47 | 48 | if config.DEBUG: 49 | print "ROOT_PATH: %s" % config.ROOT_PATH 50 | print "Session path: %s" % config.SESSION_PATH 51 | print "Template Paths:" 52 | 53 | for it in bottle.TEMPLATE_PATH: 54 | print " %s" % it 55 | 56 | print "" 57 | 58 | print "System paths:" 59 | for it in paths: 60 | print " %s" % it 61 | 62 | print "\n%s\n" % datetime.today() 63 | 64 | 65 | # 66 | # Setup our pre-request plugin, session, debug mode, and methods 67 | # to serve static resources. 68 | # 69 | install(bottle_preRequest.preRequest) 70 | bottle.debug(config.DEBUG) 71 | 72 | @route("/resources/") 73 | def serve_static(filepath): 74 | return static_file(filepath, root = config.RESOURCES_PATH) 75 | 76 | @route("/heartbeat", method = "GET") 77 | def heartbeat(): 78 | return "A-OK ya'll!" 79 | 80 | # 81 | # Uncomment line 84 and comment line 83 to enable session management 82 | # 83 | app = bottle.app() 84 | #app = SessionMiddleware(bottle.app(), config.SESSION_OPTS) 85 | 86 | if config.BIND_TO_OUTSIDE_IP: 87 | _s = socket(AF_INET, SOCK_DGRAM) 88 | _s.connect(("google.com", 0)) 89 | outsideIP = _s.getsockname() 90 | 91 | if config.DEBUG: 92 | if config.BIND_TO_OUTSIDE_IP: 93 | run(app = app, host = outsideIP[0], port = config.BIND_TO_PORT, reloader = True) 94 | else: 95 | run(app = app, host = "localhost", port = config.BIND_TO_PORT, reloader = True) 96 | else: 97 | if config.BIND_TO_OUTSIDE_IP: 98 | run(app = app, host = outsideIP[0], port = config.BIND_TO_PORT, server="gunicorn", workers = 4, proc_name = "APP", pidfile = "/tmp/app-gunicorn", daemon = True) 99 | else: 100 | run(app = app, host = "localhost", port = config.BIND_TO_PORT, server="gunicorn", workers = 4, proc_name = "APP", pidfile = "/tmp/app-gunicorn", daemon = True) 101 | 102 | 103 | -------------------------------------------------------------------------------- /app/views/mainLayout.tpl: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | {{title}} // Bottle (Python) Bootstrap 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 19 | 20 | 21 | 22 | 45 | 46 |
47 |
48 |
49 | 69 |
70 | 71 |
72 |
73 |

Hello, world!

74 |

75 | This is my Bottle (Python) Bootstrapper. I use this to quickly startup a Python web-application 76 | using Bottlepy, jQuery, Twitter Bootstrap, Beaker session management, and SQLAlchemy. 77 |

78 | 79 |

80 | Learn more » 81 |

82 |
83 | 84 | 85 | 86 | 87 | 88 | 89 |
90 |
91 | %include 92 |
93 |
94 | 95 |
96 |
97 | 98 |
99 | 100 |
101 |

© Company 2012

102 |
103 |
104 | 105 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # bottlepy-bootstrap 2 | 3 | **bottlepy-bootstrap** is my skeleton Bottle (Python) application bootstrap application. It 4 | has basic setup for running a Bottle web application, model components, and unit tests. 5 | 6 | **Features** 7 | * SQLAlchemy for database support 8 | * Beaker for session middleware management 9 | * Nose (with rednose for coloring) for running unit tests 10 | * Fabric script to deploy to Amazon EC2 (using boto) 11 | * jQuery 1.9.0 12 | * Twitter Bootstrap 2.2.2 13 | 14 | ## Directions 15 | To start a new project follow these steps: 16 | 17 | 1. Create a directory for your application 18 | 2. Copy all the files and directories found in this repo into your new directory 19 | 3. Open a terminal, change directory to *app*, and run **./start.sh** 20 | 4. Open a browser and go to http://localhost:8080 21 | 22 | ## Layout 23 | Here are the basics of how this is all layed out. 24 | 25 | #### Configuration 26 | The majority of the configuration is found in the **config.py** file found in the root 27 | of this repository. Here you will find settings to turn on DEBUG mode, database connection 28 | information, and session management information. 29 | 30 | #### Domain Model 31 | This bootstrap offers a basic domain model concept. Essentially you get a basic set 32 | of classes for Service and DAO (Data Access Object) components. A factory object is 33 | provided as a place for your application get easy access to all your service components. 34 | An simple example service object is provided. 35 | 36 | #### Application 37 | The web application lives in the *app* directory. Here you will find controllers, 38 | views, static resources (CSS, JS, images) and the primary WSGI startup script. 39 | A sample controller and view are provided, as well as a Twitter Bootstrap 40 | layout. 41 | 42 | #### Unit Tests 43 | The *tests* directory contains unit tests for testing your services, controllers, and 44 | whatever else tickles your fancy. 45 | 46 | #### Bin 47 | This is where scripts go. I have a basic script to deploy the application to servers 48 | running on Amazon EC2 based on the tags **Name** and **env** (environment). It basically 49 | assumes you have a Git repository on the EC2 instance, and are pulling updates. 50 | 51 | A CSS/JS bundle/minify script is also provided that will bundle and minify all CSS/JS 52 | found in the main layout file, then replace the JS/CSS references in the layout to point 53 | to the newly minified file. 54 | 55 | 56 | ## Requisites 57 | ```bash 58 | $ sudo pip install SQLAlchemy 59 | $ sudo pip install beaker 60 | $ sudo pip install boto 61 | $ sudo pip install nose 62 | $ sudo pip install mock 63 | $ sudo pip install rednose 64 | $ sudo pip install coverage 65 | $ sudo apt-get install fabric 66 | ``` 67 | 68 | ## MIT License 69 | Copyright (c) 2013 Adam Presley 70 | 71 | Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated 72 | documentation files (the "Software"), to deal in the Software without restriction, including without limitation 73 | the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, 74 | and to permit persons to whom the Software is furnished to do so, subject to the following conditions: 75 | 76 | The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. 77 | 78 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES 79 | OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE 80 | LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR 81 | IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 82 | 83 | ## Other Licenses 84 | This section lists the licenses of software and/or software components included 85 | in this repository. 86 | 87 | * jQuery - MIT License 88 | * Twitter Bootstrap - Apache License v2.0 89 | * Bottle - MIT License 90 | * YUI Compressor - BSD license (includes Rhino under Mozilla Public License, JArgs under JArgs BSD license) 91 | -------------------------------------------------------------------------------- /app/resources/css/bootstrap-responsive.css: -------------------------------------------------------------------------------- 1 | /*! 2 | * Bootstrap Responsive v2.2.2 3 | * 4 | * Copyright 2012 Twitter, Inc 5 | * Licensed under the Apache License v2.0 6 | * http://www.apache.org/licenses/LICENSE-2.0 7 | * 8 | * Designed and built with all the love in the world @twitter by @mdo and @fat. 9 | */ 10 | 11 | @-ms-viewport { 12 | width: device-width; 13 | } 14 | 15 | .clearfix { 16 | *zoom: 1; 17 | } 18 | 19 | .clearfix:before, 20 | .clearfix:after { 21 | display: table; 22 | line-height: 0; 23 | content: ""; 24 | } 25 | 26 | .clearfix:after { 27 | clear: both; 28 | } 29 | 30 | .hide-text { 31 | font: 0/0 a; 32 | color: transparent; 33 | text-shadow: none; 34 | background-color: transparent; 35 | border: 0; 36 | } 37 | 38 | .input-block-level { 39 | display: block; 40 | width: 100%; 41 | min-height: 30px; 42 | -webkit-box-sizing: border-box; 43 | -moz-box-sizing: border-box; 44 | box-sizing: border-box; 45 | } 46 | 47 | .hidden { 48 | display: none; 49 | visibility: hidden; 50 | } 51 | 52 | .visible-phone { 53 | display: none !important; 54 | } 55 | 56 | .visible-tablet { 57 | display: none !important; 58 | } 59 | 60 | .hidden-desktop { 61 | display: none !important; 62 | } 63 | 64 | .visible-desktop { 65 | display: inherit !important; 66 | } 67 | 68 | @media (min-width: 768px) and (max-width: 979px) { 69 | .hidden-desktop { 70 | display: inherit !important; 71 | } 72 | .visible-desktop { 73 | display: none !important ; 74 | } 75 | .visible-tablet { 76 | display: inherit !important; 77 | } 78 | .hidden-tablet { 79 | display: none !important; 80 | } 81 | } 82 | 83 | @media (max-width: 767px) { 84 | .hidden-desktop { 85 | display: inherit !important; 86 | } 87 | .visible-desktop { 88 | display: none !important; 89 | } 90 | .visible-phone { 91 | display: inherit !important; 92 | } 93 | .hidden-phone { 94 | display: none !important; 95 | } 96 | } 97 | 98 | @media (min-width: 1200px) { 99 | .row { 100 | margin-left: -30px; 101 | *zoom: 1; 102 | } 103 | .row:before, 104 | .row:after { 105 | display: table; 106 | line-height: 0; 107 | content: ""; 108 | } 109 | .row:after { 110 | clear: both; 111 | } 112 | [class*="span"] { 113 | float: left; 114 | min-height: 1px; 115 | margin-left: 30px; 116 | } 117 | .container, 118 | .navbar-static-top .container, 119 | .navbar-fixed-top .container, 120 | .navbar-fixed-bottom .container { 121 | width: 1170px; 122 | } 123 | .span12 { 124 | width: 1170px; 125 | } 126 | .span11 { 127 | width: 1070px; 128 | } 129 | .span10 { 130 | width: 970px; 131 | } 132 | .span9 { 133 | width: 870px; 134 | } 135 | .span8 { 136 | width: 770px; 137 | } 138 | .span7 { 139 | width: 670px; 140 | } 141 | .span6 { 142 | width: 570px; 143 | } 144 | .span5 { 145 | width: 470px; 146 | } 147 | .span4 { 148 | width: 370px; 149 | } 150 | .span3 { 151 | width: 270px; 152 | } 153 | .span2 { 154 | width: 170px; 155 | } 156 | .span1 { 157 | width: 70px; 158 | } 159 | .offset12 { 160 | margin-left: 1230px; 161 | } 162 | .offset11 { 163 | margin-left: 1130px; 164 | } 165 | .offset10 { 166 | margin-left: 1030px; 167 | } 168 | .offset9 { 169 | margin-left: 930px; 170 | } 171 | .offset8 { 172 | margin-left: 830px; 173 | } 174 | .offset7 { 175 | margin-left: 730px; 176 | } 177 | .offset6 { 178 | margin-left: 630px; 179 | } 180 | .offset5 { 181 | margin-left: 530px; 182 | } 183 | .offset4 { 184 | margin-left: 430px; 185 | } 186 | .offset3 { 187 | margin-left: 330px; 188 | } 189 | .offset2 { 190 | margin-left: 230px; 191 | } 192 | .offset1 { 193 | margin-left: 130px; 194 | } 195 | .row-fluid { 196 | width: 100%; 197 | *zoom: 1; 198 | } 199 | .row-fluid:before, 200 | .row-fluid:after { 201 | display: table; 202 | line-height: 0; 203 | content: ""; 204 | } 205 | .row-fluid:after { 206 | clear: both; 207 | } 208 | .row-fluid [class*="span"] { 209 | display: block; 210 | float: left; 211 | width: 100%; 212 | min-height: 30px; 213 | margin-left: 2.564102564102564%; 214 | *margin-left: 2.5109110747408616%; 215 | -webkit-box-sizing: border-box; 216 | -moz-box-sizing: border-box; 217 | box-sizing: border-box; 218 | } 219 | .row-fluid [class*="span"]:first-child { 220 | margin-left: 0; 221 | } 222 | .row-fluid .controls-row [class*="span"] + [class*="span"] { 223 | margin-left: 2.564102564102564%; 224 | } 225 | .row-fluid .span12 { 226 | width: 100%; 227 | *width: 99.94680851063829%; 228 | } 229 | .row-fluid .span11 { 230 | width: 91.45299145299145%; 231 | *width: 91.39979996362975%; 232 | } 233 | .row-fluid .span10 { 234 | width: 82.90598290598291%; 235 | *width: 82.8527914166212%; 236 | } 237 | .row-fluid .span9 { 238 | width: 74.35897435897436%; 239 | *width: 74.30578286961266%; 240 | } 241 | .row-fluid .span8 { 242 | width: 65.81196581196582%; 243 | *width: 65.75877432260411%; 244 | } 245 | .row-fluid .span7 { 246 | width: 57.26495726495726%; 247 | *width: 57.21176577559556%; 248 | } 249 | .row-fluid .span6 { 250 | width: 48.717948717948715%; 251 | *width: 48.664757228587014%; 252 | } 253 | .row-fluid .span5 { 254 | width: 40.17094017094017%; 255 | *width: 40.11774868157847%; 256 | } 257 | .row-fluid .span4 { 258 | width: 31.623931623931625%; 259 | *width: 31.570740134569924%; 260 | } 261 | .row-fluid .span3 { 262 | width: 23.076923076923077%; 263 | *width: 23.023731587561375%; 264 | } 265 | .row-fluid .span2 { 266 | width: 14.52991452991453%; 267 | *width: 14.476723040552828%; 268 | } 269 | .row-fluid .span1 { 270 | width: 5.982905982905983%; 271 | *width: 5.929714493544281%; 272 | } 273 | .row-fluid .offset12 { 274 | margin-left: 105.12820512820512%; 275 | *margin-left: 105.02182214948171%; 276 | } 277 | .row-fluid .offset12:first-child { 278 | margin-left: 102.56410256410257%; 279 | *margin-left: 102.45771958537915%; 280 | } 281 | .row-fluid .offset11 { 282 | margin-left: 96.58119658119658%; 283 | *margin-left: 96.47481360247316%; 284 | } 285 | .row-fluid .offset11:first-child { 286 | margin-left: 94.01709401709402%; 287 | *margin-left: 93.91071103837061%; 288 | } 289 | .row-fluid .offset10 { 290 | margin-left: 88.03418803418803%; 291 | *margin-left: 87.92780505546462%; 292 | } 293 | .row-fluid .offset10:first-child { 294 | margin-left: 85.47008547008548%; 295 | *margin-left: 85.36370249136206%; 296 | } 297 | .row-fluid .offset9 { 298 | margin-left: 79.48717948717949%; 299 | *margin-left: 79.38079650845607%; 300 | } 301 | .row-fluid .offset9:first-child { 302 | margin-left: 76.92307692307693%; 303 | *margin-left: 76.81669394435352%; 304 | } 305 | .row-fluid .offset8 { 306 | margin-left: 70.94017094017094%; 307 | *margin-left: 70.83378796144753%; 308 | } 309 | .row-fluid .offset8:first-child { 310 | margin-left: 68.37606837606839%; 311 | *margin-left: 68.26968539734497%; 312 | } 313 | .row-fluid .offset7 { 314 | margin-left: 62.393162393162385%; 315 | *margin-left: 62.28677941443899%; 316 | } 317 | .row-fluid .offset7:first-child { 318 | margin-left: 59.82905982905982%; 319 | *margin-left: 59.72267685033642%; 320 | } 321 | .row-fluid .offset6 { 322 | margin-left: 53.84615384615384%; 323 | *margin-left: 53.739770867430444%; 324 | } 325 | .row-fluid .offset6:first-child { 326 | margin-left: 51.28205128205128%; 327 | *margin-left: 51.175668303327875%; 328 | } 329 | .row-fluid .offset5 { 330 | margin-left: 45.299145299145295%; 331 | *margin-left: 45.1927623204219%; 332 | } 333 | .row-fluid .offset5:first-child { 334 | margin-left: 42.73504273504273%; 335 | *margin-left: 42.62865975631933%; 336 | } 337 | .row-fluid .offset4 { 338 | margin-left: 36.75213675213675%; 339 | *margin-left: 36.645753773413354%; 340 | } 341 | .row-fluid .offset4:first-child { 342 | margin-left: 34.18803418803419%; 343 | *margin-left: 34.081651209310785%; 344 | } 345 | .row-fluid .offset3 { 346 | margin-left: 28.205128205128204%; 347 | *margin-left: 28.0987452264048%; 348 | } 349 | .row-fluid .offset3:first-child { 350 | margin-left: 25.641025641025642%; 351 | *margin-left: 25.53464266230224%; 352 | } 353 | .row-fluid .offset2 { 354 | margin-left: 19.65811965811966%; 355 | *margin-left: 19.551736679396257%; 356 | } 357 | .row-fluid .offset2:first-child { 358 | margin-left: 17.094017094017094%; 359 | *margin-left: 16.98763411529369%; 360 | } 361 | .row-fluid .offset1 { 362 | margin-left: 11.11111111111111%; 363 | *margin-left: 11.004728132387708%; 364 | } 365 | .row-fluid .offset1:first-child { 366 | margin-left: 8.547008547008547%; 367 | *margin-left: 8.440625568285142%; 368 | } 369 | input, 370 | textarea, 371 | .uneditable-input { 372 | margin-left: 0; 373 | } 374 | .controls-row [class*="span"] + [class*="span"] { 375 | margin-left: 30px; 376 | } 377 | input.span12, 378 | textarea.span12, 379 | .uneditable-input.span12 { 380 | width: 1156px; 381 | } 382 | input.span11, 383 | textarea.span11, 384 | .uneditable-input.span11 { 385 | width: 1056px; 386 | } 387 | input.span10, 388 | textarea.span10, 389 | .uneditable-input.span10 { 390 | width: 956px; 391 | } 392 | input.span9, 393 | textarea.span9, 394 | .uneditable-input.span9 { 395 | width: 856px; 396 | } 397 | input.span8, 398 | textarea.span8, 399 | .uneditable-input.span8 { 400 | width: 756px; 401 | } 402 | input.span7, 403 | textarea.span7, 404 | .uneditable-input.span7 { 405 | width: 656px; 406 | } 407 | input.span6, 408 | textarea.span6, 409 | .uneditable-input.span6 { 410 | width: 556px; 411 | } 412 | input.span5, 413 | textarea.span5, 414 | .uneditable-input.span5 { 415 | width: 456px; 416 | } 417 | input.span4, 418 | textarea.span4, 419 | .uneditable-input.span4 { 420 | width: 356px; 421 | } 422 | input.span3, 423 | textarea.span3, 424 | .uneditable-input.span3 { 425 | width: 256px; 426 | } 427 | input.span2, 428 | textarea.span2, 429 | .uneditable-input.span2 { 430 | width: 156px; 431 | } 432 | input.span1, 433 | textarea.span1, 434 | .uneditable-input.span1 { 435 | width: 56px; 436 | } 437 | .thumbnails { 438 | margin-left: -30px; 439 | } 440 | .thumbnails > li { 441 | margin-left: 30px; 442 | } 443 | .row-fluid .thumbnails { 444 | margin-left: 0; 445 | } 446 | } 447 | 448 | @media (min-width: 768px) and (max-width: 979px) { 449 | .row { 450 | margin-left: -20px; 451 | *zoom: 1; 452 | } 453 | .row:before, 454 | .row:after { 455 | display: table; 456 | line-height: 0; 457 | content: ""; 458 | } 459 | .row:after { 460 | clear: both; 461 | } 462 | [class*="span"] { 463 | float: left; 464 | min-height: 1px; 465 | margin-left: 20px; 466 | } 467 | .container, 468 | .navbar-static-top .container, 469 | .navbar-fixed-top .container, 470 | .navbar-fixed-bottom .container { 471 | width: 724px; 472 | } 473 | .span12 { 474 | width: 724px; 475 | } 476 | .span11 { 477 | width: 662px; 478 | } 479 | .span10 { 480 | width: 600px; 481 | } 482 | .span9 { 483 | width: 538px; 484 | } 485 | .span8 { 486 | width: 476px; 487 | } 488 | .span7 { 489 | width: 414px; 490 | } 491 | .span6 { 492 | width: 352px; 493 | } 494 | .span5 { 495 | width: 290px; 496 | } 497 | .span4 { 498 | width: 228px; 499 | } 500 | .span3 { 501 | width: 166px; 502 | } 503 | .span2 { 504 | width: 104px; 505 | } 506 | .span1 { 507 | width: 42px; 508 | } 509 | .offset12 { 510 | margin-left: 764px; 511 | } 512 | .offset11 { 513 | margin-left: 702px; 514 | } 515 | .offset10 { 516 | margin-left: 640px; 517 | } 518 | .offset9 { 519 | margin-left: 578px; 520 | } 521 | .offset8 { 522 | margin-left: 516px; 523 | } 524 | .offset7 { 525 | margin-left: 454px; 526 | } 527 | .offset6 { 528 | margin-left: 392px; 529 | } 530 | .offset5 { 531 | margin-left: 330px; 532 | } 533 | .offset4 { 534 | margin-left: 268px; 535 | } 536 | .offset3 { 537 | margin-left: 206px; 538 | } 539 | .offset2 { 540 | margin-left: 144px; 541 | } 542 | .offset1 { 543 | margin-left: 82px; 544 | } 545 | .row-fluid { 546 | width: 100%; 547 | *zoom: 1; 548 | } 549 | .row-fluid:before, 550 | .row-fluid:after { 551 | display: table; 552 | line-height: 0; 553 | content: ""; 554 | } 555 | .row-fluid:after { 556 | clear: both; 557 | } 558 | .row-fluid [class*="span"] { 559 | display: block; 560 | float: left; 561 | width: 100%; 562 | min-height: 30px; 563 | margin-left: 2.7624309392265194%; 564 | *margin-left: 2.709239449864817%; 565 | -webkit-box-sizing: border-box; 566 | -moz-box-sizing: border-box; 567 | box-sizing: border-box; 568 | } 569 | .row-fluid [class*="span"]:first-child { 570 | margin-left: 0; 571 | } 572 | .row-fluid .controls-row [class*="span"] + [class*="span"] { 573 | margin-left: 2.7624309392265194%; 574 | } 575 | .row-fluid .span12 { 576 | width: 100%; 577 | *width: 99.94680851063829%; 578 | } 579 | .row-fluid .span11 { 580 | width: 91.43646408839778%; 581 | *width: 91.38327259903608%; 582 | } 583 | .row-fluid .span10 { 584 | width: 82.87292817679558%; 585 | *width: 82.81973668743387%; 586 | } 587 | .row-fluid .span9 { 588 | width: 74.30939226519337%; 589 | *width: 74.25620077583166%; 590 | } 591 | .row-fluid .span8 { 592 | width: 65.74585635359117%; 593 | *width: 65.69266486422946%; 594 | } 595 | .row-fluid .span7 { 596 | width: 57.18232044198895%; 597 | *width: 57.12912895262725%; 598 | } 599 | .row-fluid .span6 { 600 | width: 48.61878453038674%; 601 | *width: 48.56559304102504%; 602 | } 603 | .row-fluid .span5 { 604 | width: 40.05524861878453%; 605 | *width: 40.00205712942283%; 606 | } 607 | .row-fluid .span4 { 608 | width: 31.491712707182323%; 609 | *width: 31.43852121782062%; 610 | } 611 | .row-fluid .span3 { 612 | width: 22.92817679558011%; 613 | *width: 22.87498530621841%; 614 | } 615 | .row-fluid .span2 { 616 | width: 14.3646408839779%; 617 | *width: 14.311449394616199%; 618 | } 619 | .row-fluid .span1 { 620 | width: 5.801104972375691%; 621 | *width: 5.747913483013988%; 622 | } 623 | .row-fluid .offset12 { 624 | margin-left: 105.52486187845304%; 625 | *margin-left: 105.41847889972962%; 626 | } 627 | .row-fluid .offset12:first-child { 628 | margin-left: 102.76243093922652%; 629 | *margin-left: 102.6560479605031%; 630 | } 631 | .row-fluid .offset11 { 632 | margin-left: 96.96132596685082%; 633 | *margin-left: 96.8549429881274%; 634 | } 635 | .row-fluid .offset11:first-child { 636 | margin-left: 94.1988950276243%; 637 | *margin-left: 94.09251204890089%; 638 | } 639 | .row-fluid .offset10 { 640 | margin-left: 88.39779005524862%; 641 | *margin-left: 88.2914070765252%; 642 | } 643 | .row-fluid .offset10:first-child { 644 | margin-left: 85.6353591160221%; 645 | *margin-left: 85.52897613729868%; 646 | } 647 | .row-fluid .offset9 { 648 | margin-left: 79.8342541436464%; 649 | *margin-left: 79.72787116492299%; 650 | } 651 | .row-fluid .offset9:first-child { 652 | margin-left: 77.07182320441989%; 653 | *margin-left: 76.96544022569647%; 654 | } 655 | .row-fluid .offset8 { 656 | margin-left: 71.2707182320442%; 657 | *margin-left: 71.16433525332079%; 658 | } 659 | .row-fluid .offset8:first-child { 660 | margin-left: 68.50828729281768%; 661 | *margin-left: 68.40190431409427%; 662 | } 663 | .row-fluid .offset7 { 664 | margin-left: 62.70718232044199%; 665 | *margin-left: 62.600799341718584%; 666 | } 667 | .row-fluid .offset7:first-child { 668 | margin-left: 59.94475138121547%; 669 | *margin-left: 59.838368402492065%; 670 | } 671 | .row-fluid .offset6 { 672 | margin-left: 54.14364640883978%; 673 | *margin-left: 54.037263430116376%; 674 | } 675 | .row-fluid .offset6:first-child { 676 | margin-left: 51.38121546961326%; 677 | *margin-left: 51.27483249088986%; 678 | } 679 | .row-fluid .offset5 { 680 | margin-left: 45.58011049723757%; 681 | *margin-left: 45.47372751851417%; 682 | } 683 | .row-fluid .offset5:first-child { 684 | margin-left: 42.81767955801105%; 685 | *margin-left: 42.71129657928765%; 686 | } 687 | .row-fluid .offset4 { 688 | margin-left: 37.01657458563536%; 689 | *margin-left: 36.91019160691196%; 690 | } 691 | .row-fluid .offset4:first-child { 692 | margin-left: 34.25414364640884%; 693 | *margin-left: 34.14776066768544%; 694 | } 695 | .row-fluid .offset3 { 696 | margin-left: 28.45303867403315%; 697 | *margin-left: 28.346655695309746%; 698 | } 699 | .row-fluid .offset3:first-child { 700 | margin-left: 25.69060773480663%; 701 | *margin-left: 25.584224756083227%; 702 | } 703 | .row-fluid .offset2 { 704 | margin-left: 19.88950276243094%; 705 | *margin-left: 19.783119783707537%; 706 | } 707 | .row-fluid .offset2:first-child { 708 | margin-left: 17.12707182320442%; 709 | *margin-left: 17.02068884448102%; 710 | } 711 | .row-fluid .offset1 { 712 | margin-left: 11.32596685082873%; 713 | *margin-left: 11.219583872105325%; 714 | } 715 | .row-fluid .offset1:first-child { 716 | margin-left: 8.56353591160221%; 717 | *margin-left: 8.457152932878806%; 718 | } 719 | input, 720 | textarea, 721 | .uneditable-input { 722 | margin-left: 0; 723 | } 724 | .controls-row [class*="span"] + [class*="span"] { 725 | margin-left: 20px; 726 | } 727 | input.span12, 728 | textarea.span12, 729 | .uneditable-input.span12 { 730 | width: 710px; 731 | } 732 | input.span11, 733 | textarea.span11, 734 | .uneditable-input.span11 { 735 | width: 648px; 736 | } 737 | input.span10, 738 | textarea.span10, 739 | .uneditable-input.span10 { 740 | width: 586px; 741 | } 742 | input.span9, 743 | textarea.span9, 744 | .uneditable-input.span9 { 745 | width: 524px; 746 | } 747 | input.span8, 748 | textarea.span8, 749 | .uneditable-input.span8 { 750 | width: 462px; 751 | } 752 | input.span7, 753 | textarea.span7, 754 | .uneditable-input.span7 { 755 | width: 400px; 756 | } 757 | input.span6, 758 | textarea.span6, 759 | .uneditable-input.span6 { 760 | width: 338px; 761 | } 762 | input.span5, 763 | textarea.span5, 764 | .uneditable-input.span5 { 765 | width: 276px; 766 | } 767 | input.span4, 768 | textarea.span4, 769 | .uneditable-input.span4 { 770 | width: 214px; 771 | } 772 | input.span3, 773 | textarea.span3, 774 | .uneditable-input.span3 { 775 | width: 152px; 776 | } 777 | input.span2, 778 | textarea.span2, 779 | .uneditable-input.span2 { 780 | width: 90px; 781 | } 782 | input.span1, 783 | textarea.span1, 784 | .uneditable-input.span1 { 785 | width: 28px; 786 | } 787 | } 788 | 789 | @media (max-width: 767px) { 790 | body { 791 | padding-right: 20px; 792 | padding-left: 20px; 793 | } 794 | .navbar-fixed-top, 795 | .navbar-fixed-bottom, 796 | .navbar-static-top { 797 | margin-right: -20px; 798 | margin-left: -20px; 799 | } 800 | .container-fluid { 801 | padding: 0; 802 | } 803 | .dl-horizontal dt { 804 | float: none; 805 | width: auto; 806 | clear: none; 807 | text-align: left; 808 | } 809 | .dl-horizontal dd { 810 | margin-left: 0; 811 | } 812 | .container { 813 | width: auto; 814 | } 815 | .row-fluid { 816 | width: 100%; 817 | } 818 | .row, 819 | .thumbnails { 820 | margin-left: 0; 821 | } 822 | .thumbnails > li { 823 | float: none; 824 | margin-left: 0; 825 | } 826 | [class*="span"], 827 | .uneditable-input[class*="span"], 828 | .row-fluid [class*="span"] { 829 | display: block; 830 | float: none; 831 | width: 100%; 832 | margin-left: 0; 833 | -webkit-box-sizing: border-box; 834 | -moz-box-sizing: border-box; 835 | box-sizing: border-box; 836 | } 837 | .span12, 838 | .row-fluid .span12 { 839 | width: 100%; 840 | -webkit-box-sizing: border-box; 841 | -moz-box-sizing: border-box; 842 | box-sizing: border-box; 843 | } 844 | .row-fluid [class*="offset"]:first-child { 845 | margin-left: 0; 846 | } 847 | .input-large, 848 | .input-xlarge, 849 | .input-xxlarge, 850 | input[class*="span"], 851 | select[class*="span"], 852 | textarea[class*="span"], 853 | .uneditable-input { 854 | display: block; 855 | width: 100%; 856 | min-height: 30px; 857 | -webkit-box-sizing: border-box; 858 | -moz-box-sizing: border-box; 859 | box-sizing: border-box; 860 | } 861 | .input-prepend input, 862 | .input-append input, 863 | .input-prepend input[class*="span"], 864 | .input-append input[class*="span"] { 865 | display: inline-block; 866 | width: auto; 867 | } 868 | .controls-row [class*="span"] + [class*="span"] { 869 | margin-left: 0; 870 | } 871 | .modal { 872 | position: fixed; 873 | top: 20px; 874 | right: 20px; 875 | left: 20px; 876 | width: auto; 877 | margin: 0; 878 | } 879 | .modal.fade { 880 | top: -100px; 881 | } 882 | .modal.fade.in { 883 | top: 20px; 884 | } 885 | } 886 | 887 | @media (max-width: 480px) { 888 | .nav-collapse { 889 | -webkit-transform: translate3d(0, 0, 0); 890 | } 891 | .page-header h1 small { 892 | display: block; 893 | line-height: 20px; 894 | } 895 | input[type="checkbox"], 896 | input[type="radio"] { 897 | border: 1px solid #ccc; 898 | } 899 | .form-horizontal .control-label { 900 | float: none; 901 | width: auto; 902 | padding-top: 0; 903 | text-align: left; 904 | } 905 | .form-horizontal .controls { 906 | margin-left: 0; 907 | } 908 | .form-horizontal .control-list { 909 | padding-top: 0; 910 | } 911 | .form-horizontal .form-actions { 912 | padding-right: 10px; 913 | padding-left: 10px; 914 | } 915 | .media .pull-left, 916 | .media .pull-right { 917 | display: block; 918 | float: none; 919 | margin-bottom: 10px; 920 | } 921 | .media-object { 922 | margin-right: 0; 923 | margin-left: 0; 924 | } 925 | .modal { 926 | top: 10px; 927 | right: 10px; 928 | left: 10px; 929 | } 930 | .modal-header .close { 931 | padding: 10px; 932 | margin: -10px; 933 | } 934 | .carousel-caption { 935 | position: static; 936 | } 937 | } 938 | 939 | @media (max-width: 979px) { 940 | body { 941 | padding-top: 0; 942 | } 943 | .navbar-fixed-top, 944 | .navbar-fixed-bottom { 945 | position: static; 946 | } 947 | .navbar-fixed-top { 948 | margin-bottom: 20px; 949 | } 950 | .navbar-fixed-bottom { 951 | margin-top: 20px; 952 | } 953 | .navbar-fixed-top .navbar-inner, 954 | .navbar-fixed-bottom .navbar-inner { 955 | padding: 5px; 956 | } 957 | .navbar .container { 958 | width: auto; 959 | padding: 0; 960 | } 961 | .navbar .brand { 962 | padding-right: 10px; 963 | padding-left: 10px; 964 | margin: 0 0 0 -5px; 965 | } 966 | .nav-collapse { 967 | clear: both; 968 | } 969 | .nav-collapse .nav { 970 | float: none; 971 | margin: 0 0 10px; 972 | } 973 | .nav-collapse .nav > li { 974 | float: none; 975 | } 976 | .nav-collapse .nav > li > a { 977 | margin-bottom: 2px; 978 | } 979 | .nav-collapse .nav > .divider-vertical { 980 | display: none; 981 | } 982 | .nav-collapse .nav .nav-header { 983 | color: #777777; 984 | text-shadow: none; 985 | } 986 | .nav-collapse .nav > li > a, 987 | .nav-collapse .dropdown-menu a { 988 | padding: 9px 15px; 989 | font-weight: bold; 990 | color: #777777; 991 | -webkit-border-radius: 3px; 992 | -moz-border-radius: 3px; 993 | border-radius: 3px; 994 | } 995 | .nav-collapse .btn { 996 | padding: 4px 10px 4px; 997 | font-weight: normal; 998 | -webkit-border-radius: 4px; 999 | -moz-border-radius: 4px; 1000 | border-radius: 4px; 1001 | } 1002 | .nav-collapse .dropdown-menu li + li a { 1003 | margin-bottom: 2px; 1004 | } 1005 | .nav-collapse .nav > li > a:hover, 1006 | .nav-collapse .dropdown-menu a:hover { 1007 | background-color: #f2f2f2; 1008 | } 1009 | .navbar-inverse .nav-collapse .nav > li > a, 1010 | .navbar-inverse .nav-collapse .dropdown-menu a { 1011 | color: #999999; 1012 | } 1013 | .navbar-inverse .nav-collapse .nav > li > a:hover, 1014 | .navbar-inverse .nav-collapse .dropdown-menu a:hover { 1015 | background-color: #111111; 1016 | } 1017 | .nav-collapse.in .btn-group { 1018 | padding: 0; 1019 | margin-top: 5px; 1020 | } 1021 | .nav-collapse .dropdown-menu { 1022 | position: static; 1023 | top: auto; 1024 | left: auto; 1025 | display: none; 1026 | float: none; 1027 | max-width: none; 1028 | padding: 0; 1029 | margin: 0 15px; 1030 | background-color: transparent; 1031 | border: none; 1032 | -webkit-border-radius: 0; 1033 | -moz-border-radius: 0; 1034 | border-radius: 0; 1035 | -webkit-box-shadow: none; 1036 | -moz-box-shadow: none; 1037 | box-shadow: none; 1038 | } 1039 | .nav-collapse .open > .dropdown-menu { 1040 | display: block; 1041 | } 1042 | .nav-collapse .dropdown-menu:before, 1043 | .nav-collapse .dropdown-menu:after { 1044 | display: none; 1045 | } 1046 | .nav-collapse .dropdown-menu .divider { 1047 | display: none; 1048 | } 1049 | .nav-collapse .nav > li > .dropdown-menu:before, 1050 | .nav-collapse .nav > li > .dropdown-menu:after { 1051 | display: none; 1052 | } 1053 | .nav-collapse .navbar-form, 1054 | .nav-collapse .navbar-search { 1055 | float: none; 1056 | padding: 10px 15px; 1057 | margin: 10px 0; 1058 | border-top: 1px solid #f2f2f2; 1059 | border-bottom: 1px solid #f2f2f2; 1060 | -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); 1061 | -moz-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); 1062 | box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); 1063 | } 1064 | .navbar-inverse .nav-collapse .navbar-form, 1065 | .navbar-inverse .nav-collapse .navbar-search { 1066 | border-top-color: #111111; 1067 | border-bottom-color: #111111; 1068 | } 1069 | .navbar .nav-collapse .nav.pull-right { 1070 | float: none; 1071 | margin-left: 0; 1072 | } 1073 | .nav-collapse, 1074 | .nav-collapse.collapse { 1075 | height: 0; 1076 | overflow: hidden; 1077 | } 1078 | .navbar .btn-navbar { 1079 | display: block; 1080 | } 1081 | .navbar-static .navbar-inner { 1082 | padding-right: 10px; 1083 | padding-left: 10px; 1084 | } 1085 | } 1086 | 1087 | @media (min-width: 980px) { 1088 | .nav-collapse.collapse { 1089 | height: auto !important; 1090 | overflow: visible !important; 1091 | } 1092 | } 1093 | -------------------------------------------------------------------------------- /app/resources/js/bootstrap.js: -------------------------------------------------------------------------------- 1 | /* =================================================== 2 | * bootstrap-transition.js v2.2.2 3 | * http://twitter.github.com/bootstrap/javascript.html#transitions 4 | * =================================================== 5 | * Copyright 2012 Twitter, Inc. 6 | * 7 | * Licensed under the Apache License, Version 2.0 (the "License"); 8 | * you may not use this file except in compliance with the License. 9 | * You may obtain a copy of the License at 10 | * 11 | * http://www.apache.org/licenses/LICENSE-2.0 12 | * 13 | * Unless required by applicable law or agreed to in writing, software 14 | * distributed under the License is distributed on an "AS IS" BASIS, 15 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 16 | * See the License for the specific language governing permissions and 17 | * limitations under the License. 18 | * ========================================================== */ 19 | 20 | 21 | !function ($) { 22 | 23 | "use strict"; // jshint ;_; 24 | 25 | 26 | /* CSS TRANSITION SUPPORT (http://www.modernizr.com/) 27 | * ======================================================= */ 28 | 29 | $(function () { 30 | 31 | $.support.transition = (function () { 32 | 33 | var transitionEnd = (function () { 34 | 35 | var el = document.createElement('bootstrap') 36 | , transEndEventNames = { 37 | 'WebkitTransition' : 'webkitTransitionEnd' 38 | , 'MozTransition' : 'transitionend' 39 | , 'OTransition' : 'oTransitionEnd otransitionend' 40 | , 'transition' : 'transitionend' 41 | } 42 | , name 43 | 44 | for (name in transEndEventNames){ 45 | if (el.style[name] !== undefined) { 46 | return transEndEventNames[name] 47 | } 48 | } 49 | 50 | }()) 51 | 52 | return transitionEnd && { 53 | end: transitionEnd 54 | } 55 | 56 | })() 57 | 58 | }) 59 | 60 | }(window.jQuery);/* ========================================================== 61 | * bootstrap-alert.js v2.2.2 62 | * http://twitter.github.com/bootstrap/javascript.html#alerts 63 | * ========================================================== 64 | * Copyright 2012 Twitter, Inc. 65 | * 66 | * Licensed under the Apache License, Version 2.0 (the "License"); 67 | * you may not use this file except in compliance with the License. 68 | * You may obtain a copy of the License at 69 | * 70 | * http://www.apache.org/licenses/LICENSE-2.0 71 | * 72 | * Unless required by applicable law or agreed to in writing, software 73 | * distributed under the License is distributed on an "AS IS" BASIS, 74 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 75 | * See the License for the specific language governing permissions and 76 | * limitations under the License. 77 | * ========================================================== */ 78 | 79 | 80 | !function ($) { 81 | 82 | "use strict"; // jshint ;_; 83 | 84 | 85 | /* ALERT CLASS DEFINITION 86 | * ====================== */ 87 | 88 | var dismiss = '[data-dismiss="alert"]' 89 | , Alert = function (el) { 90 | $(el).on('click', dismiss, this.close) 91 | } 92 | 93 | Alert.prototype.close = function (e) { 94 | var $this = $(this) 95 | , selector = $this.attr('data-target') 96 | , $parent 97 | 98 | if (!selector) { 99 | selector = $this.attr('href') 100 | selector = selector && selector.replace(/.*(?=#[^\s]*$)/, '') //strip for ie7 101 | } 102 | 103 | $parent = $(selector) 104 | 105 | e && e.preventDefault() 106 | 107 | $parent.length || ($parent = $this.hasClass('alert') ? $this : $this.parent()) 108 | 109 | $parent.trigger(e = $.Event('close')) 110 | 111 | if (e.isDefaultPrevented()) return 112 | 113 | $parent.removeClass('in') 114 | 115 | function removeElement() { 116 | $parent 117 | .trigger('closed') 118 | .remove() 119 | } 120 | 121 | $.support.transition && $parent.hasClass('fade') ? 122 | $parent.on($.support.transition.end, removeElement) : 123 | removeElement() 124 | } 125 | 126 | 127 | /* ALERT PLUGIN DEFINITION 128 | * ======================= */ 129 | 130 | var old = $.fn.alert 131 | 132 | $.fn.alert = function (option) { 133 | return this.each(function () { 134 | var $this = $(this) 135 | , data = $this.data('alert') 136 | if (!data) $this.data('alert', (data = new Alert(this))) 137 | if (typeof option == 'string') data[option].call($this) 138 | }) 139 | } 140 | 141 | $.fn.alert.Constructor = Alert 142 | 143 | 144 | /* ALERT NO CONFLICT 145 | * ================= */ 146 | 147 | $.fn.alert.noConflict = function () { 148 | $.fn.alert = old 149 | return this 150 | } 151 | 152 | 153 | /* ALERT DATA-API 154 | * ============== */ 155 | 156 | $(document).on('click.alert.data-api', dismiss, Alert.prototype.close) 157 | 158 | }(window.jQuery);/* ============================================================ 159 | * bootstrap-button.js v2.2.2 160 | * http://twitter.github.com/bootstrap/javascript.html#buttons 161 | * ============================================================ 162 | * Copyright 2012 Twitter, Inc. 163 | * 164 | * Licensed under the Apache License, Version 2.0 (the "License"); 165 | * you may not use this file except in compliance with the License. 166 | * You may obtain a copy of the License at 167 | * 168 | * http://www.apache.org/licenses/LICENSE-2.0 169 | * 170 | * Unless required by applicable law or agreed to in writing, software 171 | * distributed under the License is distributed on an "AS IS" BASIS, 172 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 173 | * See the License for the specific language governing permissions and 174 | * limitations under the License. 175 | * ============================================================ */ 176 | 177 | 178 | !function ($) { 179 | 180 | "use strict"; // jshint ;_; 181 | 182 | 183 | /* BUTTON PUBLIC CLASS DEFINITION 184 | * ============================== */ 185 | 186 | var Button = function (element, options) { 187 | this.$element = $(element) 188 | this.options = $.extend({}, $.fn.button.defaults, options) 189 | } 190 | 191 | Button.prototype.setState = function (state) { 192 | var d = 'disabled' 193 | , $el = this.$element 194 | , data = $el.data() 195 | , val = $el.is('input') ? 'val' : 'html' 196 | 197 | state = state + 'Text' 198 | data.resetText || $el.data('resetText', $el[val]()) 199 | 200 | $el[val](data[state] || this.options[state]) 201 | 202 | // push to event loop to allow forms to submit 203 | setTimeout(function () { 204 | state == 'loadingText' ? 205 | $el.addClass(d).attr(d, d) : 206 | $el.removeClass(d).removeAttr(d) 207 | }, 0) 208 | } 209 | 210 | Button.prototype.toggle = function () { 211 | var $parent = this.$element.closest('[data-toggle="buttons-radio"]') 212 | 213 | $parent && $parent 214 | .find('.active') 215 | .removeClass('active') 216 | 217 | this.$element.toggleClass('active') 218 | } 219 | 220 | 221 | /* BUTTON PLUGIN DEFINITION 222 | * ======================== */ 223 | 224 | var old = $.fn.button 225 | 226 | $.fn.button = function (option) { 227 | return this.each(function () { 228 | var $this = $(this) 229 | , data = $this.data('button') 230 | , options = typeof option == 'object' && option 231 | if (!data) $this.data('button', (data = new Button(this, options))) 232 | if (option == 'toggle') data.toggle() 233 | else if (option) data.setState(option) 234 | }) 235 | } 236 | 237 | $.fn.button.defaults = { 238 | loadingText: 'loading...' 239 | } 240 | 241 | $.fn.button.Constructor = Button 242 | 243 | 244 | /* BUTTON NO CONFLICT 245 | * ================== */ 246 | 247 | $.fn.button.noConflict = function () { 248 | $.fn.button = old 249 | return this 250 | } 251 | 252 | 253 | /* BUTTON DATA-API 254 | * =============== */ 255 | 256 | $(document).on('click.button.data-api', '[data-toggle^=button]', function (e) { 257 | var $btn = $(e.target) 258 | if (!$btn.hasClass('btn')) $btn = $btn.closest('.btn') 259 | $btn.button('toggle') 260 | }) 261 | 262 | }(window.jQuery);/* ========================================================== 263 | * bootstrap-carousel.js v2.2.2 264 | * http://twitter.github.com/bootstrap/javascript.html#carousel 265 | * ========================================================== 266 | * Copyright 2012 Twitter, Inc. 267 | * 268 | * Licensed under the Apache License, Version 2.0 (the "License"); 269 | * you may not use this file except in compliance with the License. 270 | * You may obtain a copy of the License at 271 | * 272 | * http://www.apache.org/licenses/LICENSE-2.0 273 | * 274 | * Unless required by applicable law or agreed to in writing, software 275 | * distributed under the License is distributed on an "AS IS" BASIS, 276 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 277 | * See the License for the specific language governing permissions and 278 | * limitations under the License. 279 | * ========================================================== */ 280 | 281 | 282 | !function ($) { 283 | 284 | "use strict"; // jshint ;_; 285 | 286 | 287 | /* CAROUSEL CLASS DEFINITION 288 | * ========================= */ 289 | 290 | var Carousel = function (element, options) { 291 | this.$element = $(element) 292 | this.options = options 293 | this.options.pause == 'hover' && this.$element 294 | .on('mouseenter', $.proxy(this.pause, this)) 295 | .on('mouseleave', $.proxy(this.cycle, this)) 296 | } 297 | 298 | Carousel.prototype = { 299 | 300 | cycle: function (e) { 301 | if (!e) this.paused = false 302 | this.options.interval 303 | && !this.paused 304 | && (this.interval = setInterval($.proxy(this.next, this), this.options.interval)) 305 | return this 306 | } 307 | 308 | , to: function (pos) { 309 | var $active = this.$element.find('.item.active') 310 | , children = $active.parent().children() 311 | , activePos = children.index($active) 312 | , that = this 313 | 314 | if (pos > (children.length - 1) || pos < 0) return 315 | 316 | if (this.sliding) { 317 | return this.$element.one('slid', function () { 318 | that.to(pos) 319 | }) 320 | } 321 | 322 | if (activePos == pos) { 323 | return this.pause().cycle() 324 | } 325 | 326 | return this.slide(pos > activePos ? 'next' : 'prev', $(children[pos])) 327 | } 328 | 329 | , pause: function (e) { 330 | if (!e) this.paused = true 331 | if (this.$element.find('.next, .prev').length && $.support.transition.end) { 332 | this.$element.trigger($.support.transition.end) 333 | this.cycle() 334 | } 335 | clearInterval(this.interval) 336 | this.interval = null 337 | return this 338 | } 339 | 340 | , next: function () { 341 | if (this.sliding) return 342 | return this.slide('next') 343 | } 344 | 345 | , prev: function () { 346 | if (this.sliding) return 347 | return this.slide('prev') 348 | } 349 | 350 | , slide: function (type, next) { 351 | var $active = this.$element.find('.item.active') 352 | , $next = next || $active[type]() 353 | , isCycling = this.interval 354 | , direction = type == 'next' ? 'left' : 'right' 355 | , fallback = type == 'next' ? 'first' : 'last' 356 | , that = this 357 | , e 358 | 359 | this.sliding = true 360 | 361 | isCycling && this.pause() 362 | 363 | $next = $next.length ? $next : this.$element.find('.item')[fallback]() 364 | 365 | e = $.Event('slide', { 366 | relatedTarget: $next[0] 367 | }) 368 | 369 | if ($next.hasClass('active')) return 370 | 371 | if ($.support.transition && this.$element.hasClass('slide')) { 372 | this.$element.trigger(e) 373 | if (e.isDefaultPrevented()) return 374 | $next.addClass(type) 375 | $next[0].offsetWidth // force reflow 376 | $active.addClass(direction) 377 | $next.addClass(direction) 378 | this.$element.one($.support.transition.end, function () { 379 | $next.removeClass([type, direction].join(' ')).addClass('active') 380 | $active.removeClass(['active', direction].join(' ')) 381 | that.sliding = false 382 | setTimeout(function () { that.$element.trigger('slid') }, 0) 383 | }) 384 | } else { 385 | this.$element.trigger(e) 386 | if (e.isDefaultPrevented()) return 387 | $active.removeClass('active') 388 | $next.addClass('active') 389 | this.sliding = false 390 | this.$element.trigger('slid') 391 | } 392 | 393 | isCycling && this.cycle() 394 | 395 | return this 396 | } 397 | 398 | } 399 | 400 | 401 | /* CAROUSEL PLUGIN DEFINITION 402 | * ========================== */ 403 | 404 | var old = $.fn.carousel 405 | 406 | $.fn.carousel = function (option) { 407 | return this.each(function () { 408 | var $this = $(this) 409 | , data = $this.data('carousel') 410 | , options = $.extend({}, $.fn.carousel.defaults, typeof option == 'object' && option) 411 | , action = typeof option == 'string' ? option : options.slide 412 | if (!data) $this.data('carousel', (data = new Carousel(this, options))) 413 | if (typeof option == 'number') data.to(option) 414 | else if (action) data[action]() 415 | else if (options.interval) data.cycle() 416 | }) 417 | } 418 | 419 | $.fn.carousel.defaults = { 420 | interval: 5000 421 | , pause: 'hover' 422 | } 423 | 424 | $.fn.carousel.Constructor = Carousel 425 | 426 | 427 | /* CAROUSEL NO CONFLICT 428 | * ==================== */ 429 | 430 | $.fn.carousel.noConflict = function () { 431 | $.fn.carousel = old 432 | return this 433 | } 434 | 435 | /* CAROUSEL DATA-API 436 | * ================= */ 437 | 438 | $(document).on('click.carousel.data-api', '[data-slide]', function (e) { 439 | var $this = $(this), href 440 | , $target = $($this.attr('data-target') || (href = $this.attr('href')) && href.replace(/.*(?=#[^\s]+$)/, '')) //strip for ie7 441 | , options = $.extend({}, $target.data(), $this.data()) 442 | $target.carousel(options) 443 | e.preventDefault() 444 | }) 445 | 446 | }(window.jQuery);/* ============================================================= 447 | * bootstrap-collapse.js v2.2.2 448 | * http://twitter.github.com/bootstrap/javascript.html#collapse 449 | * ============================================================= 450 | * Copyright 2012 Twitter, Inc. 451 | * 452 | * Licensed under the Apache License, Version 2.0 (the "License"); 453 | * you may not use this file except in compliance with the License. 454 | * You may obtain a copy of the License at 455 | * 456 | * http://www.apache.org/licenses/LICENSE-2.0 457 | * 458 | * Unless required by applicable law or agreed to in writing, software 459 | * distributed under the License is distributed on an "AS IS" BASIS, 460 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 461 | * See the License for the specific language governing permissions and 462 | * limitations under the License. 463 | * ============================================================ */ 464 | 465 | 466 | !function ($) { 467 | 468 | "use strict"; // jshint ;_; 469 | 470 | 471 | /* COLLAPSE PUBLIC CLASS DEFINITION 472 | * ================================ */ 473 | 474 | var Collapse = function (element, options) { 475 | this.$element = $(element) 476 | this.options = $.extend({}, $.fn.collapse.defaults, options) 477 | 478 | if (this.options.parent) { 479 | this.$parent = $(this.options.parent) 480 | } 481 | 482 | this.options.toggle && this.toggle() 483 | } 484 | 485 | Collapse.prototype = { 486 | 487 | constructor: Collapse 488 | 489 | , dimension: function () { 490 | var hasWidth = this.$element.hasClass('width') 491 | return hasWidth ? 'width' : 'height' 492 | } 493 | 494 | , show: function () { 495 | var dimension 496 | , scroll 497 | , actives 498 | , hasData 499 | 500 | if (this.transitioning) return 501 | 502 | dimension = this.dimension() 503 | scroll = $.camelCase(['scroll', dimension].join('-')) 504 | actives = this.$parent && this.$parent.find('> .accordion-group > .in') 505 | 506 | if (actives && actives.length) { 507 | hasData = actives.data('collapse') 508 | if (hasData && hasData.transitioning) return 509 | actives.collapse('hide') 510 | hasData || actives.data('collapse', null) 511 | } 512 | 513 | this.$element[dimension](0) 514 | this.transition('addClass', $.Event('show'), 'shown') 515 | $.support.transition && this.$element[dimension](this.$element[0][scroll]) 516 | } 517 | 518 | , hide: function () { 519 | var dimension 520 | if (this.transitioning) return 521 | dimension = this.dimension() 522 | this.reset(this.$element[dimension]()) 523 | this.transition('removeClass', $.Event('hide'), 'hidden') 524 | this.$element[dimension](0) 525 | } 526 | 527 | , reset: function (size) { 528 | var dimension = this.dimension() 529 | 530 | this.$element 531 | .removeClass('collapse') 532 | [dimension](size || 'auto') 533 | [0].offsetWidth 534 | 535 | this.$element[size !== null ? 'addClass' : 'removeClass']('collapse') 536 | 537 | return this 538 | } 539 | 540 | , transition: function (method, startEvent, completeEvent) { 541 | var that = this 542 | , complete = function () { 543 | if (startEvent.type == 'show') that.reset() 544 | that.transitioning = 0 545 | that.$element.trigger(completeEvent) 546 | } 547 | 548 | this.$element.trigger(startEvent) 549 | 550 | if (startEvent.isDefaultPrevented()) return 551 | 552 | this.transitioning = 1 553 | 554 | this.$element[method]('in') 555 | 556 | $.support.transition && this.$element.hasClass('collapse') ? 557 | this.$element.one($.support.transition.end, complete) : 558 | complete() 559 | } 560 | 561 | , toggle: function () { 562 | this[this.$element.hasClass('in') ? 'hide' : 'show']() 563 | } 564 | 565 | } 566 | 567 | 568 | /* COLLAPSE PLUGIN DEFINITION 569 | * ========================== */ 570 | 571 | var old = $.fn.collapse 572 | 573 | $.fn.collapse = function (option) { 574 | return this.each(function () { 575 | var $this = $(this) 576 | , data = $this.data('collapse') 577 | , options = typeof option == 'object' && option 578 | if (!data) $this.data('collapse', (data = new Collapse(this, options))) 579 | if (typeof option == 'string') data[option]() 580 | }) 581 | } 582 | 583 | $.fn.collapse.defaults = { 584 | toggle: true 585 | } 586 | 587 | $.fn.collapse.Constructor = Collapse 588 | 589 | 590 | /* COLLAPSE NO CONFLICT 591 | * ==================== */ 592 | 593 | $.fn.collapse.noConflict = function () { 594 | $.fn.collapse = old 595 | return this 596 | } 597 | 598 | 599 | /* COLLAPSE DATA-API 600 | * ================= */ 601 | 602 | $(document).on('click.collapse.data-api', '[data-toggle=collapse]', function (e) { 603 | var $this = $(this), href 604 | , target = $this.attr('data-target') 605 | || e.preventDefault() 606 | || (href = $this.attr('href')) && href.replace(/.*(?=#[^\s]+$)/, '') //strip for ie7 607 | , option = $(target).data('collapse') ? 'toggle' : $this.data() 608 | $this[$(target).hasClass('in') ? 'addClass' : 'removeClass']('collapsed') 609 | $(target).collapse(option) 610 | }) 611 | 612 | }(window.jQuery);/* ============================================================ 613 | * bootstrap-dropdown.js v2.2.2 614 | * http://twitter.github.com/bootstrap/javascript.html#dropdowns 615 | * ============================================================ 616 | * Copyright 2012 Twitter, Inc. 617 | * 618 | * Licensed under the Apache License, Version 2.0 (the "License"); 619 | * you may not use this file except in compliance with the License. 620 | * You may obtain a copy of the License at 621 | * 622 | * http://www.apache.org/licenses/LICENSE-2.0 623 | * 624 | * Unless required by applicable law or agreed to in writing, software 625 | * distributed under the License is distributed on an "AS IS" BASIS, 626 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 627 | * See the License for the specific language governing permissions and 628 | * limitations under the License. 629 | * ============================================================ */ 630 | 631 | 632 | !function ($) { 633 | 634 | "use strict"; // jshint ;_; 635 | 636 | 637 | /* DROPDOWN CLASS DEFINITION 638 | * ========================= */ 639 | 640 | var toggle = '[data-toggle=dropdown]' 641 | , Dropdown = function (element) { 642 | var $el = $(element).on('click.dropdown.data-api', this.toggle) 643 | $('html').on('click.dropdown.data-api', function () { 644 | $el.parent().removeClass('open') 645 | }) 646 | } 647 | 648 | Dropdown.prototype = { 649 | 650 | constructor: Dropdown 651 | 652 | , toggle: function (e) { 653 | var $this = $(this) 654 | , $parent 655 | , isActive 656 | 657 | if ($this.is('.disabled, :disabled')) return 658 | 659 | $parent = getParent($this) 660 | 661 | isActive = $parent.hasClass('open') 662 | 663 | clearMenus() 664 | 665 | if (!isActive) { 666 | $parent.toggleClass('open') 667 | } 668 | 669 | $this.focus() 670 | 671 | return false 672 | } 673 | 674 | , keydown: function (e) { 675 | var $this 676 | , $items 677 | , $active 678 | , $parent 679 | , isActive 680 | , index 681 | 682 | if (!/(38|40|27)/.test(e.keyCode)) return 683 | 684 | $this = $(this) 685 | 686 | e.preventDefault() 687 | e.stopPropagation() 688 | 689 | if ($this.is('.disabled, :disabled')) return 690 | 691 | $parent = getParent($this) 692 | 693 | isActive = $parent.hasClass('open') 694 | 695 | if (!isActive || (isActive && e.keyCode == 27)) return $this.click() 696 | 697 | $items = $('[role=menu] li:not(.divider):visible a', $parent) 698 | 699 | if (!$items.length) return 700 | 701 | index = $items.index($items.filter(':focus')) 702 | 703 | if (e.keyCode == 38 && index > 0) index-- // up 704 | if (e.keyCode == 40 && index < $items.length - 1) index++ // down 705 | if (!~index) index = 0 706 | 707 | $items 708 | .eq(index) 709 | .focus() 710 | } 711 | 712 | } 713 | 714 | function clearMenus() { 715 | $(toggle).each(function () { 716 | getParent($(this)).removeClass('open') 717 | }) 718 | } 719 | 720 | function getParent($this) { 721 | var selector = $this.attr('data-target') 722 | , $parent 723 | 724 | if (!selector) { 725 | selector = $this.attr('href') 726 | selector = selector && /#/.test(selector) && selector.replace(/.*(?=#[^\s]*$)/, '') //strip for ie7 727 | } 728 | 729 | $parent = $(selector) 730 | $parent.length || ($parent = $this.parent()) 731 | 732 | return $parent 733 | } 734 | 735 | 736 | /* DROPDOWN PLUGIN DEFINITION 737 | * ========================== */ 738 | 739 | var old = $.fn.dropdown 740 | 741 | $.fn.dropdown = function (option) { 742 | return this.each(function () { 743 | var $this = $(this) 744 | , data = $this.data('dropdown') 745 | if (!data) $this.data('dropdown', (data = new Dropdown(this))) 746 | if (typeof option == 'string') data[option].call($this) 747 | }) 748 | } 749 | 750 | $.fn.dropdown.Constructor = Dropdown 751 | 752 | 753 | /* DROPDOWN NO CONFLICT 754 | * ==================== */ 755 | 756 | $.fn.dropdown.noConflict = function () { 757 | $.fn.dropdown = old 758 | return this 759 | } 760 | 761 | 762 | /* APPLY TO STANDARD DROPDOWN ELEMENTS 763 | * =================================== */ 764 | 765 | $(document) 766 | .on('click.dropdown.data-api touchstart.dropdown.data-api', clearMenus) 767 | .on('click.dropdown touchstart.dropdown.data-api', '.dropdown form', function (e) { e.stopPropagation() }) 768 | .on('touchstart.dropdown.data-api', '.dropdown-menu', function (e) { e.stopPropagation() }) 769 | .on('click.dropdown.data-api touchstart.dropdown.data-api' , toggle, Dropdown.prototype.toggle) 770 | .on('keydown.dropdown.data-api touchstart.dropdown.data-api', toggle + ', [role=menu]' , Dropdown.prototype.keydown) 771 | 772 | }(window.jQuery);/* ========================================================= 773 | * bootstrap-modal.js v2.2.2 774 | * http://twitter.github.com/bootstrap/javascript.html#modals 775 | * ========================================================= 776 | * Copyright 2012 Twitter, Inc. 777 | * 778 | * Licensed under the Apache License, Version 2.0 (the "License"); 779 | * you may not use this file except in compliance with the License. 780 | * You may obtain a copy of the License at 781 | * 782 | * http://www.apache.org/licenses/LICENSE-2.0 783 | * 784 | * Unless required by applicable law or agreed to in writing, software 785 | * distributed under the License is distributed on an "AS IS" BASIS, 786 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 787 | * See the License for the specific language governing permissions and 788 | * limitations under the License. 789 | * ========================================================= */ 790 | 791 | 792 | !function ($) { 793 | 794 | "use strict"; // jshint ;_; 795 | 796 | 797 | /* MODAL CLASS DEFINITION 798 | * ====================== */ 799 | 800 | var Modal = function (element, options) { 801 | this.options = options 802 | this.$element = $(element) 803 | .delegate('[data-dismiss="modal"]', 'click.dismiss.modal', $.proxy(this.hide, this)) 804 | this.options.remote && this.$element.find('.modal-body').load(this.options.remote) 805 | } 806 | 807 | Modal.prototype = { 808 | 809 | constructor: Modal 810 | 811 | , toggle: function () { 812 | return this[!this.isShown ? 'show' : 'hide']() 813 | } 814 | 815 | , show: function () { 816 | var that = this 817 | , e = $.Event('show') 818 | 819 | this.$element.trigger(e) 820 | 821 | if (this.isShown || e.isDefaultPrevented()) return 822 | 823 | this.isShown = true 824 | 825 | this.escape() 826 | 827 | this.backdrop(function () { 828 | var transition = $.support.transition && that.$element.hasClass('fade') 829 | 830 | if (!that.$element.parent().length) { 831 | that.$element.appendTo(document.body) //don't move modals dom position 832 | } 833 | 834 | that.$element 835 | .show() 836 | 837 | if (transition) { 838 | that.$element[0].offsetWidth // force reflow 839 | } 840 | 841 | that.$element 842 | .addClass('in') 843 | .attr('aria-hidden', false) 844 | 845 | that.enforceFocus() 846 | 847 | transition ? 848 | that.$element.one($.support.transition.end, function () { that.$element.focus().trigger('shown') }) : 849 | that.$element.focus().trigger('shown') 850 | 851 | }) 852 | } 853 | 854 | , hide: function (e) { 855 | e && e.preventDefault() 856 | 857 | var that = this 858 | 859 | e = $.Event('hide') 860 | 861 | this.$element.trigger(e) 862 | 863 | if (!this.isShown || e.isDefaultPrevented()) return 864 | 865 | this.isShown = false 866 | 867 | this.escape() 868 | 869 | $(document).off('focusin.modal') 870 | 871 | this.$element 872 | .removeClass('in') 873 | .attr('aria-hidden', true) 874 | 875 | $.support.transition && this.$element.hasClass('fade') ? 876 | this.hideWithTransition() : 877 | this.hideModal() 878 | } 879 | 880 | , enforceFocus: function () { 881 | var that = this 882 | $(document).on('focusin.modal', function (e) { 883 | if (that.$element[0] !== e.target && !that.$element.has(e.target).length) { 884 | that.$element.focus() 885 | } 886 | }) 887 | } 888 | 889 | , escape: function () { 890 | var that = this 891 | if (this.isShown && this.options.keyboard) { 892 | this.$element.on('keyup.dismiss.modal', function ( e ) { 893 | e.which == 27 && that.hide() 894 | }) 895 | } else if (!this.isShown) { 896 | this.$element.off('keyup.dismiss.modal') 897 | } 898 | } 899 | 900 | , hideWithTransition: function () { 901 | var that = this 902 | , timeout = setTimeout(function () { 903 | that.$element.off($.support.transition.end) 904 | that.hideModal() 905 | }, 500) 906 | 907 | this.$element.one($.support.transition.end, function () { 908 | clearTimeout(timeout) 909 | that.hideModal() 910 | }) 911 | } 912 | 913 | , hideModal: function (that) { 914 | this.$element 915 | .hide() 916 | .trigger('hidden') 917 | 918 | this.backdrop() 919 | } 920 | 921 | , removeBackdrop: function () { 922 | this.$backdrop.remove() 923 | this.$backdrop = null 924 | } 925 | 926 | , backdrop: function (callback) { 927 | var that = this 928 | , animate = this.$element.hasClass('fade') ? 'fade' : '' 929 | 930 | if (this.isShown && this.options.backdrop) { 931 | var doAnimate = $.support.transition && animate 932 | 933 | this.$backdrop = $('