├── .gitignore
├── README.md
├── config
├── __init__.py
├── asgi.py
├── settings.py
├── urls.py
└── wsgi.py
├── manage.py
├── media
└── .gitkeep
├── req.txt
├── static
├── css
│ ├── bootstrap.min.css
│ ├── font-awesome.css
│ ├── normalize.css
│ ├── owl-carousel.css
│ └── templatemo-style.css
├── fonts
│ ├── FontAwesome.otf
│ ├── Roboto-Bold-webfont.eot
│ ├── Roboto-Bold-webfont.svg
│ ├── Roboto-Bold-webfont.ttf
│ ├── Roboto-Bold-webfont.woff
│ ├── Roboto-Light-webfont.eot
│ ├── Roboto-Light-webfont.svg
│ ├── Roboto-Light-webfont.ttf
│ ├── Roboto-Light-webfont.woff
│ ├── Roboto-Regular-webfont.eot
│ ├── Roboto-Regular-webfont.svg
│ ├── Roboto-Regular-webfont.ttf
│ ├── Roboto-Regular-webfont.woff
│ ├── fontawesome-webfont.eot
│ ├── fontawesome-webfont.svg
│ ├── fontawesome-webfont.ttf
│ └── fontawesome-webfont.woff
├── images
│ ├── bg.jpg
│ └── overlay.png
├── js
│ ├── main.js
│ ├── min
│ │ ├── main.min.js
│ │ └── plugins.min.js
│ ├── plugins.js
│ └── vendor
│ │ ├── jquery-1.10.2.min.js
│ │ └── modernizr-2.6.2.min.js
└── sass
│ ├── _banner.scss
│ ├── _base.scss
│ ├── _footer.scss
│ ├── _header.scss
│ ├── _projects.scss
│ ├── _reset.scss
│ ├── _vars.scss
│ └── main.scss
├── templates
├── base.html
└── video_hosting
│ ├── home.html
│ └── video.html
└── video_hosting
├── __init__.py
├── admin.py
├── apps.py
├── migrations
├── 0001_initial.py
└── __init__.py
├── models.py
├── services.py
├── tests.py
├── urls.py
└── views.py
/.gitignore:
--------------------------------------------------------------------------------
1 | .idea
2 | idea
3 | .DS_Store
4 | .env.dev
5 |
6 | *.egg-info/
7 | .installed.cfg
8 | *.egg
9 |
10 | dist
11 | db.sqlite3
12 | sqlite.db
13 | venv
14 |
15 | __pycache__/
16 | */__pycache__/
17 | *.py[cod]
18 | .pyc
19 | *.pyc
20 |
21 | !*media/.gitkeep
22 | media/*
23 |
24 | log/debug.log
25 |
26 | build
27 | doc
28 | home.rst
29 | make.bat
30 | Makefile
31 |
32 | doc-dev
33 |
34 | *.log
35 | .log
36 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 |
Видеохостинг на Django 3
2 |
3 | ### Пример проекта для django видеохостинга.
4 | ### Воспроизведение видео онлайн на django.
5 | ### Видеоплеер django и просмотр видео на сайте.
6 |
7 | ## Старт
8 |
9 | pip install -r req.txt
10 |
11 | python manage.py migrate
12 |
13 | python manage.py createsuperuser
14 |
15 | python manage.py runserver
16 |
17 |
18 |
19 |
20 |
21 |
22 |
23 |
24 |
25 |
--------------------------------------------------------------------------------
/config/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/config/__init__.py
--------------------------------------------------------------------------------
/config/asgi.py:
--------------------------------------------------------------------------------
1 | """
2 | ASGI config for config project.
3 |
4 | It exposes the ASGI callable as a module-level variable named ``application``.
5 |
6 | For more information on this file, see
7 | https://docs.djangoproject.com/en/3.2/howto/deployment/asgi/
8 | """
9 |
10 | import os
11 |
12 | from django.core.asgi import get_asgi_application
13 |
14 | os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'config.settings')
15 |
16 | application = get_asgi_application()
17 |
--------------------------------------------------------------------------------
/config/settings.py:
--------------------------------------------------------------------------------
1 | """
2 | Django settings for config project.
3 |
4 | Generated by 'django-admin startproject' using Django 3.2.5.
5 |
6 | For more information on this file, see
7 | https://docs.djangoproject.com/en/3.2/topics/settings/
8 |
9 | For the full list of settings and their values, see
10 | https://docs.djangoproject.com/en/3.2/ref/settings/
11 | """
12 | import os
13 | from pathlib import Path
14 |
15 | # Build paths inside the project like this: BASE_DIR / 'subdir'.
16 | BASE_DIR = Path(__file__).resolve().parent.parent
17 |
18 |
19 | # Quick-start development settings - unsuitable for production
20 | # See https://docs.djangoproject.com/en/3.2/howto/deployment/checklist/
21 |
22 | # SECURITY WARNING: keep the secret key used in production secret!
23 | SECRET_KEY = 'django-insecure-bf5g9=54fej+=3^rh0&eany+jpx-l&4svihm+br9emx57!jx!z'
24 |
25 | # SECURITY WARNING: don't run with debug turned on in production!
26 | DEBUG = True
27 |
28 | ALLOWED_HOSTS = []
29 |
30 |
31 | # Application definition
32 |
33 | INSTALLED_APPS = [
34 | 'django.contrib.admin',
35 | 'django.contrib.auth',
36 | 'django.contrib.contenttypes',
37 | 'django.contrib.sessions',
38 | 'django.contrib.messages',
39 | 'django.contrib.staticfiles',
40 |
41 | 'video_hosting',
42 | ]
43 |
44 | MIDDLEWARE = [
45 | 'django.middleware.security.SecurityMiddleware',
46 | 'django.contrib.sessions.middleware.SessionMiddleware',
47 | 'django.middleware.common.CommonMiddleware',
48 | 'django.middleware.csrf.CsrfViewMiddleware',
49 | 'django.contrib.auth.middleware.AuthenticationMiddleware',
50 | 'django.contrib.messages.middleware.MessageMiddleware',
51 | 'django.middleware.clickjacking.XFrameOptionsMiddleware',
52 | ]
53 |
54 | ROOT_URLCONF = 'config.urls'
55 |
56 | TEMPLATES = [
57 | {
58 | 'BACKEND': 'django.template.backends.django.DjangoTemplates',
59 | 'DIRS': [os.path.join(BASE_DIR, 'templates')],
60 | 'APP_DIRS': True,
61 | 'OPTIONS': {
62 | 'context_processors': [
63 | 'django.template.context_processors.debug',
64 | 'django.template.context_processors.request',
65 | 'django.contrib.auth.context_processors.auth',
66 | 'django.contrib.messages.context_processors.messages',
67 | ],
68 | },
69 | },
70 | ]
71 |
72 | WSGI_APPLICATION = 'config.wsgi.application'
73 |
74 |
75 | # Database
76 | # https://docs.djangoproject.com/en/3.2/ref/settings/#databases
77 |
78 | DATABASES = {
79 | 'default': {
80 | 'ENGINE': 'django.db.backends.sqlite3',
81 | 'NAME': BASE_DIR / 'db.sqlite3',
82 | }
83 | }
84 |
85 |
86 | # Password validation
87 | # https://docs.djangoproject.com/en/3.2/ref/settings/#auth-password-validators
88 |
89 | AUTH_PASSWORD_VALIDATORS = [
90 | {
91 | 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
92 | },
93 | {
94 | 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
95 | },
96 | {
97 | 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
98 | },
99 | {
100 | 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
101 | },
102 | ]
103 |
104 |
105 | # Internationalization
106 | # https://docs.djangoproject.com/en/3.2/topics/i18n/
107 |
108 | LANGUAGE_CODE = 'en-us'
109 |
110 | TIME_ZONE = 'UTC'
111 |
112 | USE_I18N = True
113 |
114 | USE_L10N = True
115 |
116 | USE_TZ = True
117 |
118 |
119 | # Static files (CSS, JavaScript, Images)
120 | # https://docs.djangoproject.com/en/3.2/howto/static-files/
121 |
122 | STATIC_URL = '/static/'
123 |
124 | # STATIC_ROOT = [BASE_DIR, 'static']
125 | STATIC_DIR = os.path.join(BASE_DIR, 'static')
126 | STATICFILES_DIRS = [STATIC_DIR]
127 |
128 | MEDIA_URL = '/media/'
129 | MEDIA_ROOT = os.path.join(BASE_DIR, 'media')
130 |
131 | # Default primary key field type
132 | # https://docs.djangoproject.com/en/3.2/ref/settings/#default-auto-field
133 |
134 | DEFAULT_AUTO_FIELD = 'django.db.models.BigAutoField'
135 |
--------------------------------------------------------------------------------
/config/urls.py:
--------------------------------------------------------------------------------
1 | from django.conf import settings
2 | from django.conf.urls.static import static
3 | from django.contrib import admin
4 | from django.urls import path, include
5 |
6 | urlpatterns = [
7 | path('admin/', admin.site.urls),
8 | path('', include('video_hosting.urls')),
9 | ]
10 |
11 |
12 | if settings.DEBUG:
13 | urlpatterns += static(settings.STATIC_URL, document_root=settings.STATIC_ROOT)
14 | urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
15 |
--------------------------------------------------------------------------------
/config/wsgi.py:
--------------------------------------------------------------------------------
1 | """
2 | WSGI config for config project.
3 |
4 | It exposes the WSGI callable as a module-level variable named ``application``.
5 |
6 | For more information on this file, see
7 | https://docs.djangoproject.com/en/3.2/howto/deployment/wsgi/
8 | """
9 |
10 | import os
11 |
12 | from django.core.wsgi import get_wsgi_application
13 |
14 | os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'config.settings')
15 |
16 | application = get_wsgi_application()
17 |
--------------------------------------------------------------------------------
/manage.py:
--------------------------------------------------------------------------------
1 | #!/usr/bin/env python
2 | """Django's command-line utility for administrative tasks."""
3 | import os
4 | import sys
5 |
6 |
7 | def main():
8 | """Run administrative tasks."""
9 | os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'config.settings')
10 | try:
11 | from django.core.management import execute_from_command_line
12 | except ImportError as exc:
13 | raise ImportError(
14 | "Couldn't import Django. Are you sure it's installed and "
15 | "available on your PYTHONPATH environment variable? Did you "
16 | "forget to activate a virtual environment?"
17 | ) from exc
18 | execute_from_command_line(sys.argv)
19 |
20 |
21 | if __name__ == '__main__':
22 | main()
23 |
--------------------------------------------------------------------------------
/media/.gitkeep:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/media/.gitkeep
--------------------------------------------------------------------------------
/req.txt:
--------------------------------------------------------------------------------
1 | asgiref==3.4.1
2 | Django==3.2.5
3 | Pillow==9.3.0
4 | pytz==2021.1
5 | sqlparse==0.4.1
6 |
--------------------------------------------------------------------------------
/static/css/font-awesome.css:
--------------------------------------------------------------------------------
1 | /*!
2 | * Font Awesome 4.2.0 by @davegandy - http://fontawesome.io - @fontawesome
3 | * License - http://fontawesome.io/license (Font: SIL OFL 1.1, CSS: MIT License)
4 | */
5 | /* FONT PATH
6 | * -------------------------- */
7 | @font-face {
8 | font-family: 'FontAwesome';
9 | src: url('../fonts/fontawesome-webfont.eot?v=4.2.0');
10 | src: url('../fonts/fontawesome-webfont.eot?#iefix&v=4.2.0') format('embedded-opentype'), url('../fonts/fontawesome-webfont.woff?v=4.2.0') format('woff'), url('../fonts/fontawesome-webfont.ttf?v=4.2.0') format('truetype'), url('../fonts/fontawesome-webfont.svg?v=4.2.0#fontawesomeregular') format('svg');
11 | font-weight: normal;
12 | font-style: normal;
13 | }
14 | .fa {
15 | display: inline-block;
16 | font: normal normal normal 14px/1 FontAwesome;
17 | font-size: inherit;
18 | text-rendering: auto;
19 | -webkit-font-smoothing: antialiased;
20 | -moz-osx-font-smoothing: grayscale;
21 | }
22 | /* makes the font 33% larger relative to the icon container */
23 | .fa-lg {
24 | font-size: 1.33333333em;
25 | line-height: 0.75em;
26 | vertical-align: -15%;
27 | }
28 | .fa-2x {
29 | font-size: 2em;
30 | }
31 | .fa-3x {
32 | font-size: 3em;
33 | }
34 | .fa-4x {
35 | font-size: 4em;
36 | }
37 | .fa-5x {
38 | font-size: 5em;
39 | }
40 | .fa-fw {
41 | width: 1.28571429em;
42 | text-align: center;
43 | }
44 | .fa-ul {
45 | padding-left: 0;
46 | margin-left: 2.14285714em;
47 | list-style-type: none;
48 | }
49 | .fa-ul > li {
50 | position: relative;
51 | }
52 | .fa-li {
53 | position: absolute;
54 | left: -2.14285714em;
55 | width: 2.14285714em;
56 | top: 0.14285714em;
57 | text-align: center;
58 | }
59 | .fa-li.fa-lg {
60 | left: -1.85714286em;
61 | }
62 | .fa-border {
63 | padding: .2em .25em .15em;
64 | border: solid 0.08em #eeeeee;
65 | border-radius: .1em;
66 | }
67 | .pull-right {
68 | float: right;
69 | }
70 | .pull-left {
71 | float: left;
72 | }
73 | .fa.pull-left {
74 | margin-right: .3em;
75 | }
76 | .fa.pull-right {
77 | margin-left: .3em;
78 | }
79 | .fa-spin {
80 | -webkit-animation: fa-spin 2s infinite linear;
81 | animation: fa-spin 2s infinite linear;
82 | }
83 | @-webkit-keyframes fa-spin {
84 | 0% {
85 | -webkit-transform: rotate(0deg);
86 | transform: rotate(0deg);
87 | }
88 | 100% {
89 | -webkit-transform: rotate(359deg);
90 | transform: rotate(359deg);
91 | }
92 | }
93 | @keyframes fa-spin {
94 | 0% {
95 | -webkit-transform: rotate(0deg);
96 | transform: rotate(0deg);
97 | }
98 | 100% {
99 | -webkit-transform: rotate(359deg);
100 | transform: rotate(359deg);
101 | }
102 | }
103 | .fa-rotate-90 {
104 | filter: progid:DXImageTransform.Microsoft.BasicImage(rotation=1);
105 | -webkit-transform: rotate(90deg);
106 | -ms-transform: rotate(90deg);
107 | transform: rotate(90deg);
108 | }
109 | .fa-rotate-180 {
110 | filter: progid:DXImageTransform.Microsoft.BasicImage(rotation=2);
111 | -webkit-transform: rotate(180deg);
112 | -ms-transform: rotate(180deg);
113 | transform: rotate(180deg);
114 | }
115 | .fa-rotate-270 {
116 | filter: progid:DXImageTransform.Microsoft.BasicImage(rotation=3);
117 | -webkit-transform: rotate(270deg);
118 | -ms-transform: rotate(270deg);
119 | transform: rotate(270deg);
120 | }
121 | .fa-flip-horizontal {
122 | filter: progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1);
123 | -webkit-transform: scale(-1, 1);
124 | -ms-transform: scale(-1, 1);
125 | transform: scale(-1, 1);
126 | }
127 | .fa-flip-vertical {
128 | filter: progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1);
129 | -webkit-transform: scale(1, -1);
130 | -ms-transform: scale(1, -1);
131 | transform: scale(1, -1);
132 | }
133 | :root .fa-rotate-90,
134 | :root .fa-rotate-180,
135 | :root .fa-rotate-270,
136 | :root .fa-flip-horizontal,
137 | :root .fa-flip-vertical {
138 | filter: none;
139 | }
140 | .fa-stack {
141 | position: relative;
142 | display: inline-block;
143 | width: 2em;
144 | height: 2em;
145 | line-height: 2em;
146 | vertical-align: middle;
147 | }
148 | .fa-stack-1x,
149 | .fa-stack-2x {
150 | position: absolute;
151 | left: 0;
152 | width: 100%;
153 | text-align: center;
154 | }
155 | .fa-stack-1x {
156 | line-height: inherit;
157 | }
158 | .fa-stack-2x {
159 | font-size: 2em;
160 | }
161 | .fa-inverse {
162 | color: #ffffff;
163 | }
164 | /* Font Awesome uses the Unicode Private Use Area (PUA) to ensure screen
165 | readers do not read off random characters that represent icons */
166 | .fa-glass:before {
167 | content: "\f000";
168 | }
169 | .fa-music:before {
170 | content: "\f001";
171 | }
172 | .fa-search:before {
173 | content: "\f002";
174 | }
175 | .fa-envelope-o:before {
176 | content: "\f003";
177 | }
178 | .fa-heart:before {
179 | content: "\f004";
180 | }
181 | .fa-star:before {
182 | content: "\f005";
183 | }
184 | .fa-star-o:before {
185 | content: "\f006";
186 | }
187 | .fa-user:before {
188 | content: "\f007";
189 | }
190 | .fa-film:before {
191 | content: "\f008";
192 | }
193 | .fa-th-large:before {
194 | content: "\f009";
195 | }
196 | .fa-th:before {
197 | content: "\f00a";
198 | }
199 | .fa-th-list:before {
200 | content: "\f00b";
201 | }
202 | .fa-check:before {
203 | content: "\f00c";
204 | }
205 | .fa-remove:before,
206 | .fa-close:before,
207 | .fa-times:before {
208 | content: "\f00d";
209 | }
210 | .fa-search-plus:before {
211 | content: "\f00e";
212 | }
213 | .fa-search-minus:before {
214 | content: "\f010";
215 | }
216 | .fa-power-off:before {
217 | content: "\f011";
218 | }
219 | .fa-signal:before {
220 | content: "\f012";
221 | }
222 | .fa-gear:before,
223 | .fa-cog:before {
224 | content: "\f013";
225 | }
226 | .fa-trash-o:before {
227 | content: "\f014";
228 | }
229 | .fa-home:before {
230 | content: "\f015";
231 | }
232 | .fa-file-o:before {
233 | content: "\f016";
234 | }
235 | .fa-clock-o:before {
236 | content: "\f017";
237 | }
238 | .fa-road:before {
239 | content: "\f018";
240 | }
241 | .fa-download:before {
242 | content: "\f019";
243 | }
244 | .fa-arrow-circle-o-down:before {
245 | content: "\f01a";
246 | }
247 | .fa-arrow-circle-o-up:before {
248 | content: "\f01b";
249 | }
250 | .fa-inbox:before {
251 | content: "\f01c";
252 | }
253 | .fa-play-circle-o:before {
254 | content: "\f01d";
255 | }
256 | .fa-rotate-right:before,
257 | .fa-repeat:before {
258 | content: "\f01e";
259 | }
260 | .fa-refresh:before {
261 | content: "\f021";
262 | }
263 | .fa-list-alt:before {
264 | content: "\f022";
265 | }
266 | .fa-lock:before {
267 | content: "\f023";
268 | }
269 | .fa-flag:before {
270 | content: "\f024";
271 | }
272 | .fa-headphones:before {
273 | content: "\f025";
274 | }
275 | .fa-volume-off:before {
276 | content: "\f026";
277 | }
278 | .fa-volume-down:before {
279 | content: "\f027";
280 | }
281 | .fa-volume-up:before {
282 | content: "\f028";
283 | }
284 | .fa-qrcode:before {
285 | content: "\f029";
286 | }
287 | .fa-barcode:before {
288 | content: "\f02a";
289 | }
290 | .fa-tag:before {
291 | content: "\f02b";
292 | }
293 | .fa-tags:before {
294 | content: "\f02c";
295 | }
296 | .fa-book:before {
297 | content: "\f02d";
298 | }
299 | .fa-bookmark:before {
300 | content: "\f02e";
301 | }
302 | .fa-print:before {
303 | content: "\f02f";
304 | }
305 | .fa-camera:before {
306 | content: "\f030";
307 | }
308 | .fa-font:before {
309 | content: "\f031";
310 | }
311 | .fa-bold:before {
312 | content: "\f032";
313 | }
314 | .fa-italic:before {
315 | content: "\f033";
316 | }
317 | .fa-text-height:before {
318 | content: "\f034";
319 | }
320 | .fa-text-width:before {
321 | content: "\f035";
322 | }
323 | .fa-align-left:before {
324 | content: "\f036";
325 | }
326 | .fa-align-center:before {
327 | content: "\f037";
328 | }
329 | .fa-align-right:before {
330 | content: "\f038";
331 | }
332 | .fa-align-justify:before {
333 | content: "\f039";
334 | }
335 | .fa-list:before {
336 | content: "\f03a";
337 | }
338 | .fa-dedent:before,
339 | .fa-outdent:before {
340 | content: "\f03b";
341 | }
342 | .fa-indent:before {
343 | content: "\f03c";
344 | }
345 | .fa-video-camera:before {
346 | content: "\f03d";
347 | }
348 | .fa-photo:before,
349 | .fa-image:before,
350 | .fa-picture-o:before {
351 | content: "\f03e";
352 | }
353 | .fa-pencil:before {
354 | content: "\f040";
355 | }
356 | .fa-map-marker:before {
357 | content: "\f041";
358 | }
359 | .fa-adjust:before {
360 | content: "\f042";
361 | }
362 | .fa-tint:before {
363 | content: "\f043";
364 | }
365 | .fa-edit:before,
366 | .fa-pencil-square-o:before {
367 | content: "\f044";
368 | }
369 | .fa-share-square-o:before {
370 | content: "\f045";
371 | }
372 | .fa-check-square-o:before {
373 | content: "\f046";
374 | }
375 | .fa-arrows:before {
376 | content: "\f047";
377 | }
378 | .fa-step-backward:before {
379 | content: "\f048";
380 | }
381 | .fa-fast-backward:before {
382 | content: "\f049";
383 | }
384 | .fa-backward:before {
385 | content: "\f04a";
386 | }
387 | .fa-play:before {
388 | content: "\f04b";
389 | }
390 | .fa-pause:before {
391 | content: "\f04c";
392 | }
393 | .fa-stop:before {
394 | content: "\f04d";
395 | }
396 | .fa-forward:before {
397 | content: "\f04e";
398 | }
399 | .fa-fast-forward:before {
400 | content: "\f050";
401 | }
402 | .fa-step-forward:before {
403 | content: "\f051";
404 | }
405 | .fa-eject:before {
406 | content: "\f052";
407 | }
408 | .fa-chevron-left:before {
409 | content: "\f053";
410 | }
411 | .fa-chevron-right:before {
412 | content: "\f054";
413 | }
414 | .fa-plus-circle:before {
415 | content: "\f055";
416 | }
417 | .fa-minus-circle:before {
418 | content: "\f056";
419 | }
420 | .fa-times-circle:before {
421 | content: "\f057";
422 | }
423 | .fa-check-circle:before {
424 | content: "\f058";
425 | }
426 | .fa-question-circle:before {
427 | content: "\f059";
428 | }
429 | .fa-info-circle:before {
430 | content: "\f05a";
431 | }
432 | .fa-crosshairs:before {
433 | content: "\f05b";
434 | }
435 | .fa-times-circle-o:before {
436 | content: "\f05c";
437 | }
438 | .fa-check-circle-o:before {
439 | content: "\f05d";
440 | }
441 | .fa-ban:before {
442 | content: "\f05e";
443 | }
444 | .fa-arrow-left:before {
445 | content: "\f060";
446 | }
447 | .fa-arrow-right:before {
448 | content: "\f061";
449 | }
450 | .fa-arrow-up:before {
451 | content: "\f062";
452 | }
453 | .fa-arrow-down:before {
454 | content: "\f063";
455 | }
456 | .fa-mail-forward:before,
457 | .fa-share:before {
458 | content: "\f064";
459 | }
460 | .fa-expand:before {
461 | content: "\f065";
462 | }
463 | .fa-compress:before {
464 | content: "\f066";
465 | }
466 | .fa-plus:before {
467 | content: "\f067";
468 | }
469 | .fa-minus:before {
470 | content: "\f068";
471 | }
472 | .fa-asterisk:before {
473 | content: "\f069";
474 | }
475 | .fa-exclamation-circle:before {
476 | content: "\f06a";
477 | }
478 | .fa-gift:before {
479 | content: "\f06b";
480 | }
481 | .fa-leaf:before {
482 | content: "\f06c";
483 | }
484 | .fa-fire:before {
485 | content: "\f06d";
486 | }
487 | .fa-eye:before {
488 | content: "\f06e";
489 | }
490 | .fa-eye-slash:before {
491 | content: "\f070";
492 | }
493 | .fa-warning:before,
494 | .fa-exclamation-triangle:before {
495 | content: "\f071";
496 | }
497 | .fa-plane:before {
498 | content: "\f072";
499 | }
500 | .fa-calendar:before {
501 | content: "\f073";
502 | }
503 | .fa-random:before {
504 | content: "\f074";
505 | }
506 | .fa-comment:before {
507 | content: "\f075";
508 | }
509 | .fa-magnet:before {
510 | content: "\f076";
511 | }
512 | .fa-chevron-up:before {
513 | content: "\f077";
514 | }
515 | .fa-chevron-down:before {
516 | content: "\f078";
517 | }
518 | .fa-retweet:before {
519 | content: "\f079";
520 | }
521 | .fa-shopping-cart:before {
522 | content: "\f07a";
523 | }
524 | .fa-folder:before {
525 | content: "\f07b";
526 | }
527 | .fa-folder-open:before {
528 | content: "\f07c";
529 | }
530 | .fa-arrows-v:before {
531 | content: "\f07d";
532 | }
533 | .fa-arrows-h:before {
534 | content: "\f07e";
535 | }
536 | .fa-bar-chart-o:before,
537 | .fa-bar-chart:before {
538 | content: "\f080";
539 | }
540 | .fa-twitter-square:before {
541 | content: "\f081";
542 | }
543 | .fa-facebook-square:before {
544 | content: "\f082";
545 | }
546 | .fa-camera-retro:before {
547 | content: "\f083";
548 | }
549 | .fa-key:before {
550 | content: "\f084";
551 | }
552 | .fa-gears:before,
553 | .fa-cogs:before {
554 | content: "\f085";
555 | }
556 | .fa-comments:before {
557 | content: "\f086";
558 | }
559 | .fa-thumbs-o-up:before {
560 | content: "\f087";
561 | }
562 | .fa-thumbs-o-down:before {
563 | content: "\f088";
564 | }
565 | .fa-star-half:before {
566 | content: "\f089";
567 | }
568 | .fa-heart-o:before {
569 | content: "\f08a";
570 | }
571 | .fa-sign-out:before {
572 | content: "\f08b";
573 | }
574 | .fa-linkedin-square:before {
575 | content: "\f08c";
576 | }
577 | .fa-thumb-tack:before {
578 | content: "\f08d";
579 | }
580 | .fa-external-link:before {
581 | content: "\f08e";
582 | }
583 | .fa-sign-in:before {
584 | content: "\f090";
585 | }
586 | .fa-trophy:before {
587 | content: "\f091";
588 | }
589 | .fa-github-square:before {
590 | content: "\f092";
591 | }
592 | .fa-upload:before {
593 | content: "\f093";
594 | }
595 | .fa-lemon-o:before {
596 | content: "\f094";
597 | }
598 | .fa-phone:before {
599 | content: "\f095";
600 | }
601 | .fa-square-o:before {
602 | content: "\f096";
603 | }
604 | .fa-bookmark-o:before {
605 | content: "\f097";
606 | }
607 | .fa-phone-square:before {
608 | content: "\f098";
609 | }
610 | .fa-twitter:before {
611 | content: "\f099";
612 | }
613 | .fa-facebook:before {
614 | content: "\f09a";
615 | }
616 | .fa-github:before {
617 | content: "\f09b";
618 | }
619 | .fa-unlock:before {
620 | content: "\f09c";
621 | }
622 | .fa-credit-card:before {
623 | content: "\f09d";
624 | }
625 | .fa-rss:before {
626 | content: "\f09e";
627 | }
628 | .fa-hdd-o:before {
629 | content: "\f0a0";
630 | }
631 | .fa-bullhorn:before {
632 | content: "\f0a1";
633 | }
634 | .fa-bell:before {
635 | content: "\f0f3";
636 | }
637 | .fa-certificate:before {
638 | content: "\f0a3";
639 | }
640 | .fa-hand-o-right:before {
641 | content: "\f0a4";
642 | }
643 | .fa-hand-o-left:before {
644 | content: "\f0a5";
645 | }
646 | .fa-hand-o-up:before {
647 | content: "\f0a6";
648 | }
649 | .fa-hand-o-down:before {
650 | content: "\f0a7";
651 | }
652 | .fa-arrow-circle-left:before {
653 | content: "\f0a8";
654 | }
655 | .fa-arrow-circle-right:before {
656 | content: "\f0a9";
657 | }
658 | .fa-arrow-circle-up:before {
659 | content: "\f0aa";
660 | }
661 | .fa-arrow-circle-down:before {
662 | content: "\f0ab";
663 | }
664 | .fa-globe:before {
665 | content: "\f0ac";
666 | }
667 | .fa-wrench:before {
668 | content: "\f0ad";
669 | }
670 | .fa-tasks:before {
671 | content: "\f0ae";
672 | }
673 | .fa-filter:before {
674 | content: "\f0b0";
675 | }
676 | .fa-briefcase:before {
677 | content: "\f0b1";
678 | }
679 | .fa-arrows-alt:before {
680 | content: "\f0b2";
681 | }
682 | .fa-group:before,
683 | .fa-users:before {
684 | content: "\f0c0";
685 | }
686 | .fa-chain:before,
687 | .fa-link:before {
688 | content: "\f0c1";
689 | }
690 | .fa-cloud:before {
691 | content: "\f0c2";
692 | }
693 | .fa-flask:before {
694 | content: "\f0c3";
695 | }
696 | .fa-cut:before,
697 | .fa-scissors:before {
698 | content: "\f0c4";
699 | }
700 | .fa-copy:before,
701 | .fa-files-o:before {
702 | content: "\f0c5";
703 | }
704 | .fa-paperclip:before {
705 | content: "\f0c6";
706 | }
707 | .fa-save:before,
708 | .fa-floppy-o:before {
709 | content: "\f0c7";
710 | }
711 | .fa-square:before {
712 | content: "\f0c8";
713 | }
714 | .fa-navicon:before,
715 | .fa-reorder:before,
716 | .fa-bars:before {
717 | content: "\f0c9";
718 | }
719 | .fa-list-ul:before {
720 | content: "\f0ca";
721 | }
722 | .fa-list-ol:before {
723 | content: "\f0cb";
724 | }
725 | .fa-strikethrough:before {
726 | content: "\f0cc";
727 | }
728 | .fa-underline:before {
729 | content: "\f0cd";
730 | }
731 | .fa-table:before {
732 | content: "\f0ce";
733 | }
734 | .fa-magic:before {
735 | content: "\f0d0";
736 | }
737 | .fa-truck:before {
738 | content: "\f0d1";
739 | }
740 | .fa-pinterest:before {
741 | content: "\f0d2";
742 | }
743 | .fa-pinterest-square:before {
744 | content: "\f0d3";
745 | }
746 | .fa-google-plus-square:before {
747 | content: "\f0d4";
748 | }
749 | .fa-google-plus:before {
750 | content: "\f0d5";
751 | }
752 | .fa-money:before {
753 | content: "\f0d6";
754 | }
755 | .fa-caret-down:before {
756 | content: "\f0d7";
757 | }
758 | .fa-caret-up:before {
759 | content: "\f0d8";
760 | }
761 | .fa-caret-left:before {
762 | content: "\f0d9";
763 | }
764 | .fa-caret-right:before {
765 | content: "\f0da";
766 | }
767 | .fa-columns:before {
768 | content: "\f0db";
769 | }
770 | .fa-unsorted:before,
771 | .fa-sort:before {
772 | content: "\f0dc";
773 | }
774 | .fa-sort-down:before,
775 | .fa-sort-desc:before {
776 | content: "\f0dd";
777 | }
778 | .fa-sort-up:before,
779 | .fa-sort-asc:before {
780 | content: "\f0de";
781 | }
782 | .fa-envelope:before {
783 | content: "\f0e0";
784 | }
785 | .fa-linkedin:before {
786 | content: "\f0e1";
787 | }
788 | .fa-rotate-left:before,
789 | .fa-undo:before {
790 | content: "\f0e2";
791 | }
792 | .fa-legal:before,
793 | .fa-gavel:before {
794 | content: "\f0e3";
795 | }
796 | .fa-dashboard:before,
797 | .fa-tachometer:before {
798 | content: "\f0e4";
799 | }
800 | .fa-comment-o:before {
801 | content: "\f0e5";
802 | }
803 | .fa-comments-o:before {
804 | content: "\f0e6";
805 | }
806 | .fa-flash:before,
807 | .fa-bolt:before {
808 | content: "\f0e7";
809 | }
810 | .fa-sitemap:before {
811 | content: "\f0e8";
812 | }
813 | .fa-umbrella:before {
814 | content: "\f0e9";
815 | }
816 | .fa-paste:before,
817 | .fa-clipboard:before {
818 | content: "\f0ea";
819 | }
820 | .fa-lightbulb-o:before {
821 | content: "\f0eb";
822 | }
823 | .fa-exchange:before {
824 | content: "\f0ec";
825 | }
826 | .fa-cloud-download:before {
827 | content: "\f0ed";
828 | }
829 | .fa-cloud-upload:before {
830 | content: "\f0ee";
831 | }
832 | .fa-user-md:before {
833 | content: "\f0f0";
834 | }
835 | .fa-stethoscope:before {
836 | content: "\f0f1";
837 | }
838 | .fa-suitcase:before {
839 | content: "\f0f2";
840 | }
841 | .fa-bell-o:before {
842 | content: "\f0a2";
843 | }
844 | .fa-coffee:before {
845 | content: "\f0f4";
846 | }
847 | .fa-cutlery:before {
848 | content: "\f0f5";
849 | }
850 | .fa-file-text-o:before {
851 | content: "\f0f6";
852 | }
853 | .fa-building-o:before {
854 | content: "\f0f7";
855 | }
856 | .fa-hospital-o:before {
857 | content: "\f0f8";
858 | }
859 | .fa-ambulance:before {
860 | content: "\f0f9";
861 | }
862 | .fa-medkit:before {
863 | content: "\f0fa";
864 | }
865 | .fa-fighter-jet:before {
866 | content: "\f0fb";
867 | }
868 | .fa-beer:before {
869 | content: "\f0fc";
870 | }
871 | .fa-h-square:before {
872 | content: "\f0fd";
873 | }
874 | .fa-plus-square:before {
875 | content: "\f0fe";
876 | }
877 | .fa-angle-double-left:before {
878 | content: "\f100";
879 | }
880 | .fa-angle-double-right:before {
881 | content: "\f101";
882 | }
883 | .fa-angle-double-up:before {
884 | content: "\f102";
885 | }
886 | .fa-angle-double-down:before {
887 | content: "\f103";
888 | }
889 | .fa-angle-left:before {
890 | content: "\f104";
891 | }
892 | .fa-angle-right:before {
893 | content: "\f105";
894 | }
895 | .fa-angle-up:before {
896 | content: "\f106";
897 | }
898 | .fa-angle-down:before {
899 | content: "\f107";
900 | }
901 | .fa-desktop:before {
902 | content: "\f108";
903 | }
904 | .fa-laptop:before {
905 | content: "\f109";
906 | }
907 | .fa-tablet:before {
908 | content: "\f10a";
909 | }
910 | .fa-mobile-phone:before,
911 | .fa-mobile:before {
912 | content: "\f10b";
913 | }
914 | .fa-circle-o:before {
915 | content: "\f10c";
916 | }
917 | .fa-quote-left:before {
918 | content: "\f10d";
919 | }
920 | .fa-quote-right:before {
921 | content: "\f10e";
922 | }
923 | .fa-spinner:before {
924 | content: "\f110";
925 | }
926 | .fa-circle:before {
927 | content: "\f111";
928 | }
929 | .fa-mail-reply:before,
930 | .fa-reply:before {
931 | content: "\f112";
932 | }
933 | .fa-github-alt:before {
934 | content: "\f113";
935 | }
936 | .fa-folder-o:before {
937 | content: "\f114";
938 | }
939 | .fa-folder-open-o:before {
940 | content: "\f115";
941 | }
942 | .fa-smile-o:before {
943 | content: "\f118";
944 | }
945 | .fa-frown-o:before {
946 | content: "\f119";
947 | }
948 | .fa-meh-o:before {
949 | content: "\f11a";
950 | }
951 | .fa-gamepad:before {
952 | content: "\f11b";
953 | }
954 | .fa-keyboard-o:before {
955 | content: "\f11c";
956 | }
957 | .fa-flag-o:before {
958 | content: "\f11d";
959 | }
960 | .fa-flag-checkered:before {
961 | content: "\f11e";
962 | }
963 | .fa-terminal:before {
964 | content: "\f120";
965 | }
966 | .fa-code:before {
967 | content: "\f121";
968 | }
969 | .fa-mail-reply-all:before,
970 | .fa-reply-all:before {
971 | content: "\f122";
972 | }
973 | .fa-star-half-empty:before,
974 | .fa-star-half-full:before,
975 | .fa-star-half-o:before {
976 | content: "\f123";
977 | }
978 | .fa-location-arrow:before {
979 | content: "\f124";
980 | }
981 | .fa-crop:before {
982 | content: "\f125";
983 | }
984 | .fa-code-fork:before {
985 | content: "\f126";
986 | }
987 | .fa-unlink:before,
988 | .fa-chain-broken:before {
989 | content: "\f127";
990 | }
991 | .fa-question:before {
992 | content: "\f128";
993 | }
994 | .fa-info:before {
995 | content: "\f129";
996 | }
997 | .fa-exclamation:before {
998 | content: "\f12a";
999 | }
1000 | .fa-superscript:before {
1001 | content: "\f12b";
1002 | }
1003 | .fa-subscript:before {
1004 | content: "\f12c";
1005 | }
1006 | .fa-eraser:before {
1007 | content: "\f12d";
1008 | }
1009 | .fa-puzzle-piece:before {
1010 | content: "\f12e";
1011 | }
1012 | .fa-microphone:before {
1013 | content: "\f130";
1014 | }
1015 | .fa-microphone-slash:before {
1016 | content: "\f131";
1017 | }
1018 | .fa-shield:before {
1019 | content: "\f132";
1020 | }
1021 | .fa-calendar-o:before {
1022 | content: "\f133";
1023 | }
1024 | .fa-fire-extinguisher:before {
1025 | content: "\f134";
1026 | }
1027 | .fa-rocket:before {
1028 | content: "\f135";
1029 | }
1030 | .fa-maxcdn:before {
1031 | content: "\f136";
1032 | }
1033 | .fa-chevron-circle-left:before {
1034 | content: "\f137";
1035 | }
1036 | .fa-chevron-circle-right:before {
1037 | content: "\f138";
1038 | }
1039 | .fa-chevron-circle-up:before {
1040 | content: "\f139";
1041 | }
1042 | .fa-chevron-circle-down:before {
1043 | content: "\f13a";
1044 | }
1045 | .fa-html5:before {
1046 | content: "\f13b";
1047 | }
1048 | .fa-css3:before {
1049 | content: "\f13c";
1050 | }
1051 | .fa-anchor:before {
1052 | content: "\f13d";
1053 | }
1054 | .fa-unlock-alt:before {
1055 | content: "\f13e";
1056 | }
1057 | .fa-bullseye:before {
1058 | content: "\f140";
1059 | }
1060 | .fa-ellipsis-h:before {
1061 | content: "\f141";
1062 | }
1063 | .fa-ellipsis-v:before {
1064 | content: "\f142";
1065 | }
1066 | .fa-rss-square:before {
1067 | content: "\f143";
1068 | }
1069 | .fa-play-circle:before {
1070 | content: "\f144";
1071 | }
1072 | .fa-ticket:before {
1073 | content: "\f145";
1074 | }
1075 | .fa-minus-square:before {
1076 | content: "\f146";
1077 | }
1078 | .fa-minus-square-o:before {
1079 | content: "\f147";
1080 | }
1081 | .fa-level-up:before {
1082 | content: "\f148";
1083 | }
1084 | .fa-level-down:before {
1085 | content: "\f149";
1086 | }
1087 | .fa-check-square:before {
1088 | content: "\f14a";
1089 | }
1090 | .fa-pencil-square:before {
1091 | content: "\f14b";
1092 | }
1093 | .fa-external-link-square:before {
1094 | content: "\f14c";
1095 | }
1096 | .fa-share-square:before {
1097 | content: "\f14d";
1098 | }
1099 | .fa-compass:before {
1100 | content: "\f14e";
1101 | }
1102 | .fa-toggle-down:before,
1103 | .fa-caret-square-o-down:before {
1104 | content: "\f150";
1105 | }
1106 | .fa-toggle-up:before,
1107 | .fa-caret-square-o-up:before {
1108 | content: "\f151";
1109 | }
1110 | .fa-toggle-right:before,
1111 | .fa-caret-square-o-right:before {
1112 | content: "\f152";
1113 | }
1114 | .fa-euro:before,
1115 | .fa-eur:before {
1116 | content: "\f153";
1117 | }
1118 | .fa-gbp:before {
1119 | content: "\f154";
1120 | }
1121 | .fa-dollar:before,
1122 | .fa-usd:before {
1123 | content: "\f155";
1124 | }
1125 | .fa-rupee:before,
1126 | .fa-inr:before {
1127 | content: "\f156";
1128 | }
1129 | .fa-cny:before,
1130 | .fa-rmb:before,
1131 | .fa-yen:before,
1132 | .fa-jpy:before {
1133 | content: "\f157";
1134 | }
1135 | .fa-ruble:before,
1136 | .fa-rouble:before,
1137 | .fa-rub:before {
1138 | content: "\f158";
1139 | }
1140 | .fa-won:before,
1141 | .fa-krw:before {
1142 | content: "\f159";
1143 | }
1144 | .fa-bitcoin:before,
1145 | .fa-btc:before {
1146 | content: "\f15a";
1147 | }
1148 | .fa-file:before {
1149 | content: "\f15b";
1150 | }
1151 | .fa-file-text:before {
1152 | content: "\f15c";
1153 | }
1154 | .fa-sort-alpha-asc:before {
1155 | content: "\f15d";
1156 | }
1157 | .fa-sort-alpha-desc:before {
1158 | content: "\f15e";
1159 | }
1160 | .fa-sort-amount-asc:before {
1161 | content: "\f160";
1162 | }
1163 | .fa-sort-amount-desc:before {
1164 | content: "\f161";
1165 | }
1166 | .fa-sort-numeric-asc:before {
1167 | content: "\f162";
1168 | }
1169 | .fa-sort-numeric-desc:before {
1170 | content: "\f163";
1171 | }
1172 | .fa-thumbs-up:before {
1173 | content: "\f164";
1174 | }
1175 | .fa-thumbs-down:before {
1176 | content: "\f165";
1177 | }
1178 | .fa-youtube-square:before {
1179 | content: "\f166";
1180 | }
1181 | .fa-youtube:before {
1182 | content: "\f167";
1183 | }
1184 | .fa-xing:before {
1185 | content: "\f168";
1186 | }
1187 | .fa-xing-square:before {
1188 | content: "\f169";
1189 | }
1190 | .fa-youtube-play:before {
1191 | content: "\f16a";
1192 | }
1193 | .fa-dropbox:before {
1194 | content: "\f16b";
1195 | }
1196 | .fa-stack-overflow:before {
1197 | content: "\f16c";
1198 | }
1199 | .fa-instagram:before {
1200 | content: "\f16d";
1201 | }
1202 | .fa-flickr:before {
1203 | content: "\f16e";
1204 | }
1205 | .fa-adn:before {
1206 | content: "\f170";
1207 | }
1208 | .fa-bitbucket:before {
1209 | content: "\f171";
1210 | }
1211 | .fa-bitbucket-square:before {
1212 | content: "\f172";
1213 | }
1214 | .fa-tumblr:before {
1215 | content: "\f173";
1216 | }
1217 | .fa-tumblr-square:before {
1218 | content: "\f174";
1219 | }
1220 | .fa-long-arrow-down:before {
1221 | content: "\f175";
1222 | }
1223 | .fa-long-arrow-up:before {
1224 | content: "\f176";
1225 | }
1226 | .fa-long-arrow-left:before {
1227 | content: "\f177";
1228 | }
1229 | .fa-long-arrow-right:before {
1230 | content: "\f178";
1231 | }
1232 | .fa-apple:before {
1233 | content: "\f179";
1234 | }
1235 | .fa-windows:before {
1236 | content: "\f17a";
1237 | }
1238 | .fa-android:before {
1239 | content: "\f17b";
1240 | }
1241 | .fa-linux:before {
1242 | content: "\f17c";
1243 | }
1244 | .fa-dribbble:before {
1245 | content: "\f17d";
1246 | }
1247 | .fa-skype:before {
1248 | content: "\f17e";
1249 | }
1250 | .fa-foursquare:before {
1251 | content: "\f180";
1252 | }
1253 | .fa-trello:before {
1254 | content: "\f181";
1255 | }
1256 | .fa-female:before {
1257 | content: "\f182";
1258 | }
1259 | .fa-male:before {
1260 | content: "\f183";
1261 | }
1262 | .fa-gittip:before {
1263 | content: "\f184";
1264 | }
1265 | .fa-sun-o:before {
1266 | content: "\f185";
1267 | }
1268 | .fa-moon-o:before {
1269 | content: "\f186";
1270 | }
1271 | .fa-archive:before {
1272 | content: "\f187";
1273 | }
1274 | .fa-bug:before {
1275 | content: "\f188";
1276 | }
1277 | .fa-vk:before {
1278 | content: "\f189";
1279 | }
1280 | .fa-weibo:before {
1281 | content: "\f18a";
1282 | }
1283 | .fa-renren:before {
1284 | content: "\f18b";
1285 | }
1286 | .fa-pagelines:before {
1287 | content: "\f18c";
1288 | }
1289 | .fa-stack-exchange:before {
1290 | content: "\f18d";
1291 | }
1292 | .fa-arrow-circle-o-right:before {
1293 | content: "\f18e";
1294 | }
1295 | .fa-arrow-circle-o-left:before {
1296 | content: "\f190";
1297 | }
1298 | .fa-toggle-left:before,
1299 | .fa-caret-square-o-left:before {
1300 | content: "\f191";
1301 | }
1302 | .fa-dot-circle-o:before {
1303 | content: "\f192";
1304 | }
1305 | .fa-wheelchair:before {
1306 | content: "\f193";
1307 | }
1308 | .fa-vimeo-square:before {
1309 | content: "\f194";
1310 | }
1311 | .fa-turkish-lira:before,
1312 | .fa-try:before {
1313 | content: "\f195";
1314 | }
1315 | .fa-plus-square-o:before {
1316 | content: "\f196";
1317 | }
1318 | .fa-space-shuttle:before {
1319 | content: "\f197";
1320 | }
1321 | .fa-slack:before {
1322 | content: "\f198";
1323 | }
1324 | .fa-envelope-square:before {
1325 | content: "\f199";
1326 | }
1327 | .fa-wordpress:before {
1328 | content: "\f19a";
1329 | }
1330 | .fa-openid:before {
1331 | content: "\f19b";
1332 | }
1333 | .fa-institution:before,
1334 | .fa-bank:before,
1335 | .fa-university:before {
1336 | content: "\f19c";
1337 | }
1338 | .fa-mortar-board:before,
1339 | .fa-graduation-cap:before {
1340 | content: "\f19d";
1341 | }
1342 | .fa-yahoo:before {
1343 | content: "\f19e";
1344 | }
1345 | .fa-google:before {
1346 | content: "\f1a0";
1347 | }
1348 | .fa-reddit:before {
1349 | content: "\f1a1";
1350 | }
1351 | .fa-reddit-square:before {
1352 | content: "\f1a2";
1353 | }
1354 | .fa-stumbleupon-circle:before {
1355 | content: "\f1a3";
1356 | }
1357 | .fa-stumbleupon:before {
1358 | content: "\f1a4";
1359 | }
1360 | .fa-delicious:before {
1361 | content: "\f1a5";
1362 | }
1363 | .fa-digg:before {
1364 | content: "\f1a6";
1365 | }
1366 | .fa-pied-piper:before {
1367 | content: "\f1a7";
1368 | }
1369 | .fa-pied-piper-alt:before {
1370 | content: "\f1a8";
1371 | }
1372 | .fa-drupal:before {
1373 | content: "\f1a9";
1374 | }
1375 | .fa-joomla:before {
1376 | content: "\f1aa";
1377 | }
1378 | .fa-language:before {
1379 | content: "\f1ab";
1380 | }
1381 | .fa-fax:before {
1382 | content: "\f1ac";
1383 | }
1384 | .fa-building:before {
1385 | content: "\f1ad";
1386 | }
1387 | .fa-child:before {
1388 | content: "\f1ae";
1389 | }
1390 | .fa-paw:before {
1391 | content: "\f1b0";
1392 | }
1393 | .fa-spoon:before {
1394 | content: "\f1b1";
1395 | }
1396 | .fa-cube:before {
1397 | content: "\f1b2";
1398 | }
1399 | .fa-cubes:before {
1400 | content: "\f1b3";
1401 | }
1402 | .fa-behance:before {
1403 | content: "\f1b4";
1404 | }
1405 | .fa-behance-square:before {
1406 | content: "\f1b5";
1407 | }
1408 | .fa-steam:before {
1409 | content: "\f1b6";
1410 | }
1411 | .fa-steam-square:before {
1412 | content: "\f1b7";
1413 | }
1414 | .fa-recycle:before {
1415 | content: "\f1b8";
1416 | }
1417 | .fa-automobile:before,
1418 | .fa-car:before {
1419 | content: "\f1b9";
1420 | }
1421 | .fa-cab:before,
1422 | .fa-taxi:before {
1423 | content: "\f1ba";
1424 | }
1425 | .fa-tree:before {
1426 | content: "\f1bb";
1427 | }
1428 | .fa-spotify:before {
1429 | content: "\f1bc";
1430 | }
1431 | .fa-deviantart:before {
1432 | content: "\f1bd";
1433 | }
1434 | .fa-soundcloud:before {
1435 | content: "\f1be";
1436 | }
1437 | .fa-database:before {
1438 | content: "\f1c0";
1439 | }
1440 | .fa-file-pdf-o:before {
1441 | content: "\f1c1";
1442 | }
1443 | .fa-file-word-o:before {
1444 | content: "\f1c2";
1445 | }
1446 | .fa-file-excel-o:before {
1447 | content: "\f1c3";
1448 | }
1449 | .fa-file-powerpoint-o:before {
1450 | content: "\f1c4";
1451 | }
1452 | .fa-file-photo-o:before,
1453 | .fa-file-picture-o:before,
1454 | .fa-file-image-o:before {
1455 | content: "\f1c5";
1456 | }
1457 | .fa-file-zip-o:before,
1458 | .fa-file-archive-o:before {
1459 | content: "\f1c6";
1460 | }
1461 | .fa-file-sound-o:before,
1462 | .fa-file-audio-o:before {
1463 | content: "\f1c7";
1464 | }
1465 | .fa-file-movie-o:before,
1466 | .fa-file-video-o:before {
1467 | content: "\f1c8";
1468 | }
1469 | .fa-file-code-o:before {
1470 | content: "\f1c9";
1471 | }
1472 | .fa-vine:before {
1473 | content: "\f1ca";
1474 | }
1475 | .fa-codepen:before {
1476 | content: "\f1cb";
1477 | }
1478 | .fa-jsfiddle:before {
1479 | content: "\f1cc";
1480 | }
1481 | .fa-life-bouy:before,
1482 | .fa-life-buoy:before,
1483 | .fa-life-saver:before,
1484 | .fa-support:before,
1485 | .fa-life-ring:before {
1486 | content: "\f1cd";
1487 | }
1488 | .fa-circle-o-notch:before {
1489 | content: "\f1ce";
1490 | }
1491 | .fa-ra:before,
1492 | .fa-rebel:before {
1493 | content: "\f1d0";
1494 | }
1495 | .fa-ge:before,
1496 | .fa-empire:before {
1497 | content: "\f1d1";
1498 | }
1499 | .fa-git-square:before {
1500 | content: "\f1d2";
1501 | }
1502 | .fa-git:before {
1503 | content: "\f1d3";
1504 | }
1505 | .fa-hacker-news:before {
1506 | content: "\f1d4";
1507 | }
1508 | .fa-tencent-weibo:before {
1509 | content: "\f1d5";
1510 | }
1511 | .fa-qq:before {
1512 | content: "\f1d6";
1513 | }
1514 | .fa-wechat:before,
1515 | .fa-weixin:before {
1516 | content: "\f1d7";
1517 | }
1518 | .fa-send:before,
1519 | .fa-paper-plane:before {
1520 | content: "\f1d8";
1521 | }
1522 | .fa-send-o:before,
1523 | .fa-paper-plane-o:before {
1524 | content: "\f1d9";
1525 | }
1526 | .fa-history:before {
1527 | content: "\f1da";
1528 | }
1529 | .fa-circle-thin:before {
1530 | content: "\f1db";
1531 | }
1532 | .fa-header:before {
1533 | content: "\f1dc";
1534 | }
1535 | .fa-paragraph:before {
1536 | content: "\f1dd";
1537 | }
1538 | .fa-sliders:before {
1539 | content: "\f1de";
1540 | }
1541 | .fa-share-alt:before {
1542 | content: "\f1e0";
1543 | }
1544 | .fa-share-alt-square:before {
1545 | content: "\f1e1";
1546 | }
1547 | .fa-bomb:before {
1548 | content: "\f1e2";
1549 | }
1550 | .fa-soccer-ball-o:before,
1551 | .fa-futbol-o:before {
1552 | content: "\f1e3";
1553 | }
1554 | .fa-tty:before {
1555 | content: "\f1e4";
1556 | }
1557 | .fa-binoculars:before {
1558 | content: "\f1e5";
1559 | }
1560 | .fa-plug:before {
1561 | content: "\f1e6";
1562 | }
1563 | .fa-slideshare:before {
1564 | content: "\f1e7";
1565 | }
1566 | .fa-twitch:before {
1567 | content: "\f1e8";
1568 | }
1569 | .fa-yelp:before {
1570 | content: "\f1e9";
1571 | }
1572 | .fa-newspaper-o:before {
1573 | content: "\f1ea";
1574 | }
1575 | .fa-wifi:before {
1576 | content: "\f1eb";
1577 | }
1578 | .fa-calculator:before {
1579 | content: "\f1ec";
1580 | }
1581 | .fa-paypal:before {
1582 | content: "\f1ed";
1583 | }
1584 | .fa-google-wallet:before {
1585 | content: "\f1ee";
1586 | }
1587 | .fa-cc-visa:before {
1588 | content: "\f1f0";
1589 | }
1590 | .fa-cc-mastercard:before {
1591 | content: "\f1f1";
1592 | }
1593 | .fa-cc-discover:before {
1594 | content: "\f1f2";
1595 | }
1596 | .fa-cc-amex:before {
1597 | content: "\f1f3";
1598 | }
1599 | .fa-cc-paypal:before {
1600 | content: "\f1f4";
1601 | }
1602 | .fa-cc-stripe:before {
1603 | content: "\f1f5";
1604 | }
1605 | .fa-bell-slash:before {
1606 | content: "\f1f6";
1607 | }
1608 | .fa-bell-slash-o:before {
1609 | content: "\f1f7";
1610 | }
1611 | .fa-trash:before {
1612 | content: "\f1f8";
1613 | }
1614 | .fa-copyright:before {
1615 | content: "\f1f9";
1616 | }
1617 | .fa-at:before {
1618 | content: "\f1fa";
1619 | }
1620 | .fa-eyedropper:before {
1621 | content: "\f1fb";
1622 | }
1623 | .fa-paint-brush:before {
1624 | content: "\f1fc";
1625 | }
1626 | .fa-birthday-cake:before {
1627 | content: "\f1fd";
1628 | }
1629 | .fa-area-chart:before {
1630 | content: "\f1fe";
1631 | }
1632 | .fa-pie-chart:before {
1633 | content: "\f200";
1634 | }
1635 | .fa-line-chart:before {
1636 | content: "\f201";
1637 | }
1638 | .fa-lastfm:before {
1639 | content: "\f202";
1640 | }
1641 | .fa-lastfm-square:before {
1642 | content: "\f203";
1643 | }
1644 | .fa-toggle-off:before {
1645 | content: "\f204";
1646 | }
1647 | .fa-toggle-on:before {
1648 | content: "\f205";
1649 | }
1650 | .fa-bicycle:before {
1651 | content: "\f206";
1652 | }
1653 | .fa-bus:before {
1654 | content: "\f207";
1655 | }
1656 | .fa-ioxhost:before {
1657 | content: "\f208";
1658 | }
1659 | .fa-angellist:before {
1660 | content: "\f209";
1661 | }
1662 | .fa-cc:before {
1663 | content: "\f20a";
1664 | }
1665 | .fa-shekel:before,
1666 | .fa-sheqel:before,
1667 | .fa-ils:before {
1668 | content: "\f20b";
1669 | }
1670 | .fa-meanpath:before {
1671 | content: "\f20c";
1672 | }
1673 |
--------------------------------------------------------------------------------
/static/css/normalize.css:
--------------------------------------------------------------------------------
1 | /*! normalize.css v1.1.3 | MIT License | git.io/normalize */
2 |
3 | /* ==========================================================================
4 | HTML5 display definitions
5 | ========================================================================== */
6 |
7 | /**
8 | * Correct `block` display not defined in IE 6/7/8/9 and Firefox 3.
9 | */
10 |
11 | article,
12 | aside,
13 | details,
14 | figcaption,
15 | figure,
16 | footer,
17 | header,
18 | hgroup,
19 | main,
20 | nav,
21 | section,
22 | summary {
23 | display: block;
24 | }
25 |
26 | /**
27 | * Correct `inline-block` display not defined in IE 6/7/8/9 and Firefox 3.
28 | */
29 |
30 | audio,
31 | canvas,
32 | video {
33 | display: inline-block;
34 | *display: inline;
35 | *zoom: 1;
36 | }
37 |
38 | /**
39 | * Prevent modern browsers from displaying `audio` without controls.
40 | * Remove excess height in iOS 5 devices.
41 | */
42 |
43 | audio:not([controls]) {
44 | display: none;
45 | height: 0;
46 | }
47 |
48 | /**
49 | * Address styling not present in IE 7/8/9, Firefox 3, and Safari 4.
50 | * Known issue: no IE 6 support.
51 | */
52 |
53 | [hidden] {
54 | display: none;
55 | }
56 |
57 | /* ==========================================================================
58 | Base
59 | ========================================================================== */
60 |
61 | /**
62 | * 1. Correct text resizing oddly in IE 6/7 when body `font-size` is set using
63 | * `em` units.
64 | * 2. Prevent iOS text size adjust after orientation change, without disabling
65 | * user zoom.
66 | */
67 |
68 | html {
69 | font-size: 100%; /* 1 */
70 | -ms-text-size-adjust: 100%; /* 2 */
71 | -webkit-text-size-adjust: 100%; /* 2 */
72 | }
73 |
74 | /**
75 | * Address `font-family` inconsistency between `textarea` and other form
76 | * elements.
77 | */
78 |
79 | html,
80 | button,
81 | input,
82 | select,
83 | textarea {
84 | font-family: sans-serif;
85 | }
86 |
87 | /**
88 | * Address margins handled incorrectly in IE 6/7.
89 | */
90 |
91 | body {
92 | margin: 0;
93 | }
94 |
95 | /* ==========================================================================
96 | Links
97 | ========================================================================== */
98 |
99 | /**
100 | * Address `outline` inconsistency between Chrome and other browsers.
101 | */
102 |
103 | a:focus {
104 | outline: thin dotted;
105 | }
106 |
107 | /**
108 | * Improve readability when focused and also mouse hovered in all browsers.
109 | */
110 |
111 | a:active,
112 | a:hover {
113 | outline: 0;
114 | }
115 |
116 | /* ==========================================================================
117 | Typography
118 | ========================================================================== */
119 |
120 | /**
121 | * Address font sizes and margins set differently in IE 6/7.
122 | * Address font sizes within `section` and `article` in Firefox 4+, Safari 5,
123 | * and Chrome.
124 | */
125 |
126 | h1 {
127 | font-size: 2em;
128 | margin: 0.67em 0;
129 | }
130 |
131 | h2 {
132 | font-size: 1.5em;
133 | margin: 0.83em 0;
134 | }
135 |
136 | h3 {
137 | font-size: 1.17em;
138 | margin: 1em 0;
139 | }
140 |
141 | h4 {
142 | font-size: 1em;
143 | margin: 1.33em 0;
144 | }
145 |
146 | h5 {
147 | font-size: 0.83em;
148 | margin: 1.67em 0;
149 | }
150 |
151 | h6 {
152 | font-size: 0.67em;
153 | margin: 2.33em 0;
154 | }
155 |
156 | /**
157 | * Address styling not present in IE 7/8/9, Safari 5, and Chrome.
158 | */
159 |
160 | abbr[title] {
161 | border-bottom: 1px dotted;
162 | }
163 |
164 | /**
165 | * Address style set to `bolder` in Firefox 3+, Safari 4/5, and Chrome.
166 | */
167 |
168 | b,
169 | strong {
170 | font-weight: bold;
171 | }
172 |
173 | blockquote {
174 | margin: 1em 40px;
175 | }
176 |
177 | /**
178 | * Address styling not present in Safari 5 and Chrome.
179 | */
180 |
181 | dfn {
182 | font-style: italic;
183 | }
184 |
185 | /**
186 | * Address differences between Firefox and other browsers.
187 | * Known issue: no IE 6/7 normalization.
188 | */
189 |
190 | hr {
191 | -moz-box-sizing: content-box;
192 | box-sizing: content-box;
193 | height: 0;
194 | }
195 |
196 | /**
197 | * Address styling not present in IE 6/7/8/9.
198 | */
199 |
200 | mark {
201 | background: #ff0;
202 | color: #000;
203 | }
204 |
205 | /**
206 | * Address margins set differently in IE 6/7.
207 | */
208 |
209 | p,
210 | pre {
211 | margin: 1em 0;
212 | }
213 |
214 | /**
215 | * Correct font family set oddly in IE 6, Safari 4/5, and Chrome.
216 | */
217 |
218 | code,
219 | kbd,
220 | pre,
221 | samp {
222 | font-family: monospace, serif;
223 | _font-family: 'courier new', monospace;
224 | font-size: 1em;
225 | }
226 |
227 | /**
228 | * Improve readability of pre-formatted text in all browsers.
229 | */
230 |
231 | pre {
232 | white-space: pre;
233 | white-space: pre-wrap;
234 | word-wrap: break-word;
235 | }
236 |
237 | /**
238 | * Address CSS quotes not supported in IE 6/7.
239 | */
240 |
241 | q {
242 | quotes: none;
243 | }
244 |
245 | /**
246 | * Address `quotes` property not supported in Safari 4.
247 | */
248 |
249 | q:before,
250 | q:after {
251 | content: '';
252 | content: none;
253 | }
254 |
255 | /**
256 | * Address inconsistent and variable font size in all browsers.
257 | */
258 |
259 | small {
260 | font-size: 80%;
261 | }
262 |
263 | /**
264 | * Prevent `sub` and `sup` affecting `line-height` in all browsers.
265 | */
266 |
267 | sub,
268 | sup {
269 | font-size: 75%;
270 | line-height: 0;
271 | position: relative;
272 | vertical-align: baseline;
273 | }
274 |
275 | sup {
276 | top: -0.5em;
277 | }
278 |
279 | sub {
280 | bottom: -0.25em;
281 | }
282 |
283 | /* ==========================================================================
284 | Lists
285 | ========================================================================== */
286 |
287 | /**
288 | * Address margins set differently in IE 6/7.
289 | */
290 |
291 | dl,
292 | menu,
293 | ol,
294 | ul {
295 | margin: 1em 0;
296 | }
297 |
298 | dd {
299 | margin: 0 0 0 40px;
300 | }
301 |
302 | /**
303 | * Address paddings set differently in IE 6/7.
304 | */
305 |
306 | menu,
307 | ol,
308 | ul {
309 | padding: 0 0 0 40px;
310 | }
311 |
312 | /**
313 | * Correct list images handled incorrectly in IE 7.
314 | */
315 |
316 | nav ul,
317 | nav ol {
318 | list-style: none;
319 | list-style-image: none;
320 | }
321 |
322 | /* ==========================================================================
323 | Embedded content
324 | ========================================================================== */
325 |
326 | /**
327 | * 1. Remove border when inside `a` element in IE 6/7/8/9 and Firefox 3.
328 | * 2. Improve image quality when scaled in IE 7.
329 | */
330 |
331 | img {
332 | border: 0; /* 1 */
333 | -ms-interpolation-mode: bicubic; /* 2 */
334 | }
335 |
336 | /**
337 | * Correct overflow displayed oddly in IE 9.
338 | */
339 |
340 | svg:not(:root) {
341 | overflow: hidden;
342 | }
343 |
344 | /* ==========================================================================
345 | Figures
346 | ========================================================================== */
347 |
348 | /**
349 | * Address margin not present in IE 6/7/8/9, Safari 5, and Opera 11.
350 | */
351 |
352 | figure {
353 | margin: 0;
354 | }
355 |
356 | /* ==========================================================================
357 | Forms
358 | ========================================================================== */
359 |
360 | /**
361 | * Correct margin displayed oddly in IE 6/7.
362 | */
363 |
364 | form {
365 | margin: 0;
366 | }
367 |
368 | /**
369 | * Define consistent border, margin, and padding.
370 | */
371 |
372 | fieldset {
373 | border: 1px solid #c0c0c0;
374 | margin: 0 2px;
375 | padding: 0.35em 0.625em 0.75em;
376 | }
377 |
378 | /**
379 | * 1. Correct color not being inherited in IE 6/7/8/9.
380 | * 2. Correct text not wrapping in Firefox 3.
381 | * 3. Correct alignment displayed oddly in IE 6/7.
382 | */
383 |
384 | legend {
385 | border: 0; /* 1 */
386 | padding: 0;
387 | white-space: normal; /* 2 */
388 | *margin-left: -7px; /* 3 */
389 | }
390 |
391 | /**
392 | * 1. Correct font size not being inherited in all browsers.
393 | * 2. Address margins set differently in IE 6/7, Firefox 3+, Safari 5,
394 | * and Chrome.
395 | * 3. Improve appearance and consistency in all browsers.
396 | */
397 |
398 | button,
399 | input,
400 | select,
401 | textarea {
402 | font-size: 100%; /* 1 */
403 | margin: 0; /* 2 */
404 | vertical-align: baseline; /* 3 */
405 | *vertical-align: middle; /* 3 */
406 | }
407 |
408 | /**
409 | * Address Firefox 3+ setting `line-height` on `input` using `!important` in
410 | * the UA stylesheet.
411 | */
412 |
413 | button,
414 | input {
415 | line-height: normal;
416 | }
417 |
418 | /**
419 | * Address inconsistent `text-transform` inheritance for `button` and `select`.
420 | * All other form control elements do not inherit `text-transform` values.
421 | * Correct `button` style inheritance in Chrome, Safari 5+, and IE 6+.
422 | * Correct `select` style inheritance in Firefox 4+ and Opera.
423 | */
424 |
425 | button,
426 | select {
427 | text-transform: none;
428 | }
429 |
430 | /**
431 | * 1. Avoid the WebKit bug in Android 4.0.* where (2) destroys native `audio`
432 | * and `video` controls.
433 | * 2. Correct inability to style clickable `input` types in iOS.
434 | * 3. Improve usability and consistency of cursor style between image-type
435 | * `input` and others.
436 | * 4. Remove inner spacing in IE 7 without affecting normal text inputs.
437 | * Known issue: inner spacing remains in IE 6.
438 | */
439 |
440 | button,
441 | html input[type="button"], /* 1 */
442 | input[type="reset"],
443 | input[type="submit"] {
444 | -webkit-appearance: button; /* 2 */
445 | cursor: pointer; /* 3 */
446 | *overflow: visible; /* 4 */
447 | }
448 |
449 | /**
450 | * Re-set default cursor for disabled elements.
451 | */
452 |
453 | button[disabled],
454 | html input[disabled] {
455 | cursor: default;
456 | }
457 |
458 | /**
459 | * 1. Address box sizing set to content-box in IE 8/9.
460 | * 2. Remove excess padding in IE 8/9.
461 | * 3. Remove excess padding in IE 7.
462 | * Known issue: excess padding remains in IE 6.
463 | */
464 |
465 | input[type="checkbox"],
466 | input[type="radio"] {
467 | box-sizing: border-box; /* 1 */
468 | padding: 0; /* 2 */
469 | *height: 13px; /* 3 */
470 | *width: 13px; /* 3 */
471 | }
472 |
473 | /**
474 | * 1. Address `appearance` set to `searchfield` in Safari 5 and Chrome.
475 | * 2. Address `box-sizing` set to `border-box` in Safari 5 and Chrome
476 | * (include `-moz` to future-proof).
477 | */
478 |
479 | input[type="search"] {
480 | -webkit-appearance: textfield; /* 1 */
481 | -moz-box-sizing: content-box;
482 | -webkit-box-sizing: content-box; /* 2 */
483 | box-sizing: content-box;
484 | }
485 |
486 | /**
487 | * Remove inner padding and search cancel button in Safari 5 and Chrome
488 | * on OS X.
489 | */
490 |
491 | input[type="search"]::-webkit-search-cancel-button,
492 | input[type="search"]::-webkit-search-decoration {
493 | -webkit-appearance: none;
494 | }
495 |
496 | /**
497 | * Remove inner padding and border in Firefox 3+.
498 | */
499 |
500 | button::-moz-focus-inner,
501 | input::-moz-focus-inner {
502 | border: 0;
503 | padding: 0;
504 | }
505 |
506 | /**
507 | * 1. Remove default vertical scrollbar in IE 6/7/8/9.
508 | * 2. Improve readability and alignment in all browsers.
509 | */
510 |
511 | textarea {
512 | overflow: auto; /* 1 */
513 | vertical-align: top; /* 2 */
514 | }
515 |
516 | /* ==========================================================================
517 | Tables
518 | ========================================================================== */
519 |
520 | /**
521 | * Remove most spacing between table cells.
522 | */
523 |
524 | table {
525 | border-collapse: collapse;
526 | border-spacing: 0;
527 | }
528 |
--------------------------------------------------------------------------------
/static/css/owl-carousel.css:
--------------------------------------------------------------------------------
1 | /*
2 | * Core Owl Carousel CSS File
3 | * v1.3.3
4 | */
5 |
6 | /* clearfix */
7 | .owl-carousel .owl-wrapper:after {
8 | content: ".";
9 | display: block;
10 | clear: both;
11 | visibility: hidden;
12 | line-height: 0;
13 | height: 0;
14 | }
15 | /* display none until init */
16 | .owl-carousel{
17 | display: none;
18 | position: relative;
19 | width: 100%;
20 | -ms-touch-action: pan-y;
21 | }
22 | .owl-carousel .owl-wrapper{
23 | display: none;
24 | position: relative;
25 | -webkit-transform: translate3d(0px, 0px, 0px);
26 | }
27 | .owl-carousel .owl-wrapper-outer{
28 | overflow: hidden;
29 | position: relative;
30 | width: 100%;
31 | }
32 | .owl-carousel .owl-wrapper-outer.autoHeight{
33 | -webkit-transition: height 500ms ease-in-out;
34 | -moz-transition: height 500ms ease-in-out;
35 | -ms-transition: height 500ms ease-in-out;
36 | -o-transition: height 500ms ease-in-out;
37 | transition: height 500ms ease-in-out;
38 | }
39 |
40 | .owl-carousel .owl-item{
41 | float: left;
42 | }
43 | .owl-controls .owl-page,
44 | .owl-controls .owl-buttons div{
45 | cursor: pointer;
46 | }
47 | .owl-controls {
48 | -webkit-user-select: none;
49 | -khtml-user-select: none;
50 | -moz-user-select: none;
51 | -ms-user-select: none;
52 | user-select: none;
53 | -webkit-tap-highlight-color: rgba(0, 0, 0, 0);
54 | }
55 |
56 | /* mouse grab icon */
57 | .grabbing {
58 | cursor:url(../img/grabbing.png) 8 8, move;
59 | }
60 |
61 | /* fix */
62 | .owl-carousel .owl-wrapper,
63 | .owl-carousel .owl-item{
64 | -webkit-backface-visibility: hidden;
65 | -moz-backface-visibility: hidden;
66 | -ms-backface-visibility: hidden;
67 | -webkit-transform: translate3d(0,0,0);
68 | -moz-transform: translate3d(0,0,0);
69 | -ms-transform: translate3d(0,0,0);
70 | }
71 |
72 |
73 | /*
74 | * Owl Carousel CSS3 Transitions
75 | * v1.3.2
76 | */
77 |
78 | .owl-origin {
79 | -webkit-perspective: 1200px;
80 | -webkit-perspective-origin-x : 50%;
81 | -webkit-perspective-origin-y : 50%;
82 | -moz-perspective : 1200px;
83 | -moz-perspective-origin-x : 50%;
84 | -moz-perspective-origin-y : 50%;
85 | perspective : 1200px;
86 | }
87 | /* fade */
88 | .owl-fade-out {
89 | z-index: 10;
90 | -webkit-animation: fadeOut .7s both ease;
91 | -moz-animation: fadeOut .7s both ease;
92 | animation: fadeOut .7s both ease;
93 | }
94 | .owl-fade-in {
95 | -webkit-animation: fadeIn .7s both ease;
96 | -moz-animation: fadeIn .7s both ease;
97 | animation: fadeIn .7s both ease;
98 | }
99 | /* backSlide */
100 | .owl-backSlide-out {
101 | -webkit-animation: backSlideOut 1s both ease;
102 | -moz-animation: backSlideOut 1s both ease;
103 | animation: backSlideOut 1s both ease;
104 | }
105 | .owl-backSlide-in {
106 | -webkit-animation: backSlideIn 1s both ease;
107 | -moz-animation: backSlideIn 1s both ease;
108 | animation: backSlideIn 1s both ease;
109 | }
110 | /* goDown */
111 | .owl-goDown-out {
112 | -webkit-animation: scaleToFade .7s ease both;
113 | -moz-animation: scaleToFade .7s ease both;
114 | animation: scaleToFade .7s ease both;
115 | }
116 | .owl-goDown-in {
117 | -webkit-animation: goDown .6s ease both;
118 | -moz-animation: goDown .6s ease both;
119 | animation: goDown .6s ease both;
120 | }
121 | /* scaleUp */
122 | .owl-fadeUp-in {
123 | -webkit-animation: scaleUpFrom .5s ease both;
124 | -moz-animation: scaleUpFrom .5s ease both;
125 | animation: scaleUpFrom .5s ease both;
126 | }
127 |
128 | .owl-fadeUp-out {
129 | -webkit-animation: scaleUpTo .5s ease both;
130 | -moz-animation: scaleUpTo .5s ease both;
131 | animation: scaleUpTo .5s ease both;
132 | }
133 | /* Keyframes */
134 | /*empty*/
135 | @-webkit-keyframes empty {
136 | 0% {opacity: 1}
137 | }
138 | @-moz-keyframes empty {
139 | 0% {opacity: 1}
140 | }
141 | @keyframes empty {
142 | 0% {opacity: 1}
143 | }
144 | @-webkit-keyframes fadeIn {
145 | 0% { opacity:0; }
146 | 100% { opacity:1; }
147 | }
148 | @-moz-keyframes fadeIn {
149 | 0% { opacity:0; }
150 | 100% { opacity:1; }
151 | }
152 | @keyframes fadeIn {
153 | 0% { opacity:0; }
154 | 100% { opacity:1; }
155 | }
156 | @-webkit-keyframes fadeOut {
157 | 0% { opacity:1; }
158 | 100% { opacity:0; }
159 | }
160 | @-moz-keyframes fadeOut {
161 | 0% { opacity:1; }
162 | 100% { opacity:0; }
163 | }
164 | @keyframes fadeOut {
165 | 0% { opacity:1; }
166 | 100% { opacity:0; }
167 | }
168 | @-webkit-keyframes backSlideOut {
169 | 25% { opacity: .5; -webkit-transform: translateZ(-500px); }
170 | 75% { opacity: .5; -webkit-transform: translateZ(-500px) translateX(-200%); }
171 | 100% { opacity: .5; -webkit-transform: translateZ(-500px) translateX(-200%); }
172 | }
173 | @-moz-keyframes backSlideOut {
174 | 25% { opacity: .5; -moz-transform: translateZ(-500px); }
175 | 75% { opacity: .5; -moz-transform: translateZ(-500px) translateX(-200%); }
176 | 100% { opacity: .5; -moz-transform: translateZ(-500px) translateX(-200%); }
177 | }
178 | @keyframes backSlideOut {
179 | 25% { opacity: .5; transform: translateZ(-500px); }
180 | 75% { opacity: .5; transform: translateZ(-500px) translateX(-200%); }
181 | 100% { opacity: .5; transform: translateZ(-500px) translateX(-200%); }
182 | }
183 | @-webkit-keyframes backSlideIn {
184 | 0%, 25% { opacity: .5; -webkit-transform: translateZ(-500px) translateX(200%); }
185 | 75% { opacity: .5; -webkit-transform: translateZ(-500px); }
186 | 100% { opacity: 1; -webkit-transform: translateZ(0) translateX(0); }
187 | }
188 | @-moz-keyframes backSlideIn {
189 | 0%, 25% { opacity: .5; -moz-transform: translateZ(-500px) translateX(200%); }
190 | 75% { opacity: .5; -moz-transform: translateZ(-500px); }
191 | 100% { opacity: 1; -moz-transform: translateZ(0) translateX(0); }
192 | }
193 | @keyframes backSlideIn {
194 | 0%, 25% { opacity: .5; transform: translateZ(-500px) translateX(200%); }
195 | 75% { opacity: .5; transform: translateZ(-500px); }
196 | 100% { opacity: 1; transform: translateZ(0) translateX(0); }
197 | }
198 | @-webkit-keyframes scaleToFade {
199 | to { opacity: 0; -webkit-transform: scale(.8); }
200 | }
201 | @-moz-keyframes scaleToFade {
202 | to { opacity: 0; -moz-transform: scale(.8); }
203 | }
204 | @keyframes scaleToFade {
205 | to { opacity: 0; transform: scale(.8); }
206 | }
207 | @-webkit-keyframes goDown {
208 | from { -webkit-transform: translateY(-100%); }
209 | }
210 | @-moz-keyframes goDown {
211 | from { -moz-transform: translateY(-100%); }
212 | }
213 | @keyframes goDown {
214 | from { transform: translateY(-100%); }
215 | }
216 |
217 | @-webkit-keyframes scaleUpFrom {
218 | from { opacity: 0; -webkit-transform: scale(1.5); }
219 | }
220 | @-moz-keyframes scaleUpFrom {
221 | from { opacity: 0; -moz-transform: scale(1.5); }
222 | }
223 | @keyframes scaleUpFrom {
224 | from { opacity: 0; transform: scale(1.5); }
225 | }
226 |
227 | @-webkit-keyframes scaleUpTo {
228 | to { opacity: 0; -webkit-transform: scale(1.5); }
229 | }
230 | @-moz-keyframes scaleUpTo {
231 | to { opacity: 0; -moz-transform: scale(1.5); }
232 | }
233 | @keyframes scaleUpTo {
234 | to { opacity: 0; transform: scale(1.5); }
235 | }
--------------------------------------------------------------------------------
/static/css/templatemo-style.css:
--------------------------------------------------------------------------------
1 | /*
2 | Masonry Template
3 | http://www.templatemo.com/preview/templatemo_434_masonry
4 | */
5 |
6 | @font-face {
7 | font-family: 'robotolight';
8 | src: url("../fonts/Roboto-Light-webfont.eot");
9 | src: url("../fonts/Roboto-Light-webfont.eot?#iefix") format("embedded-opentype"),url("../fonts/Roboto-Light-webfont.woff") format("woff"),url("../fonts/Roboto-Light-webfont.ttf") format("truetype"),url("../fonts/Roboto-Light-webfont.svg#robotolight") format("svg");
10 | font-weight: normal;
11 | font-style: normal;
12 | }
13 |
14 | @font-face {
15 | font-family:'robotoregular';src:url("../fonts/Roboto-Regular-webfont.eot");src:url("../fonts/Roboto-Regular-webfont.eot?#iefix") format("embedded-opentype"),url("../fonts/Roboto-Regular-webfont.woff") format("woff"),url("../fonts/Roboto-Regular-webfont.ttf") format("truetype"),url("../fonts/Roboto-Regular-webfont.svg#robotoregular") format("svg");font-weight:normal;font-style:normal;
16 | }
17 |
18 | @font-face {
19 | font-family:'robotobold';src:url("../fonts/Roboto-Bold-webfont.eot");src:url("../fonts/Roboto-Bold-webfont.eot?#iefix") format("embedded-opentype"),url("../fonts/Roboto-Bold-webfont.woff") format("woff"),url("../fonts/Roboto-Bold-webfont.ttf") format("truetype"),url("../fonts/Roboto-Bold-webfont.svg#robotobold") format("svg");font-weight:normal;font-style:normal;
20 | }
21 |
22 | html,body,div,span,applet,object,iframe,h1,h2,h3,h4,h5,h6,p,blockquote,pre,a,abbr,acronym,address,big,cite,code,del,dfn,em,img,ins,kbd,q,s,samp,small,strike,strong,sub,sup,tt,var,b,u,i,center,dl,dt,dd,ol,ul,li,fieldset,form,label,legend,table,caption,tbody,tfoot,thead,tr,th,td,article,aside,canvas,details,embed,figure,figcaption,footer,header,hgroup,menu,nav,output,ruby,section,summary,time,mark,audio,video {
23 | margin: 0;
24 | padding: 0;
25 | border: 0;
26 | font-size: 100%;
27 | vertical-align: baseline;
28 | }
29 |
30 | .blue {
31 | color: #6BE;
32 | }
33 |
34 | .green {
35 | color: #6E6;
36 | }
37 |
38 | main {
39 | display: block;
40 | }
41 |
42 | body {
43 | line-height: 1;
44 | }
45 |
46 | ol,ul {
47 | list-style: none;
48 | }
49 |
50 | blockquote,q {
51 | quotes: none;
52 | }
53 |
54 | blockquote:before,blockquote:after {
55 | content: '';
56 | content: none;
57 | }
58 |
59 | table {
60 | border-collapse: collapse;
61 | border-spacing: 0;
62 | }
63 |
64 | html {
65 | font-size: 100%;
66 | -webkit-text-size-adjust: 100%;
67 | -ms-text-size-adjust: 100%;
68 | }
69 |
70 | a:focus {
71 | outline: none;
72 | }
73 |
74 | article,aside,details,figcaption,figure,footer,header,hgroup,nav,section {
75 | display: block;
76 | }
77 |
78 | audio,canvas,video {
79 | display: inline-block;
80 | *display: inline;
81 | *zoom: 1;
82 | }
83 |
84 | audio:not([controls]) {
85 | display: none;
86 | }
87 |
88 | sub,sup {
89 | line-height: 0;
90 | position: relative;
91 | vertical-align: baseline;
92 | }
93 |
94 | sup {
95 | top: -.5em;
96 | }
97 |
98 | sub {
99 | bottom: -.25em;
100 | }
101 |
102 | img {
103 | border: 0;
104 | -ms-interpolation-mode: bicubic;
105 | }
106 |
107 | button,input,select,textarea {
108 | font-size: 100%;
109 | margin: 0;
110 | vertical-align: baseline;
111 | *vertical-align: middle;
112 | }
113 |
114 | button,input {
115 | line-height: normal;
116 | *overflow: visible;
117 | }
118 |
119 | button::-moz-focus-inner,input::-moz-focus-inner {
120 | border: 0;
121 | padding: 0;
122 | }
123 |
124 | button,input[type="button"],input[type="reset"],input[type="submit"] {
125 | cursor: pointer;
126 | -webkit-appearance: button;
127 | }
128 |
129 | input[type="search"] {
130 | -webkit-appearance: textfield;
131 | }
132 |
133 | input[type="search"]:-webkit-search-decoration {
134 | -webkit-appearance: none;
135 | }
136 |
137 | textarea {
138 | overflow: auto;
139 | vertical-align: top;
140 | }
141 |
142 | body {
143 | font-size: 16px;
144 | line-height: 24px;
145 | color: #000;
146 | background-color: #f1f1f1;
147 | font-family: 'robotolight';
148 | }
149 |
150 | a {
151 | color: #6cc0f7;
152 | -webkit-transition: all 150ms ease-in-out;
153 | -moz-transition: all 150ms ease-in-out;
154 | -ms-transition: all 150ms ease-in-out;
155 | -o-transition: all 150ms ease-in-out;
156 | transition: all 150ms ease-in-out;
157 | text-decoration: none !important;
158 | }
159 |
160 | a:hover {
161 | color: #fff;
162 | }
163 |
164 | h1,h2,h3,h4,h5 {
165 | color: #fff;
166 | }
167 |
168 | h1 {
169 | font-size: 34px;
170 | font-weight: 300;
171 | }
172 |
173 | h2 {
174 | font-size: 28px;
175 | font-weight: normal;
176 | }
177 |
178 | h3 {
179 | font-size: 18px;
180 | font-weight: 600;
181 | }
182 |
183 | h4 {
184 | font-size: 18px;
185 | font-weight: 300;
186 | }
187 |
188 | h5 {
189 | font-size: 16px;
190 | font-weight: normal;
191 | }
192 |
193 | ::-webkit-input-placeholder {
194 | color: #fff;
195 | }
196 |
197 | :-moz-placeholder {
198 | color: #fff;
199 | }
200 |
201 | ::-moz-placeholder {
202 | color: #fff;
203 | }
204 |
205 | :-ms-input-placeholder {
206 | color: #fff;
207 | }
208 |
209 | .content-bg {
210 | position: fixed;
211 | height: 100%;
212 | width: 100%;
213 | z-index: 0;
214 | /*background-image: url(../images/bg.jpg);*/
215 | background-size: cover;
216 | background-repeat: no-repeat;
217 | background-attachment: fixed;
218 | }
219 |
220 | .bg-overlay {
221 | /*background: rgba(0,0,0,0.3);*/
222 | position: fixed;
223 | width: 100%;
224 | height: 100%;
225 | z-index: 1;
226 | }
227 |
228 | .social-icons a {
229 | color: #fff;
230 | width: 34px;
231 | height: 34px;
232 | border: 1px solid #fff;
233 | -webkit-border-radius: 17px;
234 | border-radius: 17px;
235 | text-align: center;
236 | font-size: 12px;
237 | line-height: 34px;
238 | }
239 |
240 | .social-icons a i {
241 | line-height: 34px;
242 | }
243 |
244 | .social-icons a:hover {
245 | background: #fff;
246 | color: #000;
247 | }
248 |
249 | .social-icons li {
250 | display: inline-block;
251 | margin: 0 4px;
252 | }
253 |
254 | @media screen and (max-width: 768px) {
255 | .social-icons {
256 | float: none !important;
257 | text-align: center;
258 | display: block;
259 | }
260 | }
261 |
262 | .button {
263 | padding: 10px 20px;
264 | display: inline-block;
265 | outline: 0;
266 | border: 0;
267 | }
268 |
269 | .button.white {
270 | background: #fff;
271 | color: #000;
272 | text-transform: uppercase;
273 | }
274 |
275 | #loader-wrapper {
276 | position: fixed;
277 | top: 0;
278 | left: 0;
279 | width: 100%;
280 | height: 100%;
281 | background-color: white;
282 | z-index: 9999;
283 | }
284 |
285 | #loader {
286 | display: block;
287 | position: relative;
288 | left: 50%;
289 | top: 50%;
290 | width: 150px;
291 | height: 150px;
292 | margin: -75px 0 0 -75px;
293 | border-radius: 50%;
294 | border: 3px solid transparent;
295 | border-top-color: #000;
296 | -webkit-animation: spin 2s linear infinite;
297 | animation: spin 2s linear infinite;
298 | }
299 |
300 | #loader:before {
301 | content: "";
302 | position: absolute;
303 | top: 5px;
304 | left: 5px;
305 | right: 5px;
306 | bottom: 5px;
307 | border-radius: 50%;
308 | border: 3px solid transparent;
309 | border-top-color: #000;
310 | -webkit-animation: spin 3s linear infinite;
311 | animation: spin 3s linear infinite;
312 | }
313 |
314 | #loader:after {
315 | content: "";
316 | position: absolute;
317 | top: 15px;
318 | left: 15px;
319 | right: 15px;
320 | bottom: 15px;
321 | border-radius: 50%;
322 | border: 3px solid transparent;
323 | border-top-color: #000;
324 | -webkit-animation: spin 1.5s linear infinite;
325 | animation: spin 1.5s linear infinite;
326 | }
327 |
328 | @-webkit-keyframes spin {
329 | 0% {
330 | -webkit-transform: rotate(0deg);
331 | -ms-transform: rotate(0deg);
332 | transform: rotate(0deg);
333 | }
334 |
335 | 100% {
336 | -webkit-transform: rotate(360deg);
337 | -ms-transform: rotate(360deg);
338 | transform: rotate(360deg);
339 | }
340 | }
341 |
342 | @keyframes spin {
343 | 0% {
344 | -webkit-transform: rotate(0deg);
345 | -ms-transform: rotate(0deg);
346 | transform: rotate(0deg);
347 | }
348 |
349 | 100% {
350 | -webkit-transform: rotate(360deg);
351 | -ms-transform: rotate(360deg);
352 | transform: rotate(360deg);
353 | }
354 | }
355 |
356 | .site-top {
357 | position: relative;
358 | z-index: 4;
359 | /*background: rgba(0,0,0,0.6);*/
360 | background: rgb(0 0 0 / 84%);
361 | margin-bottom: 40px;
362 | padding-bottom: 60px;
363 | }
364 |
365 | .site-header {
366 | padding-top: 40px;
367 | }
368 |
369 | .site-brand {
370 | color: #fff;
371 | text-transform: uppercase;
372 | font-size: 18px;
373 | }
374 |
375 | .site-brand strong {
376 | font-size: 24px;
377 | font-family: 'robotobold';
378 | }
379 |
380 | @media screen and (max-width: 768px) {
381 | .site-brand {
382 | float: none !important;
383 | text-align: center;
384 | display: block;
385 | margin-bottom: 30px;
386 | }
387 | }
388 |
389 | .site-banner {
390 | padding-top: 80px;
391 | }
392 |
393 | .site-banner h2 {
394 | font-size: 32px;
395 | font-family: 'robotobold';
396 | margin-bottom: 30px;
397 | }
398 |
399 | .subscribe-form {
400 | margin-top: 40px;
401 | }
402 |
403 | .subscribe-form #subscribe-email {
404 | width: 100%;
405 | padding: 10px;
406 | background: transparent;
407 | border: 1px solid #fff;
408 | outline: 0;
409 | }
410 |
411 | @media screen and (max-width: 768px) {
412 | .subscribe-form #subscribe-email {
413 | margin-bottom: 20px;
414 | }
415 | }
416 |
417 |
418 | .main-posts {
419 | position: relative;
420 | z-index: 6;
421 | background-color: #f1f1f1;
422 | }
423 |
424 | .post-masonry {
425 | margin-bottom: 30px;
426 | }
427 |
428 | .post-masonry .post-thumb {
429 | border: 10px solid #fff;
430 | overflow: hidden;
431 | position: relative;
432 | }
433 |
434 | .post-masonry .post-thumb img {
435 | width: 100%;
436 | display: block;
437 | }
438 |
439 | .post-masonry .post-thumb .title-over {
440 | position: absolute;
441 | bottom: 0;
442 | left: 0;
443 | width: 100%;
444 | background: rgba(0,0,0,0.9);
445 | padding: 15px 20px;
446 | }
447 |
448 | .post-masonry .post-thumb .title-over h4 {
449 | font-size: 16px;
450 | font-family: 'robotoregular';
451 | }
452 |
453 | .post-masonry .post-thumb .title-over a {
454 | color: #fff;
455 | }
456 |
457 | .post-masonry .post-thumb .post-hover {
458 | position: absolute;
459 | width: 100%;
460 | height: 100%;
461 | top: 70px;
462 | left: 0;
463 | visibility: hidden;
464 | opacity: 0;
465 | background: rgba(0,0,0,0.9);
466 | -webkit-transition: all 150ms ease-in-out;
467 | -moz-transition: all 150ms ease-in-out;
468 | -ms-transition: all 150ms ease-in-out;
469 | -o-transition: all 150ms ease-in-out;
470 | transition: all 150ms ease-in-out;
471 | }
472 |
473 | .post-masonry .post-thumb .post-hover .inside {
474 | position: relative;
475 | top: 50%;
476 | -moz-transform: translateY(-50%);
477 | -ms-transform: translateY(-50%);
478 | -webkit-transform: translateY(-50%);
479 | transform: translateY(-50%);
480 | color: #fff;
481 | }
482 |
483 | .post-masonry .post-thumb .post-hover h4 {
484 | font-size: 16px;
485 | font-family: 'robotoregular';
486 | margin-bottom: 10px;
487 | }
488 |
489 | .post-masonry .post-thumb .post-hover a {
490 | color: #fff !important;
491 | }
492 |
493 | .post-masonry .post-thumb .post-hover i {
494 | display: block;
495 | margin-bottom: 10px;
496 | }
497 |
498 | .post-masonry .post-thumb .post-hover p {
499 | font-size: 12px;
500 | }
501 |
502 | .post-masonry .post-thumb .post-hover span {
503 | font-size: 12px;
504 | margin-bottom: 15px;
505 | display: block;
506 | }
507 |
508 | .post-masonry .post-thumb:hover .title-over {
509 | -webkit-transition: all 150ms ease-in-out;
510 | -moz-transition: all 150ms ease-in-out;
511 | -ms-transition: all 150ms ease-in-out;
512 | -o-transition: all 150ms ease-in-out;
513 | transition: all 150ms ease-in-out;
514 | visibility: hidden;
515 | opacity: 0;
516 | bottom: -50px;
517 | }
518 |
519 | .post-masonry .post-thumb:hover .post-hover {
520 | top: 0;
521 | visibility: visible;
522 | opacity: 1;
523 | }
524 |
525 | .site-footer {
526 | position: relative;
527 | z-index: 8;
528 | background: rgba(0,0,0,0.6);
529 | padding: 40px 0;
530 | margin-top: 60px;
531 | }
532 |
533 | .site-footer .social-icons {
534 | margin-bottom: 30px;
535 | }
536 |
537 | .copyright-text {
538 | font-size: 12px;
539 | }
540 |
541 | .copyright-text a {
542 | color: #bfbfbf;
543 | }
544 |
545 | .single-video {
546 | width: 100%;
547 | }
548 |
--------------------------------------------------------------------------------
/static/fonts/FontAwesome.otf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/FontAwesome.otf
--------------------------------------------------------------------------------
/static/fonts/Roboto-Bold-webfont.eot:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Bold-webfont.eot
--------------------------------------------------------------------------------
/static/fonts/Roboto-Bold-webfont.svg:
--------------------------------------------------------------------------------
1 |
2 |
3 |
--------------------------------------------------------------------------------
/static/fonts/Roboto-Bold-webfont.ttf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Bold-webfont.ttf
--------------------------------------------------------------------------------
/static/fonts/Roboto-Bold-webfont.woff:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Bold-webfont.woff
--------------------------------------------------------------------------------
/static/fonts/Roboto-Light-webfont.eot:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Light-webfont.eot
--------------------------------------------------------------------------------
/static/fonts/Roboto-Light-webfont.ttf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Light-webfont.ttf
--------------------------------------------------------------------------------
/static/fonts/Roboto-Light-webfont.woff:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Light-webfont.woff
--------------------------------------------------------------------------------
/static/fonts/Roboto-Regular-webfont.eot:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Regular-webfont.eot
--------------------------------------------------------------------------------
/static/fonts/Roboto-Regular-webfont.ttf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Regular-webfont.ttf
--------------------------------------------------------------------------------
/static/fonts/Roboto-Regular-webfont.woff:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/Roboto-Regular-webfont.woff
--------------------------------------------------------------------------------
/static/fonts/fontawesome-webfont.eot:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/fontawesome-webfont.eot
--------------------------------------------------------------------------------
/static/fonts/fontawesome-webfont.ttf:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/fontawesome-webfont.ttf
--------------------------------------------------------------------------------
/static/fonts/fontawesome-webfont.woff:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/fonts/fontawesome-webfont.woff
--------------------------------------------------------------------------------
/static/images/bg.jpg:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/images/bg.jpg
--------------------------------------------------------------------------------
/static/images/overlay.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/DJWOMS/django_video_hosting/f58733b4303d1c0e68ace1318ad604918b26f495/static/images/overlay.png
--------------------------------------------------------------------------------
/static/js/main.js:
--------------------------------------------------------------------------------
1 | (function($) {
2 |
3 | "use strict";
4 |
5 |
6 |
7 |
8 | })(jQuery);
9 |
10 |
11 |
12 |
13 |
14 |
15 | $(window).load(function () {
16 | blogisotope = function () {
17 | var e, t = $(".blog-masonry").width(),
18 | n = Math.floor(t);
19 | if ($(".blog-masonry").hasClass("masonry-true") === true) {
20 | n = Math.floor(t * .3033);
21 | e = Math.floor(t * .04);
22 | if ($(window).width() < 1023) {
23 | if ($(window).width() < 768) {
24 | n = Math.floor(t * 1)
25 | } else {
26 | n = Math.floor(t * .48)
27 | }
28 | } else {
29 | n = Math.floor(t * .3033)
30 | }
31 | }
32 | return e
33 | };
34 | var r = $(".blog-masonry");
35 | bloggingisotope = function () {
36 | r.isotope({
37 | itemSelector: ".post-masonry",
38 | animationEngine: "jquery",
39 | masonry: {
40 | gutterWidth: blogisotope()
41 | }
42 | })
43 | };
44 | bloggingisotope();
45 | $(window).smartresize(bloggingisotope)
46 | })
--------------------------------------------------------------------------------
/static/js/min/main.min.js:
--------------------------------------------------------------------------------
1 | !function(){"use strict"}(jQuery),$(window).load(function(){blogisotope=function(){var o,t=$(".blog-masonry").width(),i=Math.floor(t);return $(".blog-masonry").hasClass("masonry-true")===!0&&(i=Math.floor(.3033*t),o=Math.floor(.04*t),i=$(window).width()<1023?$(window).width()<768?Math.floor(1*t):Math.floor(.48*t):Math.floor(.3033*t)),o};var o=$(".blog-masonry");bloggingisotope=function(){o.isotope({itemSelector:".post-masonry",animationEngine:"jquery",masonry:{gutterWidth:blogisotope()}})},bloggingisotope(),$(window).smartresize(bloggingisotope)});
--------------------------------------------------------------------------------
/static/js/min/plugins.min.js:
--------------------------------------------------------------------------------
1 | !function(){for(var t,i=function(){},s=["assert","clear","count","debug","dir","dirxml","error","exception","group","groupCollapsed","groupEnd","info","log","markTimeline","profile","profileEnd","table","time","timeEnd","timeStamp","trace","warn"],e=s.length,n=window.console=window.console||{};e--;)t=s[e],n[t]||(n[t]=i)}(),function(t,i){"use strict";var s,e=t.document,n=t.Modernizr,o=function(t){return t.charAt(0).toUpperCase()+t.slice(1)},r="Moz Webkit O Ms".split(" "),a=function(t){var i,s=e.documentElement.style;if("string"==typeof s[t])return t;t=o(t);for(var n=0,a=r.length;a>n;n++)if(i=r[n]+t,"string"==typeof s[i])return i},h=a("transform"),l=a("transitionProperty"),u={csstransforms:function(){return!!h},csstransforms3d:function(){var t=!!a("perspective");if(t){var s=" -o- -moz- -ms- -webkit- -khtml- ".split(" "),e="@media ("+s.join("transform-3d),(")+"modernizr)",n=i("").appendTo("head"),o=i('').appendTo("html");t=3===o.height(),o.remove(),n.remove()}return t},csstransitions:function(){return!!l}};if(n)for(s in u)n.hasOwnProperty(s)||n.addTest(s,u[s]);else{n=t.Modernizr={_version:"1.6ish: miniModernizr for Isotope"};var c,d=" ";for(s in u)c=u[s](),n[s]=c,d+=" "+(c?"":"no-")+s;i("html").addClass(d)}if(n.csstransforms){var f=n.csstransforms3d?{translate:function(t){return"translate3d("+t[0]+"px, "+t[1]+"px, 0) "},scale:function(t){return"scale3d("+t+", "+t+", 1) "}}:{translate:function(t){return"translate("+t[0]+"px, "+t[1]+"px) "},scale:function(t){return"scale("+t+") "}},m=function(t,s,e){var n,o,r=i.data(t,"isoTransform")||{},a={},l={};a[s]=e,i.extend(r,a);for(n in r)o=r[n],l[n]=f[n](o);var u=l.translate||"",c=l.scale||"",d=u+c;i.data(t,"isoTransform",r),t.style[h]=d};i.cssNumber.scale=!0,i.cssHooks.scale={set:function(t,i){m(t,"scale",i)},get:function(t){var s=i.data(t,"isoTransform");return s&&s.scale?s.scale:1}},i.fx.step.scale=function(t){i.cssHooks.scale.set(t.elem,t.now+t.unit)},i.cssNumber.translate=!0,i.cssHooks.translate={set:function(t,i){m(t,"translate",i)},get:function(t){var s=i.data(t,"isoTransform");return s&&s.translate?s.translate:[0,0]}}}var p,y;n.csstransitions&&(p={WebkitTransitionProperty:"webkitTransitionEnd",MozTransitionProperty:"transitionend",OTransitionProperty:"oTransitionEnd otransitionend",transitionProperty:"transitionend"}[l],y=a("transitionDuration"));var g,v=i.event,_=i.event.handle?"handle":"dispatch";v.special.smartresize={setup:function(){i(this).bind("resize",v.special.smartresize.handler)},teardown:function(){i(this).unbind("resize",v.special.smartresize.handler)},handler:function(t,i){var s=this,e=arguments;t.type="smartresize",g&&clearTimeout(g),g=setTimeout(function(){v[_].apply(s,e)},"execAsap"===i?0:100)}},i.fn.smartresize=function(t){return t?this.bind("smartresize",t):this.trigger("smartresize",["execAsap"])},i.Isotope=function(t,s,e){this.element=i(s),this._create(t),this._init(e)};var w=["width","height"],A=i(t);i.Isotope.settings={resizable:!0,layoutMode:"masonry",containerClass:"isotope",itemClass:"isotope-item",hiddenClass:"isotope-hidden",hiddenStyle:{opacity:0,scale:.001},visibleStyle:{opacity:1,scale:1},containerStyle:{position:"relative",overflow:"hidden"},animationEngine:"best-available",animationOptions:{queue:!1,duration:800},sortBy:"original-order",sortAscending:!0,resizesContainer:!0,transformsEnabled:!0,itemPositionDataEnabled:!1},i.Isotope.prototype={_create:function(t){this.options=i.extend({},i.Isotope.settings,t),this.styleQueue=[],this.elemCount=0;var s=this.element[0].style;this.originalStyle={};var e=w.slice(0);for(var n in this.options.containerStyle)e.push(n);for(var o=0,r=e.length;r>o;o++)n=e[o],this.originalStyle[n]=s[n]||"";this.element.css(this.options.containerStyle),this._updateAnimationEngine(),this._updateUsingTransforms();var a={"original-order":function(t,i){return i.elemCount++,i.elemCount},random:function(){return Math.random()}};this.options.getSortData=i.extend(this.options.getSortData,a),this.reloadItems(),this.offset={left:parseInt(this.element.css("padding-left")||0,10),top:parseInt(this.element.css("padding-top")||0,10)};var h=this;setTimeout(function(){h.element.addClass(h.options.containerClass)},0),this.options.resizable&&A.bind("smartresize.isotope",function(){h.resize()}),this.element.delegate("."+this.options.hiddenClass,"click",function(){return!1})},_getAtoms:function(t){var i=this.options.itemSelector,s=i?t.filter(i).add(t.find(i)):t,e={position:"absolute"};return s=s.filter(function(t,i){return 1===i.nodeType}),this.usingTransforms&&(e.left=0,e.top=0),s.css(e).addClass(this.options.itemClass),this.updateSortData(s,!0),s},_init:function(t){this.$filteredAtoms=this._filter(this.$allAtoms),this._sort(),this.reLayout(t)},option:function(t){if(i.isPlainObject(t)){this.options=i.extend(!0,this.options,t);var s;for(var e in t)s="_update"+o(e),this[s]&&this[s]()}},_updateAnimationEngine:function(){var t,i=this.options.animationEngine.toLowerCase().replace(/[ _\-]/g,"");switch(i){case"css":case"none":t=!1;break;case"jquery":t=!0;break;default:t=!n.csstransitions}this.isUsingJQueryAnimation=t,this._updateUsingTransforms()},_updateTransformsEnabled:function(){this._updateUsingTransforms()},_updateUsingTransforms:function(){var t=this.usingTransforms=this.options.transformsEnabled&&n.csstransforms&&n.csstransitions&&!this.isUsingJQueryAnimation;t||(delete this.options.hiddenStyle.scale,delete this.options.visibleStyle.scale),this.getPositionStyles=t?this._translate:this._positionAbs},_filter:function(t){var i=""===this.options.filter?"*":this.options.filter;if(!i)return t;var s=this.options.hiddenClass,e="."+s,n=t.filter(e),o=n;if("*"!==i){o=n.filter(i);var r=t.not(e).not(i).addClass(s);this.styleQueue.push({$el:r,style:this.options.hiddenStyle})}return this.styleQueue.push({$el:o,style:this.options.visibleStyle}),o.removeClass(s),t.filter(i)},updateSortData:function(t,s){var e,n,o=this,r=this.options.getSortData;t.each(function(){e=i(this),n={};for(var t in r)n[t]=s||"original-order"!==t?r[t](e,o):i.data(this,"isotope-sort-data")[t];i.data(this,"isotope-sort-data",n)})},_sort:function(){var t=this.options.sortBy,i=this._getSorter,s=this.options.sortAscending?1:-1,e=function(e,n){var o=i(e,t),r=i(n,t);return o===r&&"original-order"!==t&&(o=i(e,"original-order"),r=i(n,"original-order")),(o>r?1:r>o?-1:0)*s};this.$filteredAtoms.sort(e)},_getSorter:function(t,s){return i.data(t,"isotope-sort-data")[s]},_translate:function(t,i){return{translate:[t,i]}},_positionAbs:function(t,i){return{left:t,top:i}},_pushPosition:function(t,i,s){i=Math.round(i+this.offset.left),s=Math.round(s+this.offset.top);var e=this.getPositionStyles(i,s);this.styleQueue.push({$el:t,style:e}),this.options.itemPositionDataEnabled&&t.data("isotope-item-position",{x:i,y:s})},layout:function(t,i){var s=this.options.layoutMode;if(this["_"+s+"Layout"](t),this.options.resizesContainer){var e=this["_"+s+"GetContainerSize"]();this.styleQueue.push({$el:this.element,style:e})}this._processStyleQueue(t,i),this.isLaidOut=!0},_processStyleQueue:function(t,s){var e,o,r,a,h=this.isLaidOut?this.isUsingJQueryAnimation?"animate":"css":"css",l=this.options.animationOptions,u=this.options.onLayout;if(o=function(t,i){i.$el[h](i.style,l)},this._isInserting&&this.isUsingJQueryAnimation)o=function(t,i){e=i.$el.hasClass("no-transition")?"css":h,i.$el[e](i.style,l)};else if(s||u||l.complete){var c=!1,d=[s,u,l.complete],f=this;if(r=!0,a=function(){if(!c){for(var i,s=0,e=d.length;e>s;s++)i=d[s],"function"==typeof i&&i.call(f.element,t,f);c=!0}},this.isUsingJQueryAnimation&&"animate"===h)l.complete=a,r=!1;else if(n.csstransitions){for(var m,g=0,v=this.styleQueue[0],_=v&&v.$el;!_||!_.length;){if(m=this.styleQueue[g++],!m)return;_=m.$el}var w=parseFloat(getComputedStyle(_[0])[y]);w>0&&(o=function(t,i){i.$el[h](i.style,l).one(p,a)},r=!1)}}i.each(this.styleQueue,o),r&&a(),this.styleQueue=[]},resize:function(){this["_"+this.options.layoutMode+"ResizeChanged"]()&&this.reLayout()},reLayout:function(t){this["_"+this.options.layoutMode+"Reset"](),this.layout(this.$filteredAtoms,t)},addItems:function(t,i){var s=this._getAtoms(t);this.$allAtoms=this.$allAtoms.add(s),i&&i(s)},insert:function(t,i){this.element.append(t);var s=this;this.addItems(t,function(t){var e=s._filter(t);s._addHideAppended(e),s._sort(),s.reLayout(),s._revealAppended(e,i)})},appended:function(t,i){var s=this;this.addItems(t,function(t){s._addHideAppended(t),s.layout(t),s._revealAppended(t,i)})},_addHideAppended:function(t){this.$filteredAtoms=this.$filteredAtoms.add(t),t.addClass("no-transition"),this._isInserting=!0,this.styleQueue.push({$el:t,style:this.options.hiddenStyle})},_revealAppended:function(t,i){var s=this;setTimeout(function(){t.removeClass("no-transition"),s.styleQueue.push({$el:t,style:s.options.visibleStyle}),s._isInserting=!1,s._processStyleQueue(t,i)},10)},reloadItems:function(){this.$allAtoms=this._getAtoms(this.element.children())},remove:function(t,i){this.$allAtoms=this.$allAtoms.not(t),this.$filteredAtoms=this.$filteredAtoms.not(t);var s=this,e=function(){t.remove(),i&&i.call(s.element)};t.filter(":not(."+this.options.hiddenClass+")").length?(this.styleQueue.push({$el:t,style:this.options.hiddenStyle}),this._sort(),this.reLayout(e)):e()},shuffle:function(t){this.updateSortData(this.$allAtoms),this.options.sortBy="random",this._sort(),this.reLayout(t)},destroy:function(){var t=this.usingTransforms,i=this.options;this.$allAtoms.removeClass(i.hiddenClass+" "+i.itemClass).each(function(){var i=this.style;i.position="",i.top="",i.left="",i.opacity="",t&&(i[h]="")});var s=this.element[0].style;for(var e in this.originalStyle)s[e]=this.originalStyle[e];this.element.unbind(".isotope").undelegate("."+i.hiddenClass,"click").removeClass(i.containerClass).removeData("isotope"),A.unbind(".isotope")},_getSegments:function(t){var i,s=this.options.layoutMode,e=t?"rowHeight":"columnWidth",n=t?"height":"width",r=t?"rows":"cols",a=this.element[n](),h=this.options[s]&&this.options[s][e]||this.$filteredAtoms["outer"+o(n)](!0)||a;i=Math.floor(a/h),i=Math.max(i,1),this[s][r]=i,this[s][e]=h},_checkIfSegmentsChanged:function(t){var i=this.options.layoutMode,s=t?"rows":"cols",e=this[i][s];return this._getSegments(t),this[i][s]!==e},_masonryReset:function(){this.masonry={},this._getSegments();var t=this.masonry.cols;for(this.masonry.colYs=[];t--;)this.masonry.colYs.push(0)},_masonryLayout:function(t){var s=this,e=s.masonry;t.each(function(){var t=i(this),n=Math.ceil(t.outerWidth(!0)/e.columnWidth);if(n=Math.min(n,e.cols),1===n)s._masonryPlaceBrick(t,e.colYs);else{var o,r,a=e.cols+1-n,h=[];for(r=0;a>r;r++)o=e.colYs.slice(r,r+n),h[r]=Math.max.apply(Math,o);s._masonryPlaceBrick(t,h)}})},_masonryPlaceBrick:function(t,i){for(var s=Math.min.apply(Math,i),e=0,n=0,o=i.length;o>n;n++)if(i[n]===s){e=n;break}var r=this.masonry.columnWidth*e,a=s;this._pushPosition(t,r,a);var h=s+t.outerHeight(!0),l=this.masonry.cols+1-o;for(n=0;l>n;n++)this.masonry.colYs[e+n]=h},_masonryGetContainerSize:function(){var t=Math.max.apply(Math,this.masonry.colYs);return{height:t}},_masonryResizeChanged:function(){return this._checkIfSegmentsChanged()},_fitRowsReset:function(){this.fitRows={x:0,y:0,height:0}},_fitRowsLayout:function(t){var s=this,e=this.element.width(),n=this.fitRows;t.each(function(){var t=i(this),o=t.outerWidth(!0),r=t.outerHeight(!0);0!==n.x&&o+n.x>e&&(n.x=0,n.y=n.height),s._pushPosition(t,n.x,n.y),n.height=Math.max(n.y+r,n.height),n.x+=o})},_fitRowsGetContainerSize:function(){return{height:this.fitRows.height}},_fitRowsResizeChanged:function(){return!0},_cellsByRowReset:function(){this.cellsByRow={index:0},this._getSegments(),this._getSegments(!0)},_cellsByRowLayout:function(t){var s=this,e=this.cellsByRow;t.each(function(){var t=i(this),n=e.index%e.cols,o=Math.floor(e.index/e.cols),r=(n+.5)*e.columnWidth-t.outerWidth(!0)/2,a=(o+.5)*e.rowHeight-t.outerHeight(!0)/2;s._pushPosition(t,r,a),e.index++})},_cellsByRowGetContainerSize:function(){return{height:Math.ceil(this.$filteredAtoms.length/this.cellsByRow.cols)*this.cellsByRow.rowHeight+this.offset.top}},_cellsByRowResizeChanged:function(){return this._checkIfSegmentsChanged()},_straightDownReset:function(){this.straightDown={y:0}},_straightDownLayout:function(t){var s=this;t.each(function(){var t=i(this);s._pushPosition(t,0,s.straightDown.y),s.straightDown.y+=t.outerHeight(!0)})},_straightDownGetContainerSize:function(){return{height:this.straightDown.y}},_straightDownResizeChanged:function(){return!0},_masonryHorizontalReset:function(){this.masonryHorizontal={},this._getSegments(!0);var t=this.masonryHorizontal.rows;for(this.masonryHorizontal.rowXs=[];t--;)this.masonryHorizontal.rowXs.push(0)},_masonryHorizontalLayout:function(t){var s=this,e=s.masonryHorizontal;t.each(function(){var t=i(this),n=Math.ceil(t.outerHeight(!0)/e.rowHeight);if(n=Math.min(n,e.rows),1===n)s._masonryHorizontalPlaceBrick(t,e.rowXs);else{var o,r,a=e.rows+1-n,h=[];for(r=0;a>r;r++)o=e.rowXs.slice(r,r+n),h[r]=Math.max.apply(Math,o);s._masonryHorizontalPlaceBrick(t,h)}})},_masonryHorizontalPlaceBrick:function(t,i){for(var s=Math.min.apply(Math,i),e=0,n=0,o=i.length;o>n;n++)if(i[n]===s){e=n;break}var r=s,a=this.masonryHorizontal.rowHeight*e;this._pushPosition(t,r,a);var h=s+t.outerWidth(!0),l=this.masonryHorizontal.rows+1-o;for(n=0;l>n;n++)this.masonryHorizontal.rowXs[e+n]=h},_masonryHorizontalGetContainerSize:function(){var t=Math.max.apply(Math,this.masonryHorizontal.rowXs);return{width:t}},_masonryHorizontalResizeChanged:function(){return this._checkIfSegmentsChanged(!0)},_fitColumnsReset:function(){this.fitColumns={x:0,y:0,width:0}},_fitColumnsLayout:function(t){var s=this,e=this.element.height(),n=this.fitColumns;t.each(function(){var t=i(this),o=t.outerWidth(!0),r=t.outerHeight(!0);0!==n.y&&r+n.y>e&&(n.x=n.width,n.y=0),s._pushPosition(t,n.x,n.y),n.width=Math.max(n.x+o,n.width),n.y+=r})},_fitColumnsGetContainerSize:function(){return{width:this.fitColumns.width}},_fitColumnsResizeChanged:function(){return!0},_cellsByColumnReset:function(){this.cellsByColumn={index:0},this._getSegments(),this._getSegments(!0)},_cellsByColumnLayout:function(t){var s=this,e=this.cellsByColumn;t.each(function(){var t=i(this),n=Math.floor(e.index/e.rows),o=e.index%e.rows,r=(n+.5)*e.columnWidth-t.outerWidth(!0)/2,a=(o+.5)*e.rowHeight-t.outerHeight(!0)/2;s._pushPosition(t,r,a),e.index++})},_cellsByColumnGetContainerSize:function(){return{width:Math.ceil(this.$filteredAtoms.length/this.cellsByColumn.rows)*this.cellsByColumn.columnWidth}},_cellsByColumnResizeChanged:function(){return this._checkIfSegmentsChanged(!0)},_straightAcrossReset:function(){this.straightAcross={x:0}},_straightAcrossLayout:function(t){var s=this;t.each(function(){var t=i(this);s._pushPosition(t,s.straightAcross.x,0),s.straightAcross.x+=t.outerWidth(!0)})},_straightAcrossGetContainerSize:function(){return{width:this.straightAcross.x}},_straightAcrossResizeChanged:function(){return!0}},i.fn.imagesLoaded=function(t){function s(){t.call(n,o)}function e(t){var n=t.target;n.src!==a&&-1===i.inArray(n,h)&&(h.push(n),--r<=0&&(setTimeout(s),o.unbind(".imagesLoaded",e)))}var n=this,o=n.find("img").add(n.filter("img")),r=o.length,a="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///ywAAAAAAQABAAACAUwAOw==",h=[];return r||s(),o.bind("load.imagesLoaded error.imagesLoaded",e).each(function(){var t=this.src;this.src=a,this.src=t}),n};var C=function(i){t.console&&t.console.error(i)};i.fn.isotope=function(t,s){if("string"==typeof t){var e=Array.prototype.slice.call(arguments,1);this.each(function(){var s=i.data(this,"isotope");return s?i.isFunction(s[t])&&"_"!==t.charAt(0)?(s[t].apply(s,e),void 0):(C("no such method '"+t+"' for isotope instance"),void 0):(C("cannot call methods on isotope prior to initialization; attempted to call method '"+t+"'"),void 0)})}else this.each(function(){var e=i.data(this,"isotope");e?(e.option(t),e._init(s)):i.data(this,"isotope",new i.Isotope(t,this,s))});return this}}(window,jQuery);
--------------------------------------------------------------------------------
/static/js/plugins.js:
--------------------------------------------------------------------------------
1 | // Avoid `console` errors in browsers that lack a console.
2 | (function() {
3 | var method;
4 | var noop = function () {};
5 | var methods = [
6 | 'assert', 'clear', 'count', 'debug', 'dir', 'dirxml', 'error',
7 | 'exception', 'group', 'groupCollapsed', 'groupEnd', 'info', 'log',
8 | 'markTimeline', 'profile', 'profileEnd', 'table', 'time', 'timeEnd',
9 | 'timeStamp', 'trace', 'warn'
10 | ];
11 | var length = methods.length;
12 | var console = (window.console = window.console || {});
13 |
14 | while (length--) {
15 | method = methods[length];
16 |
17 | // Only stub undefined methods.
18 | if (!console[method]) {
19 | console[method] = noop;
20 | }
21 | }
22 | }());
23 |
24 | // Place any jQuery/helper plugins in here.
25 | /*!
26 | * Isotope v2.0.1
27 | * Filter & sort magical layouts
28 | * http://isotope.metafizzy.co
29 | */
30 |
31 | /**
32 | * Isotope v1.5.25
33 | * An exquisite jQuery plugin for magical layouts
34 | * http://isotope.metafizzy.co
35 | *
36 | * Commercial use requires one-time purchase of a commercial license
37 | * http://isotope.metafizzy.co/docs/license.html
38 | *
39 | * Non-commercial use is licensed under the MIT License
40 | *
41 | * Copyright 2013 Metafizzy
42 | */
43 | (function(a,b,c){"use strict";var d=a.document,e=a.Modernizr,f=function(a){return a.charAt(0).toUpperCase()+a.slice(1)},g="Moz Webkit O Ms".split(" "),h=function(a){var b=d.documentElement.style,c;if(typeof b[a]=="string")return a;a=f(a);for(var e=0,h=g.length;e"+d+"{#modernizr{height:3px}}"+"").appendTo("head"),f=b('').appendTo("html");a=f.height()===3,f.remove(),e.remove()}return a},csstransitions:function(){return!!j}},l;if(e)for(l in k)e.hasOwnProperty(l)||e.addTest(l,k[l]);else{e=a.Modernizr={_version:"1.6ish: miniModernizr for Isotope"};var m=" ",n;for(l in k)n=k[l](),e[l]=n,m+=" "+(n?"":"no-")+l;b("html").addClass(m)}if(e.csstransforms){var o=e.csstransforms3d?{translate:function(a){return"translate3d("+a[0]+"px, "+a[1]+"px, 0) "},scale:function(a){return"scale3d("+a+", "+a+", 1) "}}:{translate:function(a){return"translate("+a[0]+"px, "+a[1]+"px) "},scale:function(a){return"scale("+a+") "}},p=function(a,c,d){var e=b.data(a,"isoTransform")||{},f={},g,h={},j;f[c]=d,b.extend(e,f);for(g in e)j=e[g],h[g]=o[g](j);var k=h.translate||"",l=h.scale||"",m=k+l;b.data(a,"isoTransform",e),a.style[i]=m};b.cssNumber.scale=!0,b.cssHooks.scale={set:function(a,b){p(a,"scale",b)},get:function(a,c){var d=b.data(a,"isoTransform");return d&&d.scale?d.scale:1}},b.fx.step.scale=function(a){b.cssHooks.scale.set(a.elem,a.now+a.unit)},b.cssNumber.translate=!0,b.cssHooks.translate={set:function(a,b){p(a,"translate",b)},get:function(a,c){var d=b.data(a,"isoTransform");return d&&d.translate?d.translate:[0,0]}}}var q,r;e.csstransitions&&(q={WebkitTransitionProperty:"webkitTransitionEnd",MozTransitionProperty:"transitionend",OTransitionProperty:"oTransitionEnd otransitionend",transitionProperty:"transitionend"}[j],r=h("transitionDuration"));var s=b.event,t=b.event.handle?"handle":"dispatch",u;s.special.smartresize={setup:function(){b(this).bind("resize",s.special.smartresize.handler)},teardown:function(){b(this).unbind("resize",s.special.smartresize.handler)},handler:function(a,b){var c=this,d=arguments;a.type="smartresize",u&&clearTimeout(u),u=setTimeout(function(){s[t].apply(c,d)},b==="execAsap"?0:100)}},b.fn.smartresize=function(a){return a?this.bind("smartresize",a):this.trigger("smartresize",["execAsap"])},b.Isotope=function(a,c,d){this.element=b(c),this._create(a),this._init(d)};var v=["width","height"],w=b(a);b.Isotope.settings={resizable:!0,layoutMode:"masonry",containerClass:"isotope",itemClass:"isotope-item",hiddenClass:"isotope-hidden",hiddenStyle:{opacity:0,scale:.001},visibleStyle:{opacity:1,scale:1},containerStyle:{position:"relative",overflow:"hidden"},animationEngine:"best-available",animationOptions:{queue:!1,duration:800},sortBy:"original-order",sortAscending:!0,resizesContainer:!0,transformsEnabled:!0,itemPositionDataEnabled:!1},b.Isotope.prototype={_create:function(a){this.options=b.extend({},b.Isotope.settings,a),this.styleQueue=[],this.elemCount=0;var c=this.element[0].style;this.originalStyle={};var d=v.slice(0);for(var e in this.options.containerStyle)d.push(e);for(var f=0,g=d.length;fg?1:f0&&(i=function(a,b){b.$el[d](b.style,f).one(q,k)},j=!1)}}b.each(this.styleQueue,i),j&&k(),this.styleQueue=[]},resize:function(){this["_"+this.options.layoutMode+"ResizeChanged"]()&&this.reLayout()},reLayout:function(a){this["_"+this.options.layoutMode+"Reset"](),this.layout(this.$filteredAtoms,a)},addItems:function(a,b){var c=this._getAtoms(a);this.$allAtoms=this.$allAtoms.add(c),b&&b(c)},insert:function(a,b){this.element.append(a);var c=this;this.addItems(a,function(a){var d=c._filter(a);c._addHideAppended(d),c._sort(),c.reLayout(),c._revealAppended(d,b)})},appended:function(a,b){var c=this;this.addItems(a,function(a){c._addHideAppended(a),c.layout(a),c._revealAppended(a,b)})},_addHideAppended:function(a){this.$filteredAtoms=this.$filteredAtoms.add(a),a.addClass("no-transition"),this._isInserting=!0,this.styleQueue.push({$el:a,style:this.options.hiddenStyle})},_revealAppended:function(a,b){var c=this;setTimeout(function(){a.removeClass("no-transition"),c.styleQueue.push({$el:a,style:c.options.visibleStyle}),c._isInserting=!1,c._processStyleQueue(a,b)},10)},reloadItems:function(){this.$allAtoms=this._getAtoms(this.element.children())},remove:function(a,b){this.$allAtoms=this.$allAtoms.not(a),this.$filteredAtoms=this.$filteredAtoms.not(a);var c=this,d=function(){a.remove(),b&&b.call(c.element)};a.filter(":not(."+this.options.hiddenClass+")").length?(this.styleQueue.push({$el:a,style:this.options.hiddenStyle}),this._sort(),this.reLayout(d)):d()},shuffle:function(a){this.updateSortData(this.$allAtoms),this.options.sortBy="random",this._sort(),this.reLayout(a)},destroy:function(){var a=this.usingTransforms,b=this.options;this.$allAtoms.removeClass(b.hiddenClass+" "+b.itemClass).each(function(){var b=this.style;b.position="",b.top="",b.left="",b.opacity="",a&&(b[i]="")});var c=this.element[0].style;for(var d in this.originalStyle)c[d]=this.originalStyle[d];this.element.unbind(".isotope").undelegate("."+b.hiddenClass,"click").removeClass(b.containerClass).removeData("isotope"),w.unbind(".isotope")},_getSegments:function(a){var b=this.options.layoutMode,c=a?"rowHeight":"columnWidth",d=a?"height":"width",e=a?"rows":"cols",g=this.element[d](),h,i=this.options[b]&&this.options[b][c]||this.$filteredAtoms["outer"+f(d)](!0)||g;h=Math.floor(g/i),h=Math.max(h,1),this[b][e]=h,this[b][c]=i},_checkIfSegmentsChanged:function(a){var b=this.options.layoutMode,c=a?"rows":"cols",d=this[b][c];return this._getSegments(a),this[b][c]!==d},_masonryReset:function(){this.masonry={},this._getSegments();var a=this.masonry.cols;this.masonry.colYs=[];while(a--)this.masonry.colYs.push(0)},_masonryLayout:function(a){var c=this,d=c.masonry;a.each(function(){var a=b(this),e=Math.ceil(a.outerWidth(!0)/d.columnWidth);e=Math.min(e,d.cols);if(e===1)c._masonryPlaceBrick(a,d.colYs);else{var f=d.cols+1-e,g=[],h,i;for(i=0;id&&(e.x=0,e.y=e.height),c._pushPosition(a,e.x,e.y),e.height=Math.max(e.y+g,e.height),e.x+=f})},_fitRowsGetContainerSize:function(){return{height:this.fitRows.height}},_fitRowsResizeChanged:function(){return!0},_cellsByRowReset:function(){this.cellsByRow={index:0},this._getSegments(),this._getSegments(!0)},_cellsByRowLayout:function(a){var c=this,d=this.cellsByRow;a.each(function(){var a=b(this),e=d.index%d.cols,f=Math.floor(d.index/d.cols),g=(e+.5)*d.columnWidth-a.outerWidth(!0)/2,h=(f+.5)*d.rowHeight-a.outerHeight(!0)/2;c._pushPosition(a,g,h),d.index++})},_cellsByRowGetContainerSize:function(){return{height:Math.ceil(this.$filteredAtoms.length/this.cellsByRow.cols)*this.cellsByRow.rowHeight+this.offset.top}},_cellsByRowResizeChanged:function(){return this._checkIfSegmentsChanged()},_straightDownReset:function(){this.straightDown={y:0}},_straightDownLayout:function(a){var c=this;a.each(function(a){var d=b(this);c._pushPosition(d,0,c.straightDown.y),c.straightDown.y+=d.outerHeight(!0)})},_straightDownGetContainerSize:function(){return{height:this.straightDown.y}},_straightDownResizeChanged:function(){return!0},_masonryHorizontalReset:function(){this.masonryHorizontal={},this._getSegments(!0);var a=this.masonryHorizontal.rows;this.masonryHorizontal.rowXs=[];while(a--)this.masonryHorizontal.rowXs.push(0)},_masonryHorizontalLayout:function(a){var c=this,d=c.masonryHorizontal;a.each(function(){var a=b(this),e=Math.ceil(a.outerHeight(!0)/d.rowHeight);e=Math.min(e,d.rows);if(e===1)c._masonryHorizontalPlaceBrick(a,d.rowXs);else{var f=d.rows+1-e,g=[],h,i;for(i=0;id&&(e.x=e.width,e.y=0),c._pushPosition(a,e.x,e.y),e.width=Math.max(e.x+f,e.width),e.y+=g})},_fitColumnsGetContainerSize:function(){return{width:this.fitColumns.width}},_fitColumnsResizeChanged:function(){return!0},_cellsByColumnReset:function(){this.cellsByColumn={index:0},this._getSegments(),this._getSegments(!0)},_cellsByColumnLayout:function(a){var c=this,d=this.cellsByColumn;a.each(function(){var a=b(this),e=Math.floor(d.index/d.rows),f=d.index%d.rows,g=(e+.5)*d.columnWidth-a.outerWidth(!0)/2,h=(f+.5)*d.rowHeight-a.outerHeight(!0)/2;c._pushPosition(a,g,h),d.index++})},_cellsByColumnGetContainerSize:function(){return{width:Math.ceil(this.$filteredAtoms.length/this.cellsByColumn.rows)*this.cellsByColumn.columnWidth}},_cellsByColumnResizeChanged:function(){return this._checkIfSegmentsChanged(!0)},_straightAcrossReset:function(){this.straightAcross={x:0}},_straightAcrossLayout:function(a){var c=this;a.each(function(a){var d=b(this);c._pushPosition(d,c.straightAcross.x,0),c.straightAcross.x+=d.outerWidth(!0)})},_straightAcrossGetContainerSize:function(){return{width:this.straightAcross.x}},_straightAcrossResizeChanged:function(){return!0}},b.fn.imagesLoaded=function(a){function h(){a.call(c,d)}function i(a){var c=a.target;c.src!==f&&b.inArray(c,g)===-1&&(g.push(c),--e<=0&&(setTimeout(h),d.unbind(".imagesLoaded",i)))}var c=this,d=c.find("img").add(c.filter("img")),e=d.length,f="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///ywAAAAAAQABAAACAUwAOw==",g=[];return e||h(),d.bind("load.imagesLoaded error.imagesLoaded",i).each(function(){var a=this.src;this.src=f,this.src=a}),c};var x=function(b){a.console&&a.console.error(b)};b.fn.isotope=function(a,c){if(typeof a=="string"){var d=Array.prototype.slice.call(arguments,1);this.each(function(){var c=b.data(this,"isotope");if(!c){x("cannot call methods on isotope prior to initialization; attempted to call method '"+a+"'");return}if(!b.isFunction(c[a])||a.charAt(0)==="_"){x("no such method '"+a+"' for isotope instance");return}c[a].apply(c,d)})}else this.each(function(){var d=b.data(this,"isotope");d?(d.option(a),d._init(c)):b.data(this,"isotope",new b.Isotope(a,this,c))});return this}})(window,jQuery);
44 |
45 |
46 |
47 |
48 |
--------------------------------------------------------------------------------
/static/js/vendor/modernizr-2.6.2.min.js:
--------------------------------------------------------------------------------
1 | /* Modernizr 2.6.2 (Custom Build) | MIT & BSD
2 | * Build: http://modernizr.com/download/#-fontface-backgroundsize-borderimage-borderradius-boxshadow-flexbox-hsla-multiplebgs-opacity-rgba-textshadow-cssanimations-csscolumns-generatedcontent-cssgradients-cssreflections-csstransforms-csstransforms3d-csstransitions-applicationcache-canvas-canvastext-draganddrop-hashchange-history-audio-video-indexeddb-input-inputtypes-localstorage-postmessage-sessionstorage-websockets-websqldatabase-webworkers-geolocation-inlinesvg-smil-svg-svgclippaths-touch-webgl-shiv-mq-cssclasses-addtest-prefixed-teststyles-testprop-testallprops-hasevent-prefixes-domprefixes-load
3 | */
4 | ;window.Modernizr=function(a,b,c){function D(a){j.cssText=a}function E(a,b){return D(n.join(a+";")+(b||""))}function F(a,b){return typeof a===b}function G(a,b){return!!~(""+a).indexOf(b)}function H(a,b){for(var d in a){var e=a[d];if(!G(e,"-")&&j[e]!==c)return b=="pfx"?e:!0}return!1}function I(a,b,d){for(var e in a){var f=b[a[e]];if(f!==c)return d===!1?a[e]:F(f,"function")?f.bind(d||b):f}return!1}function J(a,b,c){var d=a.charAt(0).toUpperCase()+a.slice(1),e=(a+" "+p.join(d+" ")+d).split(" ");return F(b,"string")||F(b,"undefined")?H(e,b):(e=(a+" "+q.join(d+" ")+d).split(" "),I(e,b,c))}function K(){e.input=function(c){for(var d=0,e=c.length;d',a,""].join(""),l.id=h,(m?l:n).innerHTML+=f,n.appendChild(l),m||(n.style.background="",n.style.overflow="hidden",k=g.style.overflow,g.style.overflow="hidden",g.appendChild(n)),i=c(l,a),m?l.parentNode.removeChild(l):(n.parentNode.removeChild(n),g.style.overflow=k),!!i},z=function(b){var c=a.matchMedia||a.msMatchMedia;if(c)return c(b).matches;var d;return y("@media "+b+" { #"+h+" { position: absolute; } }",function(b){d=(a.getComputedStyle?getComputedStyle(b,null):b.currentStyle)["position"]=="absolute"}),d},A=function(){function d(d,e){e=e||b.createElement(a[d]||"div"),d="on"+d;var f=d in e;return f||(e.setAttribute||(e=b.createElement("div")),e.setAttribute&&e.removeAttribute&&(e.setAttribute(d,""),f=F(e[d],"function"),F(e[d],"undefined")||(e[d]=c),e.removeAttribute(d))),e=null,f}var a={select:"input",change:"input",submit:"form",reset:"form",error:"img",load:"img",abort:"img"};return d}(),B={}.hasOwnProperty,C;!F(B,"undefined")&&!F(B.call,"undefined")?C=function(a,b){return B.call(a,b)}:C=function(a,b){return b in a&&F(a.constructor.prototype[b],"undefined")},Function.prototype.bind||(Function.prototype.bind=function(b){var c=this;if(typeof c!="function")throw new TypeError;var d=w.call(arguments,1),e=function(){if(this instanceof e){var a=function(){};a.prototype=c.prototype;var f=new a,g=c.apply(f,d.concat(w.call(arguments)));return Object(g)===g?g:f}return c.apply(b,d.concat(w.call(arguments)))};return e}),s.flexbox=function(){return J("flexWrap")},s.canvas=function(){var a=b.createElement("canvas");return!!a.getContext&&!!a.getContext("2d")},s.canvastext=function(){return!!e.canvas&&!!F(b.createElement("canvas").getContext("2d").fillText,"function")},s.webgl=function(){return!!a.WebGLRenderingContext},s.touch=function(){var c;return"ontouchstart"in a||a.DocumentTouch&&b instanceof DocumentTouch?c=!0:y(["@media (",n.join("touch-enabled),("),h,")","{#modernizr{top:9px;position:absolute}}"].join(""),function(a){c=a.offsetTop===9}),c},s.geolocation=function(){return"geolocation"in navigator},s.postmessage=function(){return!!a.postMessage},s.websqldatabase=function(){return!!a.openDatabase},s.indexedDB=function(){return!!J("indexedDB",a)},s.hashchange=function(){return A("hashchange",a)&&(b.documentMode===c||b.documentMode>7)},s.history=function(){return!!a.history&&!!history.pushState},s.draganddrop=function(){var a=b.createElement("div");return"draggable"in a||"ondragstart"in a&&"ondrop"in a},s.websockets=function(){return"WebSocket"in a||"MozWebSocket"in a},s.rgba=function(){return D("background-color:rgba(150,255,150,.5)"),G(j.backgroundColor,"rgba")},s.hsla=function(){return D("background-color:hsla(120,40%,100%,.5)"),G(j.backgroundColor,"rgba")||G(j.backgroundColor,"hsla")},s.multiplebgs=function(){return D("background:url(https://),url(https://),red url(https://)"),/(url\s*\(.*?){3}/.test(j.background)},s.backgroundsize=function(){return J("backgroundSize")},s.borderimage=function(){return J("borderImage")},s.borderradius=function(){return J("borderRadius")},s.boxshadow=function(){return J("boxShadow")},s.textshadow=function(){return b.createElement("div").style.textShadow===""},s.opacity=function(){return E("opacity:.55"),/^0.55$/.test(j.opacity)},s.cssanimations=function(){return J("animationName")},s.csscolumns=function(){return J("columnCount")},s.cssgradients=function(){var a="background-image:",b="gradient(linear,left top,right bottom,from(#9f9),to(white));",c="linear-gradient(left top,#9f9, white);";return D((a+"-webkit- ".split(" ").join(b+a)+n.join(c+a)).slice(0,-a.length)),G(j.backgroundImage,"gradient")},s.cssreflections=function(){return J("boxReflect")},s.csstransforms=function(){return!!J("transform")},s.csstransforms3d=function(){var a=!!J("perspective");return a&&"webkitPerspective"in g.style&&y("@media (transform-3d),(-webkit-transform-3d){#modernizr{left:9px;position:absolute;height:3px;}}",function(b,c){a=b.offsetLeft===9&&b.offsetHeight===3}),a},s.csstransitions=function(){return J("transition")},s.fontface=function(){var a;return y('@font-face {font-family:"font";src:url("https://")}',function(c,d){var e=b.getElementById("smodernizr"),f=e.sheet||e.styleSheet,g=f?f.cssRules&&f.cssRules[0]?f.cssRules[0].cssText:f.cssText||"":"";a=/src/i.test(g)&&g.indexOf(d.split(" ")[0])===0}),a},s.generatedcontent=function(){var a;return y(["#",h,"{font:0/0 a}#",h,':after{content:"',l,'";visibility:hidden;font:3px/1 a}'].join(""),function(b){a=b.offsetHeight>=3}),a},s.video=function(){var a=b.createElement("video"),c=!1;try{if(c=!!a.canPlayType)c=new Boolean(c),c.ogg=a.canPlayType('video/ogg; codecs="theora"').replace(/^no$/,""),c.h264=a.canPlayType('video/mp4; codecs="avc1.42E01E"').replace(/^no$/,""),c.webm=a.canPlayType('video/webm; codecs="vp8, vorbis"').replace(/^no$/,"")}catch(d){}return c},s.audio=function(){var a=b.createElement("audio"),c=!1;try{if(c=!!a.canPlayType)c=new Boolean(c),c.ogg=a.canPlayType('audio/ogg; codecs="vorbis"').replace(/^no$/,""),c.mp3=a.canPlayType("audio/mpeg;").replace(/^no$/,""),c.wav=a.canPlayType('audio/wav; codecs="1"').replace(/^no$/,""),c.m4a=(a.canPlayType("audio/x-m4a;")||a.canPlayType("audio/aac;")).replace(/^no$/,"")}catch(d){}return c},s.localstorage=function(){try{return localStorage.setItem(h,h),localStorage.removeItem(h),!0}catch(a){return!1}},s.sessionstorage=function(){try{return sessionStorage.setItem(h,h),sessionStorage.removeItem(h),!0}catch(a){return!1}},s.webworkers=function(){return!!a.Worker},s.applicationcache=function(){return!!a.applicationCache},s.svg=function(){return!!b.createElementNS&&!!b.createElementNS(r.svg,"svg").createSVGRect},s.inlinesvg=function(){var a=b.createElement("div");return a.innerHTML="",(a.firstChild&&a.firstChild.namespaceURI)==r.svg},s.smil=function(){return!!b.createElementNS&&/SVGAnimate/.test(m.call(b.createElementNS(r.svg,"animate")))},s.svgclippaths=function(){return!!b.createElementNS&&/SVGClipPath/.test(m.call(b.createElementNS(r.svg,"clipPath")))};for(var L in s)C(s,L)&&(x=L.toLowerCase(),e[x]=s[L](),v.push((e[x]?"":"no-")+x));return e.input||K(),e.addTest=function(a,b){if(typeof a=="object")for(var d in a)C(a,d)&&e.addTest(d,a[d]);else{a=a.toLowerCase();if(e[a]!==c)return e;b=typeof b=="function"?b():b,typeof f!="undefined"&&f&&(g.className+=" "+(b?"":"no-")+a),e[a]=b}return e},D(""),i=k=null,function(a,b){function k(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 l(){var a=r.elements;return typeof a=="string"?a.split(" "):a}function m(a){var b=i[a[g]];return b||(b={},h++,a[g]=h,i[h]=b),b}function n(a,c,f){c||(c=b);if(j)return c.createElement(a);f||(f=m(c));var g;return f.cache[a]?g=f.cache[a].cloneNode():e.test(a)?g=(f.cache[a]=f.createElem(a)).cloneNode():g=f.createElem(a),g.canHaveChildren&&!d.test(a)?f.frag.appendChild(g):g}function o(a,c){a||(a=b);if(j)return a.createDocumentFragment();c=c||m(a);var d=c.frag.cloneNode(),e=0,f=l(),g=f.length;for(;e",f="hidden"in a,j=a.childNodes.length==1||function(){b.createElement("a");var a=b.createDocumentFragment();return typeof a.cloneNode=="undefined"||typeof a.createDocumentFragment=="undefined"||typeof a.createElement=="undefined"}()}catch(c){f=!0,j=!0}})();var r={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,supportsUnknownElements:j,shivMethods:c.shivMethods!==!1,type:"default",shivDocument:q,createElement:n,createDocumentFragment:o};a.html5=r,q(b)}(this,b),e._version=d,e._prefixes=n,e._domPrefixes=q,e._cssomPrefixes=p,e.mq=z,e.hasEvent=A,e.testProp=function(a){return H([a])},e.testAllProps=J,e.testStyles=y,e.prefixed=function(a,b,c){return b?J(a,b,c):J(a,"pfx")},g.className=g.className.replace(/(^|\s)no-js(\s|$)/,"$1$2")+(f?" js "+v.join(" "):""),e}(this,this.document),function(a,b,c){function d(a){return"[object Function]"==o.call(a)}function e(a){return"string"==typeof a}function f(){}function g(a){return!a||"loaded"==a||"complete"==a||"uninitialized"==a}function h(){var a=p.shift();q=1,a?a.t?m(function(){("c"==a.t?B.injectCss:B.injectJs)(a.s,0,a.a,a.x,a.e,1)},0):(a(),h()):q=0}function i(a,c,d,e,f,i,j){function k(b){if(!o&&g(l.readyState)&&(u.r=o=1,!q&&h(),l.onload=l.onreadystatechange=null,b)){"img"!=a&&m(function(){t.removeChild(l)},50);for(var d in y[c])y[c].hasOwnProperty(d)&&y[c][d].onload()}}var j=j||B.errorTimeout,l=b.createElement(a),o=0,r=0,u={t:d,s:c,e:f,a:i,x:j};1===y[c]&&(r=1,y[c]=[]),"object"==a?l.data=c:(l.src=c,l.type=a),l.width=l.height="0",l.onerror=l.onload=l.onreadystatechange=function(){k.call(this,r)},p.splice(e,0,u),"img"!=a&&(r||2===y[c]?(t.insertBefore(l,s?null:n),m(k,j)):y[c].push(l))}function j(a,b,c,d,f){return q=0,b=b||"j",e(a)?i("c"==b?v:u,a,b,this.i++,c,d,f):(p.splice(this.i++,0,a),1==p.length&&h()),this}function k(){var a=B;return a.loader={load:j,i:0},a}var l=b.documentElement,m=a.setTimeout,n=b.getElementsByTagName("script")[0],o={}.toString,p=[],q=0,r="MozAppearance"in l.style,s=r&&!!b.createRange().compareNode,t=s?l:n.parentNode,l=a.opera&&"[object Opera]"==o.call(a.opera),l=!!b.attachEvent&&!l,u=r?"object":l?"script":"img",v=l?"script":u,w=Array.isArray||function(a){return"[object Array]"==o.call(a)},x=[],y={},z={timeout:function(a,b){return b.length&&(a.timeout=b[0]),a}},A,B;B=function(a){function b(a){var a=a.split("!"),b=x.length,c=a.pop(),d=a.length,c={url:c,origUrl:c,prefixes:a},e,f,g;for(f=0;f
2 | {% load static %}
3 |
4 |
5 |
6 | Masonry Responsive Template
7 |
8 |
9 |
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 |
18 |
19 |
20 |
23 |
24 |
25 |
26 |
27 |
28 |
29 |
43 |
44 |
45 | {% block content %}
46 | {% endblock content %}
47 |
48 |
58 |
59 |
60 |
61 |
62 |
63 |
64 |
65 |
74 |
75 |