diff --git a/.dockerignore b/.dockerignore new file mode 100644 index 0000000..f134994 --- /dev/null +++ b/.dockerignore @@ -0,0 +1 @@ +postgres diff --git a/.editorconfig b/.editorconfig deleted file mode 100644 index 058a363..0000000 --- a/.editorconfig +++ /dev/null @@ -1,17 +0,0 @@ -# http://editorconfig.org - -root = true - -[*] -charset = utf-8 -end_of_line = lf -insert_final_newline = true -trim_trailing_whitespace = true - -[*.{py,rst,ini}] -indent_style = space -indent_size = 4 - -[*.yml] -indent_style = space -indent_size = 2 diff --git a/.gitattributes b/.gitattributes deleted file mode 100644 index 176a458..0000000 --- a/.gitattributes +++ /dev/null @@ -1 +0,0 @@ -* text=auto diff --git a/.gitignore b/.gitignore index bbf419e..c5595c7 100644 --- a/.gitignore +++ b/.gitignore @@ -40,9 +40,9 @@ node_modules/ .settings .env -pillbox_engine.sublime-project -tmp-unzipped celerybeat-schedule staticfiles media downloads +config/db/postgres/* +!config/db/postgres/.keep diff --git a/CONTRIBUTORS.txt b/CONTRIBUTORS.txt deleted file mode 100644 index eb3aae0..0000000 --- a/CONTRIBUTORS.txt +++ /dev/null @@ -1 +0,0 @@ -Scisco diff --git a/Dockerfile b/Dockerfile new file mode 100644 index 0000000..e315f72 --- /dev/null +++ b/Dockerfile @@ -0,0 +1,7 @@ +FROM python:2.7.13-wheezy + +Add . /pillbox +WORKDIR /pillbox + +RUN pip install -r requirements.txt + diff --git a/Procfile b/Procfile index 0e45da0..ed622c1 100644 --- a/Procfile +++ b/Procfile @@ -1,2 +1,2 @@ -web: gunicorn --pythonpath="$PWD/pillbox-engine" wsgi:application -worker: celery worker --app=pillbox-engine._celery -B --loglevel=DEBUG --concurrency=1 +web: gunicorn --pythonpath="$PWD/engine" config.wsgi:application +worker: celery worker -A config.celery --loglevel=INFO --concurrency=1 diff --git a/pillbox-engine/compare/__init__.py b/config/__init__.py similarity index 100% rename from pillbox-engine/compare/__init__.py rename to config/__init__.py diff --git a/config/celery.py b/config/celery.py new file mode 100644 index 0000000..2003407 --- /dev/null +++ b/config/celery.py @@ -0,0 +1,22 @@ +from __future__ import absolute_import, unicode_literals +import os +import sys + +BASE_DIR = os.path.dirname(os.path.dirname(__file__)) +sys.path.append(BASE_DIR + '/engine') + +from celery import Celery +os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'config.settings.production') + +from django.conf import settings # noqa + +app = Celery('pillbox') +app.config_from_object('django.conf:settings', namespace='CELERY') + +# Load task modules from all registered Django app configs. +app.autodiscover_tasks() + +@app.task(bind=True) +def debug_task(self): + print('Request: {0!r}'.format(self.request)) + diff --git a/pillbox-engine/db/.keep b/config/db/.keep similarity index 100% rename from pillbox-engine/db/.keep rename to config/db/.keep diff --git a/pillbox-engine/compare/migrations/__init__.py b/config/settings/__init__.py similarity index 100% rename from pillbox-engine/compare/migrations/__init__.py rename to config/settings/__init__.py diff --git a/config/settings/common.py b/config/settings/common.py new file mode 100644 index 0000000..8bd5ad5 --- /dev/null +++ b/config/settings/common.py @@ -0,0 +1,277 @@ +# -*- coding: utf-8 -*- +""" +Django settings for pillbox-engine project. + +For more information on this file, see +https://docs.djangoproject.com/en/dev/topics/settings/ + +For the full list of settings and their values, see +https://docs.djangoproject.com/en/dev/ref/settings/ +""" + +# Build paths inside the project like this: os.path.join(BASE_DIR, ...) +# import os + + +from __future__ import absolute_import, unicode_literals +from os.path import join, dirname +import environ + +BASE_DIR = environ.Path(__file__) - 3 # (/a/myfile.py - 2 = /) + +env = environ.Env() + + +# DEBUG +DEBUG = env.bool('DEBUG', default=True) +# END DEBUG + +# APP CONFIGURATION +DJANGO_APPS = ( + # Default Django apps: + 'django.contrib.auth', + 'django.contrib.contenttypes', + 'django.contrib.sessions', + 'django.contrib.sites', + 'django.contrib.messages', + 'django.contrib.staticfiles', + + # Useful template tags: + 'django.contrib.humanize', + + # Admin + 'django.contrib.admin', +) +THIRD_PARTY_APPS = ( + 'xadmin', + # 'reversion', + 'crispy_forms', + # 'kombu.transport.django', + 'rest_framework', +) + +# Apps specific for this project go here. +LOCAL_APPS = ( + # Your stuff: custom apps go here + 'spl', + 'pillbox', + 'compare', + # 'djcelery_pillbox' +) + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps +INSTALLED_APPS = DJANGO_APPS + LOCAL_APPS + THIRD_PARTY_APPS +# END APP CONFIGURATION + +# MIDDLEWARE CONFIGURATION +MIDDLEWARE_CLASSES = ( + # Make sure djangosecure.middleware.SecurityMiddleware is listed first + 'django.contrib.sessions.middleware.SessionMiddleware', + 'django.middleware.common.CommonMiddleware', + 'django.middleware.csrf.CsrfViewMiddleware', + 'django.contrib.auth.middleware.AuthenticationMiddleware', + 'django.contrib.messages.middleware.MessageMiddleware', + 'django.middleware.clickjacking.XFrameOptionsMiddleware', +) +# END MIDDLEWARE CONFIGURATION + +# MIGRATIONS CONFIGURATION +# MIGRATION_MODULES = { + # 'sites': 'contrib.sites.migrations' +# } +# END MIGRATIONS CONFIGURATION + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#template-debug +TEMPLATE_DEBUG = DEBUG +# END DEBUG + +# SECRET CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#secret-key +# Note: This key only used for development and testing. +# In production, this is changed to a values.SecretValue() setting +SECRET_KEY = "changemetosomethingsecure!" +# END SECRET CONFIGURATION + +# FIXTURE CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#std:setting-FIXTURE_DIRS +FIXTURE_DIRS = ( + str(BASE_DIR.path('config/fixtures')), +) +# END FIXTURE CONFIGURATION + +# MANAGER CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#admins +ADMINS = ( + ("""Change ME""", 'email@example.com'), +) + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#managers +MANAGERS = ADMINS +# END MANAGER CONFIGURATION + +# DATABASE CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#databases +DATABASES = { + # Raises ImproperlyConfigured exception if DATABASE_URL not in os.environ + 'default': env.db("DATABASE_URL", default='sqlite:///%s' % str(BASE_DIR.path('config/db/db.sqlite3'))), +} +# END DATABASE CONFIGURATION + +# GENERAL CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#time-zone +TIME_ZONE = 'America/New_York' + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#language-code +LANGUAGE_CODE = 'en-us' + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#site-id +SITE_ID = 1 + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#use-i18n +USE_I18N = True + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#use-l10n +USE_L10N = True + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#use-tz +USE_TZ = True +# END GENERAL CONFIGURATION + +# TEMPLATE CONFIGURATION +TEMPLATES = [{ + 'BACKEND': 'django.template.backends.django.DjangoTemplates', + 'APP_DIRS': True, + 'DIRS': [ + str(BASE_DIR.path('config/templates')), + ], + 'OPTIONS': { + 'debug': DEBUG, + 'context_processors': [ + 'django.contrib.auth.context_processors.auth', + 'django.core.context_processors.debug', + 'django.core.context_processors.i18n', + 'django.core.context_processors.media', + 'django.core.context_processors.static', + 'django.core.context_processors.tz', + 'django.contrib.messages.context_processors.messages', + 'django.core.context_processors.request', + ], + }, +}] + +# STATIC FILE CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#static-root +STATIC_ROOT = str(BASE_DIR.path('config/staticfiles')) + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#static-url +STATIC_URL = '/static/' + +# See: https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#std:setting-STATICFILES_DIRS +STATICFILES_DIRS = ( + str(BASE_DIR.path('config/static')), +) + +# See: https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#staticfiles-finders +STATICFILES_FINDERS = ( + 'django.contrib.staticfiles.finders.FileSystemFinder', + 'django.contrib.staticfiles.finders.AppDirectoriesFinder', +) +# END STATIC FILE CONFIGURATION + +# MEDIA CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#media-root +MEDIA_ROOT = str(BASE_DIR.path('config/media')) + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#media-url +MEDIA_URL = '/media/' +# END MEDIA CONFIGURATION + +# URL Configuration +ROOT_URLCONF = 'config.urls' + +# See: https://docs.djangoproject.com/en/dev/ref/settings/#wsgi-application +WSGI_APPLICATION = 'config.wsgi.application' +# End URL Configuration + +# AUTHENTICATION CONFIGURATION +AUTHENTICATION_BACKENDS = ( + "django.contrib.auth.backends.ModelBackend", +) + +# Custom user app defaults +# Select the correct user model +# AUTH_USER_MODEL = "users.User" +# END Custom user app defaults + +# LOGGING CONFIGURATION +# See: https://docs.djangoproject.com/en/dev/ref/settings/#logging +# A sample logging configuration. The only tangible logging +# performed by this configuration is to send an email to +# the site admins on every HTTP 500 error when DEBUG=False. +# See http://docs.djangoproject.com/en/dev/topics/logging for +# more details on how to customize your logging configuration. +LOGGING = { + 'version': 1, + 'disable_existing_loggers': False, + 'filters': { + 'require_debug_false': { + '()': 'django.utils.log.RequireDebugFalse' + } + }, + 'formatters': { + 'standard': { + 'format' : "[%(asctime)s] %(levelname)s [%(name)s:%(lineno)s] %(message)s", + 'datefmt' : "%d/%b/%Y %H:%M:%S" + }, + }, + 'handlers': { + 'mail_admins': { + 'level': 'ERROR', + 'filters': ['require_debug_false'], + 'class': 'django.utils.log.AdminEmailHandler' + }, + 'file': { + 'level': 'INFO', + 'class': 'logging.FileHandler', + 'filename': '/pillbox/downloads/cleanup.log', + 'formatter': 'standard' + } + }, + 'loggers': { + 'django.request': { + 'handlers': ['mail_admins'], + 'level': 'ERROR', + 'propagate': True, + }, + 'cleanup': { + 'handlers': ['file'], + 'level': 'INFO' + } + } +} +# END LOGGING CONFIGURATION + +# Your common stuff: Below this line define 3rd party library settings +# Celery settings + +CELERY_BROKER_URL = 'amqp://guest@broker//' +CELERY_IMPORTS = ( + 'spl.tasks', +) +# CELERY_RESULT_BACKEND = values.Value('djcelery_pillbox.database:DatabaseBackend') +# CELERY_TASK_RESULT_EXPIRES = values.IntegerValue(3600) +# CELERY_DISABLE_RATE_LIMITS = values.BooleanValue(True) +# CELERYD_CONCURRENCY = values.IntegerValue(1) +# CELERY_ACCEPT_CONTENT = values.ListValue(['json', 'msgpack', 'yaml']) +# CELERY_TASK_SERIALIZER = values.Value('json') +# CELERY_RESULT_SERIALIZER = values.Value('json') +# CELERY_TRACK_STARTED = values.BooleanValue(True) +# CELERY_STORE_ERRORS_EVEN_IF_IGNORED = True + +DAILYMED_FTP_SITE = env.str('DAILYMED_FTP_SITE', 'public.nlm.nih.gov') +DAILYMED_FTP_PATH = env.str('DAILYMED_FTP_PATH', 'nlmdata/.dailymed/') +DAILYMED_FTP_USER = env.str('DAILYMED_FTP_USER', 'anonymous') +DAILYMED_FTP_PASS = env.str('DAILYMED_FTP_PASS', '') +DOWNLOAD_PATH = str(BASE_DIR.path('downloads/zip')) +SOURCE_PATH = str(BASE_DIR.path('downloads/unzip')) + diff --git a/config/settings/local.py b/config/settings/local.py new file mode 100644 index 0000000..429110a --- /dev/null +++ b/config/settings/local.py @@ -0,0 +1,34 @@ +# -*- coding: utf-8 -*- +''' +Local Configurations + +- Runs in Debug mode +- Uses console backend for emails +- Use Django Debug Toolbar +''' +import environ +BASE_DIR = environ.Path(__file__) - 1 # (/a/myfile.py - 2 = /) + +from .common import * # noqa + + +# DEBUG +DEBUG = env.bool('DEBUG', True) +TEMPLATE_DEBUG = DEBUG +# END DEBUG + +# django-debug-toolbar +MIDDLEWARE_CLASSES = MIDDLEWARE_CLASSES + ('debug_toolbar.middleware.DebugToolbarMiddleware',) +INSTALLED_APPS += ('debug_toolbar',) + +INTERNAL_IPS = ('127.0.0.1',) + +DEBUG_TOOLBAR_CONFIG = { + 'DISABLE_PANELS': [ + 'debug_toolbar.panels.redirects.RedirectsPanel', + ], + 'SHOW_TEMPLATE_CONTEXT': True, +} +# end django-debug-toolbar + +# Your local stuff: Below this line define 3rd party libary settings diff --git a/config/settings/production.py b/config/settings/production.py new file mode 100644 index 0000000..8dd240b --- /dev/null +++ b/config/settings/production.py @@ -0,0 +1,23 @@ +# -*- coding: utf-8 -*- +''' +Production Configurations +''' +from .common import * # noqa + + +# INSTALLED_APPS +# END INSTALLED_APPS + +# Mail settings +EMAIL_HOST = "localhost" +EMAIL_PORT = 1025 +EMAIL_BACKEND = env.str('EMAIL_BACKEND', 'django.core.mail.backends.console.EmailBackend') +# End mail settings + +# SITE CONFIGURATION +# Hosts/domain names that are valid for this site +# See https://docs.djangoproject.com/en/1.6/ref/settings/#allowed-hosts +ALLOWED_HOSTS = ["*"] +# END SITE CONFIGURATION + +INSTALLED_APPS += ("gunicorn", ) diff --git a/pillbox-engine/static/css/app.css b/config/static/css/app.css similarity index 100% rename from pillbox-engine/static/css/app.css rename to config/static/css/app.css diff --git a/pillbox-engine/static/js/app.js b/config/static/js/app.js similarity index 50% rename from pillbox-engine/static/js/app.js rename to config/static/js/app.js index 2bde24f..24789d1 100644 --- a/pillbox-engine/static/js/app.js +++ b/config/static/js/app.js @@ -5,20 +5,30 @@ $(document).ready(function() { var addBar = function(elem) { elem.children('.widget-progress').removeClass('hide'); + elem.children('.widget-progress').addClass('active-task'); } var removeBar = function(elem) { elem.children('.widget-progress').addClass('hide'); + elem.children('.widget-progress').removeClass('active-task'); + $('#timer').remove(); } var changeButton = function(elem, icon) { - elem.find('.pull-right>i').attr('class', 'fa fa-' + icon); + var pullRight = elem.find('.pull-right>i'); + pullRight.attr('class', 'fa fa-' + icon); + } var status_update = function(obj, data) { if (typeof data.meta !== 'undefined' && data.meta != null) { obj.find('#panel-msg').html(data.status); addBar(obj); + + if (data.meta.action && data.meta.added !== 'undefined' && data.meta.updated !== 'undefined') { + $(`#${data.meta.action}`).html(parseInt(data.meta.added) + parseInt(data.meta.updated)); + } + if (typeof data.meta.percent === 'undefined') { var percent = 0; } @@ -26,10 +36,13 @@ $(document).ready(function() { var percent = data.meta.percent; } if (! typeof data.meta.file !== 'undefined') { - // console.log(data.meta.file); obj.find('.task-name').html(data.meta.file); } - obj.find('.progress-bar').css('width', percent + '%').html(Math.floor(percent) + '%') + obj.find('.progress-bar').css('width', percent + '%').html(parseFloat(percent).toFixed(2) + '%') + + if ($('#timer').length === 0) { + $('').insertBefore(obj.find('.pull-right>i')); + } } else { removeBar(obj); @@ -37,6 +50,25 @@ $(document).ready(function() { } } + var seconds = 10; + + // Update the count down every 1 second + var x = setInterval(function() { + // Time calculations for days, hours, minutes and seconds + seconds = seconds - 1; + // Output the result in an element with id="demo" + $('#timer').html(seconds + "s "); + + // If the count down is over, write some text + if (seconds < 1) { + seconds = 15; + var that = $('.active-task:first'); + $.get('/spl/download/').done(function(data) { + status_update(that, data); + }); + } + }, 1000); + $('.widget-footer').click(function(event) { var action = $(this).data('action'); var that = $(this); diff --git a/pillbox-engine/static/sass/app.scss b/config/static/sass/app.scss similarity index 100% rename from pillbox-engine/static/sass/app.scss rename to config/static/sass/app.scss diff --git a/pillbox-engine/static/vendor/lightbox/ekko-lightbox.min.css b/config/static/vendor/lightbox/ekko-lightbox.min.css similarity index 100% rename from pillbox-engine/static/vendor/lightbox/ekko-lightbox.min.css rename to config/static/vendor/lightbox/ekko-lightbox.min.css diff --git a/pillbox-engine/static/vendor/lightbox/ekko-lightbox.min.js b/config/static/vendor/lightbox/ekko-lightbox.min.js similarity index 100% rename from pillbox-engine/static/vendor/lightbox/ekko-lightbox.min.js rename to config/static/vendor/lightbox/ekko-lightbox.min.js diff --git a/pillbox-engine/templates/pillbox-engine/tags/download_widgets.html b/config/templates/pillbox-engine/tags/download_widgets.html similarity index 100% rename from pillbox-engine/templates/pillbox-engine/tags/download_widgets.html rename to config/templates/pillbox-engine/tags/download_widgets.html diff --git a/pillbox-engine/templates/pillbox-engine/tags/size_widgets.html b/config/templates/pillbox-engine/tags/size_widgets.html similarity index 96% rename from pillbox-engine/templates/pillbox-engine/tags/size_widgets.html rename to config/templates/pillbox-engine/tags/size_widgets.html index b746bb2..71a57ea 100644 --- a/pillbox-engine/templates/pillbox-engine/tags/size_widgets.html +++ b/config/templates/pillbox-engine/tags/size_widgets.html @@ -1,6 +1,6 @@ {% for box in boxes %} -
+
diff --git a/pillbox-engine/templates/pillbox-engine/tags/widgets.html b/config/templates/pillbox-engine/tags/widgets.html similarity index 72% rename from pillbox-engine/templates/pillbox-engine/tags/widgets.html rename to config/templates/pillbox-engine/tags/widgets.html index 4d0f48d..272ddd2 100644 --- a/pillbox-engine/templates/pillbox-engine/tags/widgets.html +++ b/config/templates/pillbox-engine/tags/widgets.html @@ -1,7 +1,7 @@ {% load humanize %} {% for box in boxes %} -
+
@@ -9,13 +9,13 @@
-
{%if box.count or box.count == 0 %}{{box.count | intcomma}}{% else %}{{box.name}}{% endif %}
+
{%if box.count or box.count == 0 %}{{box.count | intcomma}}{% else %}{{box.name}}{% endif %}
{% if box.time %}{{box.time|timesince}} ago{% else %}{%if box.count or box.count == 0 %}{{box.name}}{% else %}  {% endif %}{% endif %}
- {% download_widgets %} - {% size_widgets %} -
- +
+ {% download_widgets %} + {% size_widgets %}
+
+
diff --git a/pillbox-engine/urls.py b/config/urls.py similarity index 75% rename from pillbox-engine/urls.py rename to config/urls.py index 03a9530..fc6a1b2 100644 --- a/pillbox-engine/urls.py +++ b/config/urls.py @@ -8,28 +8,28 @@ import spl.urls import pillbox.urls -from kombu.transport.django.models import Message -from djcelery_pillbox.models import TaskMeta -from spl.models import Task +# from kombu.transport.django.models import Message +# from djcelery_pillbox.models import TaskMeta +# from spl.models import Task import xadmin xadmin.autodiscover() # Version module automatically registration required version control Model -from xadmin.plugins import xversion -xversion.register_models() +# from xadmin.plugins import xversion +# xversion.register_models() # Uncomment the next two lines to enable the admin: from django.contrib import admin admin.autodiscover() # REST ALL WORKERS -try: - Message.objects.all().delete() - TaskMeta.objects.all().delete() - tasks = Task.objects.filter(is_active=True).update(is_active=False, status='FAILED') -except ProgrammingError: - pass +# try: + # Message.objects.all().delete() + # TaskMeta.objects.all().delete() + # tasks = Task.objects.filter(is_active=True).update(is_active=False, status='FAILED') +# except ProgrammingError: + # pass urlpatterns = patterns('', # Uncomment the next line to enable the admin: diff --git a/pillbox-engine/wsgi.py b/config/wsgi.py similarity index 88% rename from pillbox-engine/wsgi.py rename to config/wsgi.py index fba6043..d773647 100644 --- a/pillbox-engine/wsgi.py +++ b/config/wsgi.py @@ -19,13 +19,12 @@ # if running multiple sites in the same mod_wsgi process. To fix this, use # mod_wsgi daemon mode with each site in its own daemon process, or use # os.environ["DJANGO_SETTINGS_MODULE"] = ".settings" -os.environ.setdefault("DJANGO_SETTINGS_MODULE", "config") -os.environ.setdefault("DJANGO_CONFIGURATION", "Production") +os.environ.setdefault("DJANGO_SETTINGS_MODULE", "config.settings.production") # This application object is used by any WSGI server configured to use this # file. This includes Django's development server, if the WSGI_APPLICATION # setting points here. -from configurations.wsgi import get_wsgi_application +from django.core.wsgi import get_wsgi_application application = get_wsgi_application() # Apply WSGI middleware here. diff --git a/docker-compose.yml b/docker-compose.yml new file mode 100644 index 0000000..6c72ddc --- /dev/null +++ b/docker-compose.yml @@ -0,0 +1,116 @@ +version: '2' + +services: + + image: + build: . + image: pillbox/engine:latest + + base: &base + image: pillbox/engine:latest + working_dir: /pillbox + environment: + - DATABASE_URL=postgres://pillbox:pillboxdb@db:5432/pillbox + links: + - db + depends_on: + - db + volumes: + - '.:/pillbox' + + base-with-broker: &base-with-broker + <<: *base + links: + - db + - broker + depends_on: + - db + - broker + + bash: + <<: *base + entrypoint: /bin/bash + + web: + <<: *base-with-broker + command: honcho start + ports: + - '5000:5000' + + runserver: + <<: *base-with-broker + command: python manage.py runserver 0.0.0.0:8000 + ports: + - '8000:8000' + + products: + <<: *base + command: python manage.py syncspl products + + pills: + <<: *base + command: python manage.py syncspl pills + + rxnorm: + <<: *base + command: python manage.py rxnorm + + transfer: + <<: *base + command: python manage.py pills transfer + + compare: + <<: *base + command: python manage.py pills compare + + custom: + <<: *base + command: python manage.py custom + + export: + <<: *base + command: python manage.py pills export + + cleandata: + <<: *base + command: python manage.py cleandata + + pillboxvalue: + <<: *base + command: python manage.py flag + + collectstatic: + <<: *base + command: python manage.py collectstatic + + loaddata: + <<: *base + command: bash -c 'python manage.py loaddata spl_sources && python manage.py loaddata color_shape' + + shell: + <<: *base-with-broker + command: python manage.py shell + + superuser: + <<: *base + command: python manage.py createsuperuser + + migrate: + <<: *base + command: python manage.py migrate + + makemigrations: + <<: *base + command: python manage.py makemigrations + + db: + image: postgres:9.6.2 + environment: + - POSTGRES_USER=pillbox + - POSTGRES_PASSWORD=pillboxdb + volumes: + - './config/db/postgres:/var/lib/postgresql/data' + + broker: + image: rabbitmq:3.6.9 + diff --git a/docs/README.md b/docs/README.md index a0f3272..c7325c7 100644 --- a/docs/README.md +++ b/docs/README.md @@ -1,4 +1,4 @@ -## Pillbox Documentation +## Pillbox Documentation [[link](http://hhs.github.io/pillbox-engine/)] Pillbox Documentation is powered by [mkdocs](http://www.mkdocs.org). diff --git a/docs/source/.gitignore b/docs/docs/.gitignore similarity index 100% rename from docs/source/.gitignore rename to docs/docs/.gitignore diff --git a/docs/source/index.md b/docs/docs/README.md similarity index 85% rename from docs/source/index.md rename to docs/docs/README.md index d9a011e..f84b246 100644 --- a/docs/source/index.md +++ b/docs/docs/README.md @@ -10,11 +10,11 @@ Pillbox Engine is a local web-based application faciliate data processing for th - [Installation Guide](install.md) - Usage - - [Start the App](usage/start.md) - - [Tasks](usage/tasks.md) - - [Download](usage/download.md) - - [SPL](usage/spl.md) - - [Pillbox](usage/pillbox.md) + - [Start the App](start.md) + - [Tasks](tasks.md) + - [Download](download.md) + - [SPL](spl.md) + - [Pillbox](pillbox.md) - More Info - [About](about.md) - [Data](data.md) diff --git a/docs/source/about.md b/docs/docs/about.md similarity index 100% rename from docs/source/about.md rename to docs/docs/about.md diff --git a/docs/source/data.md b/docs/docs/data.md similarity index 100% rename from docs/source/data.md rename to docs/docs/data.md diff --git a/docs/source/usage/download.md b/docs/docs/download.md similarity index 95% rename from docs/source/usage/download.md rename to docs/docs/download.md index 31cdd2e..2bcc9a0 100644 --- a/docs/source/usage/download.md +++ b/docs/docs/download.md @@ -4,7 +4,7 @@ With Pillbox Engine, you can easily download SPL files from DailyMed and unzip t DailyMed has five sources of SPL data. These five sources are included in the Pillbox Engine under Sources table. -![Sources](img/sources.png) +![Sources](img/sources.png?raw=true) The sources are: @@ -33,4 +33,4 @@ Whenever you start a download, the ftp client checks the files on the FTP server You can keep track of all the downloaded files by visiting [the sources page](http://localhost:5000/spl/source/). If you click on a particular source, you can find more information about the source such as the number of xml files the source include, the name ftp server address and the name of the file that has to be downloaded. -![Animal Source](img/animal_source.png) +![Animal Source](img/animal_source.png?raw=true) diff --git a/docs/source/img/animal_source.png b/docs/docs/img/animal_source.png similarity index 100% rename from docs/source/img/animal_source.png rename to docs/docs/img/animal_source.png diff --git a/docs/source/img/cancel_task.gif b/docs/docs/img/cancel_task.gif similarity index 100% rename from docs/source/img/cancel_task.gif rename to docs/docs/img/cancel_task.gif diff --git a/docs/source/img/compare.gif b/docs/docs/img/compare.gif similarity index 100% rename from docs/source/img/compare.gif rename to docs/docs/img/compare.gif diff --git a/docs/source/img/export.gif b/docs/docs/img/export.gif similarity index 100% rename from docs/source/img/export.gif rename to docs/docs/img/export.gif diff --git a/docs/source/img/import.gif b/docs/docs/img/import.gif similarity index 100% rename from docs/source/img/import.gif rename to docs/docs/img/import.gif diff --git a/docs/source/img/login.png b/docs/docs/img/login.png similarity index 100% rename from docs/source/img/login.png rename to docs/docs/img/login.png diff --git a/docs/source/img/osdf_pills.png b/docs/docs/img/osdf_pills.png similarity index 100% rename from docs/source/img/osdf_pills.png rename to docs/docs/img/osdf_pills.png diff --git a/docs/source/img/pillbox_images.png b/docs/docs/img/pillbox_images.png similarity index 100% rename from docs/source/img/pillbox_images.png rename to docs/docs/img/pillbox_images.png diff --git a/docs/source/img/pills_ingredients.png b/docs/docs/img/pills_ingredients.png similarity index 100% rename from docs/source/img/pills_ingredients.png rename to docs/docs/img/pills_ingredients.png diff --git a/docs/source/img/sources.png b/docs/docs/img/sources.png similarity index 100% rename from docs/source/img/sources.png rename to docs/docs/img/sources.png diff --git a/docs/source/img/spl_add.png b/docs/docs/img/spl_add.png similarity index 100% rename from docs/source/img/spl_add.png rename to docs/docs/img/spl_add.png diff --git a/docs/source/img/spl_products.png b/docs/docs/img/spl_products.png similarity index 100% rename from docs/source/img/spl_products.png rename to docs/docs/img/spl_products.png diff --git a/docs/source/img/spl_products_list.png b/docs/docs/img/spl_products_list.png similarity index 100% rename from docs/source/img/spl_products_list.png rename to docs/docs/img/spl_products_list.png diff --git a/docs/source/img/task_progress.gif b/docs/docs/img/task_progress.gif similarity index 100% rename from docs/source/img/task_progress.gif rename to docs/docs/img/task_progress.gif diff --git a/docs/source/img/tasks.png b/docs/docs/img/tasks.png similarity index 100% rename from docs/source/img/tasks.png rename to docs/docs/img/tasks.png diff --git a/docs/source/img/update.png b/docs/docs/img/update.png similarity index 100% rename from docs/source/img/update.png rename to docs/docs/img/update.png diff --git a/docs/source/img/xml_header.png b/docs/docs/img/xml_header.png similarity index 100% rename from docs/source/img/xml_header.png rename to docs/docs/img/xml_header.png diff --git a/docs/docs/install.md b/docs/docs/install.md new file mode 100644 index 0000000..7ebc3be --- /dev/null +++ b/docs/docs/install.md @@ -0,0 +1,72 @@ + +There are two ways to install and run the Pillbox Engine: (1) Using Docker (2) Direct Installation. + +We highly recommend using docker for local or web installation of the Pillbox Engine. We have builta special image of the docker engine that has all the requirements for running the engine, which makes the installation and use of the Engine much easier. + +## Docker + +### Get Docker + +Make sure you have the latest version of [docker](https://docs.docker.com/engine/installation/) and [docker-compose](https://docs.docker.com/compose/install/) running on your computer. + +To install docker on MacOSX, you can simply, you can simpliy downoad the latest version of docker from [here](https://docs.docker.com/docker-for-mac/install/) and install it. + +Docker-compose installation is pretty simple for all platforms as long as you follow instructions [here](https://docs.docker.com/compose/install/). + +### Run Engine in Docker + +#### First Time + +First we have to create the database and the necessary tables: + + $ mkdir -p config/db/postgres + $ docker-compose run --rm migrate + +**Note:** If the above command failed, run it again. + +Then create a superuser: + + $ docker-compose run --rm superuser + +Then load the preconfigured data: + + $ docker-compose run --rm loaddata + +Then copy the staticfiles to the correct folders: + + $ docker-compose run --rm collectstatic + +#### All Other Times + +To run the Engine locally just execute this command: + + $ docker-compose up web + +The site will be accessible at `http://localhost:5000` + +To stop the local version press `Ctrl+C`. + +## Direct + +### Requirement + +- RabbitMQ server + +### Installation + + $ pip install -r requirements.txt + $ python manage.py migrate + $ python manage.py loadata spl_sources + $ python manage.py loaddata color_shape + $ python manage.py createsuperuser + $ python manage.py collectstatic + +## Launch + +To run the application run: + + $ honcho start + +The admin panel is accessible at: http://localhost:5000/ + + diff --git a/docs/source/usage/pillbox.md b/docs/docs/pillbox.md similarity index 89% rename from docs/source/usage/pillbox.md rename to docs/docs/pillbox.md index 256acf8..9b1ee39 100644 --- a/docs/source/usage/pillbox.md +++ b/docs/docs/pillbox.md @@ -8,7 +8,7 @@ Download the latest master data [from here](http://pillbox.nlm.nih.gov/developer After download the pillbox data, import it by going to the **Data Import** page and adding a new data import. You can check the progress of the import by clicking on the import action box on Dashboard page. -![import](img/import.gif) +![import](img/import.gif?raw=true) ## Add Pillbox Images @@ -18,7 +18,7 @@ You should unzip and copy the content of this image zip file to `pillbox-engine/ After the pillbox images are copied, you should be able to view on Pillbox Data list page. -![pillbox images](img/pillbox_images.png) +![pillbox images](img/pillbox_images.png?raw=true) ## Add New SPL Records @@ -26,23 +26,24 @@ The Pillbox Engine can add/append new records from SPL OSDF Pills table that are To add new SPL records, use the Add New action box on Dashboard. Click on the action box again to check the action progress. -![Add New](img/spl_add.png) +![Add New](img/spl_add.png?raw=true) ## Update and Compare Pillbox Engine's Update action box compare Pillbox records against SPL records and updates Pillbox data with newer information from SPL if they are available. -![Update](img/update.png) +![Update](img/update.png?raw=true) During this process, Pillbox Engine populates a number of comparison tables for SPL score, color, imprint, size, shape and image information. If the SPL data differs from Pillbox data on these fields, a new row is added to each compare table. The user has to manually check each compare table and verify the errors. Is each record is verified, the corresponding row on Pillbox Data table is updated automatically. -![compare](img/compare.gif) +![compare](img/compare.gif?raw=true) ## Export To export Pillbox Data go to the Export page, add a new export, select a file name and the export format and save the record. Use the action box on Dashboard to check the progress of the export. When the export is finished, download the file from the action box. -![export](img/export.gif) +![export](img/export.gif?raw=true) + diff --git a/docs/source/usage/spl.md b/docs/docs/spl.md similarity index 85% rename from docs/source/usage/spl.md rename to docs/docs/spl.md index 91565c2..bfe8098 100644 --- a/docs/source/usage/spl.md +++ b/docs/docs/spl.md @@ -16,11 +16,11 @@ For the full list of fields included in this table refer to `spl.models.Product` To populate or update the products table, click on `Sync Data` under SPL products action box. To check the progress click on the box again. -![Sync SPL Products](img/spl_products.png) +![Sync SPL Products](img/spl_products.png?raw=true) You can view browse and search in the SPL products by going to the SPL Products list page. -![SPL Products list page](img/spl_products_list.png) +![SPL Products list page](img/spl_products_list.png?raw=true) ## OSDF Pills and Ingredients @@ -30,9 +30,9 @@ For a full list of fields that are populated from xml files look at `spl.models. To populate or update the pills table, click on `Sync Data` under OSDF Pills action box. To check the progress click on the box again. -![Sync OSDF Pills](img/osdf_pills.png) +![Sync OSDF Pills](img/osdf_pills.png?raw=true) You can view browse and search in the OSDF Pills and Ingredients by going to the OSDF Pills and Ingredients list page. -![OSDF Pills Ingredients](img/pills_ingredients.png) +![OSDF Pills Ingredients](img/pills_ingredients.png?raw=true) diff --git a/docs/source/usage/start.md b/docs/docs/start.md similarity index 91% rename from docs/source/usage/start.md rename to docs/docs/start.md index c090892..a688117 100644 --- a/docs/source/usage/start.md +++ b/docs/docs/start.md @@ -6,7 +6,7 @@ To run the application run: On Max OSX a new browser window opens with a login screen. On Ubuntu, you have to browse to http://localhost:5000 -![login](img/login.png) +![login](img/login.png?raw=true) type | username | password ------------ | ------------- | ------------ diff --git a/docs/source/usage/tasks.md b/docs/docs/tasks.md similarity index 93% rename from docs/source/usage/tasks.md rename to docs/docs/tasks.md index fce0e1c..1e3d66d 100644 --- a/docs/source/usage/tasks.md +++ b/docs/docs/tasks.md @@ -4,7 +4,7 @@ Pillbox Engine runs many backgound tasks. It relies on [Celery](http://www.celer Because Pillbox Engine's tasks are long intensive processes, we have limited concurrent tasks to only one. The system is designed to run only one task at a time. There task table that shows the status of all tasks, active, failed, canceled or in progress. -![tasks](img/tasks.png) +![tasks](img/tasks.png?raw=true) When you click on each task, you can view more information about the task. @@ -12,7 +12,7 @@ When you click on each task, you can view more information about the task. If there is a running task, you always can stop the task by selecting the active task and click on the action as shown below: -![cancel_task](img/cancel_task.gif) +![cancel_task](img/cancel_task.gif?raw=true) ### Task Types @@ -37,7 +37,7 @@ For example to start an ANIMAL download, click on the ANIMAL action box. If you If an action has an execution limit, it does not start. If an action running, the other actions do not start. -![task progress](img/task_progress.gif) +![task progress](img/task_progress.gif?raw=true) diff --git a/docs/source/terms.md b/docs/docs/terms.md similarity index 100% rename from docs/source/terms.md rename to docs/docs/terms.md diff --git a/docs/mkdocs.yml b/docs/mkdocs.yml index 78bf9cd..d206589 100644 --- a/docs/mkdocs.yml +++ b/docs/mkdocs.yml @@ -1,15 +1,15 @@ site_name: Pillbox Engine site_description: Pillbox Engine Documentation site_dir: site -docs_dir: source +docs_dir: docs pages: -- [index.md, Home] +- [README.md, Home] - [install.md, Setup, Installation Guide] -- [usage/start.md, Usage, Start the App] -- [usage/tasks.md, Usage, Tasks] -- [usage/download.md, Usage, Download] -- [usage/spl.md, Usage, SPL] -- [usage/pillbox.md, Usage, Pillbox] +- [start.md, Usage, Start the App] +- [tasks.md, Usage, Tasks] +- [download.md, Usage, Download] +- [spl.md, Usage, SPL] +- [pillbox.md, Usage, Pillbox] - [about.md, More Info, About] - [data.md, More Info, Data] - [terms.md, More Info, Terms of Service] diff --git a/docs/source/install.md b/docs/source/install.md deleted file mode 100644 index 12b9976..0000000 --- a/docs/source/install.md +++ /dev/null @@ -1,92 +0,0 @@ -## Mac OSX requirements - -If you use Mac OSX We assume you have the following installed: - -- pip -- virtualenv - -If you don't have these requirements, you can follow below steps to setup pip and virtualenv: - - $ curl https://bootstrap.pypa.io/ez_setup.py -o - | sudo python - $ sudo easy_install pip - $ sudo easy_install virtualenv - -To start a new virtualenv run: - - $ virtualenv --no-site-packages name_of_the_environment - $ source name_of_the_environment/bin/activate - -To deactivate run: - - $ deactivate - - -You should also consider using a database engine such Postgres or MySQL with this application. Pillbox Engine supports Sqlite3, Postgres and MySQL, however, we highly recommend using Postgres. This program is primarily tested with Postgres. - -To setup Postgres on MacOSX, download [postgres app](http://postgresapp.com/). - -If you downloaded and installed the Postgres from the link provided above, you should make sure postgres is known to your system path. To achieve this, follow these steps: - - $ PATH="/Applications/Postgres.app/Contents/Versions/9.3/bin:$PATH" - $ export PGHOST=localhost - -For best result, add above command to your `.bash_profile`. - -## Ubuntu 14 Requirements - -If using Ubuntu 14, to prepare the system run: - - $ sudo apt-get update - $ sudo apt-get install ruby - $ sudo apt-get install python-pip libxml2-dev libxslt-dev python-dev lib32z1-dev git - -To install Postgres, run: - - $ sudo apt-get install postgresql - - -## Installation - -Make sure to create and activate a virtualenv, then open a terminal at the project root and install the requirements for local development: - - $ git clone https://github.com/developmentseed/pillbox-engine.git - $ cd pillbox-engine - $ pip install -r requirements.txt - -## Database Setup - -If you use Postgres or MySql, make sure the database engine is started. - -You also need to setup a database for pillbox. For postgres, run these commands: - - $ createdb -h localhost pillbox_db - -Replace pillbox_db with your preferred name. If you use Postgres.app, your username will be your system username and the password is blank. - -To setup the intital database, run this command: - - $ fab initial_setup - -And follow the instructions. - -During the setup you have answer a few questions including what database backend should be used. Choices are Sqlite3, MySQl and Postgres. - -If you choose MySQL or Postgres, you should also provide the username and password, the address, port and the name of the database. - -Address and port are set by default, so you can just press enter and skip them. - -## Launch - -To run the application run: - - $ fab serve - -The admin panel is accessible at: http://localhost:5000/ - -type | username | password ------------- | ------------- | ------------ -default | pillbox | pillbox -admin | admin | admin - - - diff --git a/pillbox-engine/contrib/__init__.py b/engine/__init__.py similarity index 100% rename from pillbox-engine/contrib/__init__.py rename to engine/__init__.py diff --git a/pillbox-engine/contrib/sites/__init__.py b/engine/compare/__init__.py similarity index 100% rename from pillbox-engine/contrib/sites/__init__.py rename to engine/compare/__init__.py diff --git a/pillbox-engine/compare/adminx.py b/engine/compare/adminx.py similarity index 92% rename from pillbox-engine/compare/adminx.py rename to engine/compare/adminx.py index ed01679..4e1ac6c 100644 --- a/pillbox-engine/compare/adminx.py +++ b/engine/compare/adminx.py @@ -14,7 +14,9 @@ def image_popup(self, image_obj): return '' def pillbox_image(self, instance): - return self.image_popup(instance.pillbox.splimage) + if instance.pillbox.image_source != 'SPL' and instance.pillbox.image_source != '': + return self.image_popup(instance.pillbox.splimage) + return '' pillbox_image.short_description = "Pillbox" pillbox_image.allow_tags = True pillbox_image.is_column = True diff --git a/pillbox-engine/compare/apps.py b/engine/compare/apps.py similarity index 100% rename from pillbox-engine/compare/apps.py rename to engine/compare/apps.py diff --git a/engine/compare/migrations/0001_initial.py b/engine/compare/migrations/0001_initial.py new file mode 100644 index 0000000..fc17653 --- /dev/null +++ b/engine/compare/migrations/0001_initial.py @@ -0,0 +1,127 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-02-28 21:30 +from __future__ import unicode_literals + +from django.db import migrations, models +import django.db.models.deletion + + +class Migration(migrations.Migration): + + initial = True + + dependencies = [ + ('spl', '0001_initial'), + ('pillbox', '0001_initial'), + ] + + operations = [ + migrations.CreateModel( + name='Color', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Image', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Imprint', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Score', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Shape', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Size', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('spl_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'SPL Value')), + ('pillbox_value', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Pillbox Value')), + ('verified', models.BooleanField(default=False, verbose_name=b'Verified?')), + ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), + ('reason', models.TextField(blank=True, null=True, verbose_name=b'Reason')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('pillbox', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='pillbox.PillBoxData')), + ('spl', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Pill')), + ], + options={ + 'abstract': False, + }, + ), + ] diff --git a/pillbox-engine/contrib/sites/migrations/__init__.py b/engine/compare/migrations/__init__.py similarity index 100% rename from pillbox-engine/contrib/sites/migrations/__init__.py rename to engine/compare/migrations/__init__.py diff --git a/pillbox-engine/compare/models.py b/engine/compare/models.py similarity index 88% rename from pillbox-engine/compare/models.py rename to engine/compare/models.py index 1829dfc..79a8398 100644 --- a/pillbox-engine/compare/models.py +++ b/engine/compare/models.py @@ -19,11 +19,11 @@ class CommonInfo(models.Model): class Meta: abstract = True + def __unicode__(self): + return str(self.id) -class Color(CommonInfo): - def __unicode__(self): - return self.pillbox_value +class Color(CommonInfo): def save(self, *args, **kwargs): if getattr(self, 'verified', True): @@ -35,9 +35,6 @@ def save(self, *args, **kwargs): class Score(CommonInfo): - def __unicode__(self): - return self.pillbox_value - def save(self, *args, **kwargs): if getattr(self, 'verified', True): pill = PillBoxData.objects.get(pk=self.pillbox_id) @@ -48,9 +45,6 @@ def save(self, *args, **kwargs): class Size(CommonInfo): - def __unicode__(self): - return self.pillbox_value - def save(self, *args, **kwargs): if getattr(self, 'verified', True): pill = PillBoxData.objects.get(pk=self.pillbox_id) @@ -61,9 +55,6 @@ def save(self, *args, **kwargs): class Shape(CommonInfo): - def __unicode__(self): - return self.pillbox_value - def save(self, *args, **kwargs): if getattr(self, 'verified', True): pill = PillBoxData.objects.get(pk=self.pillbox_id) @@ -74,9 +65,6 @@ def save(self, *args, **kwargs): class Imprint(CommonInfo): - def __unicode__(self): - return self.pillbox_value - def save(self, *args, **kwargs): if getattr(self, 'verified', True): pill = PillBoxData.objects.get(pk=self.pillbox_id) @@ -87,9 +75,6 @@ def save(self, *args, **kwargs): class Image(CommonInfo): - def __unicode__(self): - return self.pillbox_value - def save(self, *args, **kwargs): if getattr(self, 'verified', True): pill = PillBoxData.objects.get(pk=self.pillbox_id) diff --git a/pillbox-engine/compare/sync.py b/engine/compare/sync.py similarity index 93% rename from pillbox-engine/compare/sync.py rename to engine/compare/sync.py index cc6ca52..4d54017 100644 --- a/pillbox-engine/compare/sync.py +++ b/engine/compare/sync.py @@ -24,17 +24,19 @@ def transfer_new(task_id): total = spl_pills.count() counter = 0 + print('transfering new pills') for pill in spl_pills: try: + print('transferring %s' % pill.ssp) pillbox = PillBoxData.objects.get(setid=pill.ssp) except PillBoxData.DoesNotExist: - counter += 1 pillbox = PillBoxData() pillbox.new = True update(pillbox, pill) + counter += 1 percent = round((counter/total)*100, 2) if int(percent) > interval: @@ -42,10 +44,12 @@ def transfer_new(task_id): task.meta['percent'] = percent task.meta['new'] = counter task.save() + print('Transfer completed') def compare(task_id): + print('Staring data compare') task = Task.objects.get(pk=task_id) task.status = 'COMPARING' meta = {'updated': 0, @@ -64,9 +68,11 @@ def compare(task_id): total = spl_pills.count() counter = 0 + print('Getting all SPL pills') for pill in spl_pills: try: + print('comparing %s' % pill.ssp) pillbox = PillBoxData.objects.get(setid=pill.ssp) counter += 1 pillbox.updated = True @@ -86,6 +92,7 @@ def compare(task_id): #flag stale records PillBoxData.objects.filter(updated=False, new=False).update(stale=True) + print('Compare completed') def update(pillbox, spl_pill, action='new'): @@ -94,6 +101,8 @@ def update(pillbox, spl_pill, action='new'): 'ssp': 'setid', 'produce_code': 'produce_code', 'ndc9': 'ndc9', + 'ndc_labeler_code': 'ndc_labeler_code', + 'ndc_product_code': 'ndc_product_code', 'part_num': 'part_num', 'medicine_name': 'medicine_name', 'part_medicine_name': 'part_medicine_name', @@ -111,6 +120,7 @@ def update(pillbox, spl_pill, action='new'): 'rxcui': 'rxcui', 'rxtty': 'rxtty', 'rxstring': 'rxstring', + 'rx_update_time': 'rx_update_time', 'dosage_form': 'dosage_form', 'spl_strength': 'spl_strength', 'marketing_act_code': 'marketing_act_code', @@ -154,7 +164,7 @@ def update(pillbox, spl_pill, action='new'): # add splimage if there is one if spl_pill.splimage: pillbox.has_image = True - pillbox.image_source = 'NLM' + pillbox.image_source = 'SPL' pillbox.splimage = spl_pill.splimage.name # for new items with need to save first to get a pillbox id diff --git a/pillbox-engine/djcelery_pillbox/__init__.py b/engine/contrib/__init__.py similarity index 100% rename from pillbox-engine/djcelery_pillbox/__init__.py rename to engine/contrib/__init__.py diff --git a/pillbox-engine/pillbox/__init__.py b/engine/contrib/sites/__init__.py similarity index 100% rename from pillbox-engine/pillbox/__init__.py rename to engine/contrib/sites/__init__.py diff --git a/pillbox-engine/contrib/sites/migrations/0001_initial.py b/engine/contrib/sites/migrations/0001_initial.py similarity index 100% rename from pillbox-engine/contrib/sites/migrations/0001_initial.py rename to engine/contrib/sites/migrations/0001_initial.py diff --git a/pillbox-engine/contrib/sites/migrations/0002_set_site_domain_and_name.py b/engine/contrib/sites/migrations/0002_set_site_domain_and_name.py similarity index 100% rename from pillbox-engine/contrib/sites/migrations/0002_set_site_domain_and_name.py rename to engine/contrib/sites/migrations/0002_set_site_domain_and_name.py diff --git a/pillbox-engine/pillbox/migrations/__init__.py b/engine/contrib/sites/migrations/__init__.py similarity index 100% rename from pillbox-engine/pillbox/migrations/__init__.py rename to engine/contrib/sites/migrations/__init__.py diff --git a/pillbox-engine/pillbox/templatetags/__init__.py b/engine/djcelery_pillbox/__init__.py similarity index 100% rename from pillbox-engine/pillbox/templatetags/__init__.py rename to engine/djcelery_pillbox/__init__.py diff --git a/pillbox-engine/djcelery_pillbox/database.py b/engine/djcelery_pillbox/database.py similarity index 100% rename from pillbox-engine/djcelery_pillbox/database.py rename to engine/djcelery_pillbox/database.py diff --git a/pillbox-engine/djcelery_pillbox/models.py b/engine/djcelery_pillbox/models.py similarity index 100% rename from pillbox-engine/djcelery_pillbox/models.py rename to engine/djcelery_pillbox/models.py diff --git a/pillbox-engine/spl/__init__.py b/engine/pillbox/__init__.py similarity index 100% rename from pillbox-engine/spl/__init__.py rename to engine/pillbox/__init__.py diff --git a/pillbox-engine/pillbox/adminx.py b/engine/pillbox/adminx.py similarity index 98% rename from pillbox-engine/pillbox/adminx.py rename to engine/pillbox/adminx.py index 4a5d8a7..e3bca76 100644 --- a/pillbox-engine/pillbox/adminx.py +++ b/engine/pillbox/adminx.py @@ -190,7 +190,7 @@ def pillbox_image(self, instance): list_filter = [PillboxFilter, 'new', 'updated', 'stale', 'has_image'] list_quick_filter = ['new', 'updated', 'stale', 'has_image'] search_fields = ['medicine_name', 'part_medicine_name', 'produce_code', 'setid', 'setid_product'] - reversion_enable = True + # reversion_enable = True model_icon = 'fa fa-briefcase' @@ -237,7 +237,7 @@ def export_link(self, instance): export_link.short_description = "Export File" export_link.allow_tags = True - list_display = ('file_name', 'file_type', 'status', 'duration', 'completed') + list_display = ('file_name', 'export_link', 'file_type', 'status', 'duration', 'completed') fields = ['export_link', 'file_type', 'file_name'] readonly_fields = ['export_link', 'completed', 'task_id', 'status', 'duration', 'created_at'] diff --git a/pillbox-engine/pillbox/exporter.py b/engine/pillbox/exporter.py similarity index 85% rename from pillbox-engine/pillbox/exporter.py rename to engine/pillbox/exporter.py index 60b54ce..2cc7579 100644 --- a/pillbox-engine/pillbox/exporter.py +++ b/engine/pillbox/exporter.py @@ -16,7 +16,12 @@ def export(filename, export_type, task_id=None): if export_type in acccepted_types: - pills = PillBoxData.objects.all() + pills = PillBoxData.objects.all().values() + + # remove pillbox/ from images path + for i, pill in enumerate(pills): + pills[i]['splimage'] = pill['splimage'].replace('pillbox/', '') + export_path = join(settings.MEDIA_ROOT, 'export') check_create_folder(export_path) export_file = join(export_path, '%s.%s' % (filename, export_type)) diff --git a/pillbox-engine/pillbox/fixtures/color_shape.json b/engine/pillbox/fixtures/color_shape.json similarity index 100% rename from pillbox-engine/pillbox/fixtures/color_shape.json rename to engine/pillbox/fixtures/color_shape.json diff --git a/pillbox-engine/pillbox/importer.py b/engine/pillbox/importer.py similarity index 98% rename from pillbox-engine/pillbox/importer.py rename to engine/pillbox/importer.py index 3bd5fd5..44085a5 100644 --- a/pillbox-engine/pillbox/importer.py +++ b/engine/pillbox/importer.py @@ -36,7 +36,6 @@ def importer(csv_path, task_id=None): 'label_effective_time': 'effective_time', 'product_code': 'produce_code', 'image_id': 'splimage', - 'epc_match': 'from_sis', } pillbox_fields = PillBoxData._meta.get_all_field_names() diff --git a/pillbox-engine/spl/management/__init__.py b/engine/pillbox/management/__init__.py similarity index 100% rename from pillbox-engine/spl/management/__init__.py rename to engine/pillbox/management/__init__.py diff --git a/pillbox-engine/spl/management/commands/__init__.py b/engine/pillbox/management/commands/__init__.py similarity index 100% rename from pillbox-engine/spl/management/commands/__init__.py rename to engine/pillbox/management/commands/__init__.py diff --git a/engine/pillbox/management/commands/cleandata.py b/engine/pillbox/management/commands/cleandata.py new file mode 100644 index 0000000..7cb4c29 --- /dev/null +++ b/engine/pillbox/management/commands/cleandata.py @@ -0,0 +1,27 @@ +from __future__ import print_function + +import re +import os +import time +import traceback +from django.utils import timezone +from django.core.management.base import BaseCommand + +from pillbox.models import PillBoxData + + +class Command(BaseCommand): + help = 'Execute RxNorm' + + def handle(self, *args, **options): + print('Removing double spaces, extra tabs and extra line breaks') + + pills = PillBoxData.objects.all() + + for pill in pills: + print('cleaning %s' % pill.setid) + pill.spl_strength = re.sub('([\s]{2,})', ' ', pill.spl_strength) + pill.spl_inactive_ing = re.sub('([\s]{2,})', ' ', pill.spl_inactive_ing) + pill.medicine_name = pill.medicine_name.replace('\t', ' ') + pill.splimprint = pill.splimprint.replace('\n', ' ') + pill.save() diff --git a/engine/pillbox/management/commands/flag.py b/engine/pillbox/management/commands/flag.py new file mode 100644 index 0000000..f1cb061 --- /dev/null +++ b/engine/pillbox/management/commands/flag.py @@ -0,0 +1,47 @@ +from __future__ import print_function + +import re +import os +import time +import traceback +from django.utils import timezone +from django.core.management.base import BaseCommand + +from pillbox.models import PillBoxData + +class BreakIt(Exception): pass + +class Command(BaseCommand): + help = 'Syncing has_pillbox_value with based on the content of the table' + + def handle(self, *args, **options): + print(self.help) + + pills = PillBoxData.objects.all() + all_fields = PillBoxData._meta.get_all_field_names() + pillbox_fields = [] + + for field in all_fields: + if field.startswith('pillbox_'): + pillbox_fields.append(field) + + pills.update(has_pillbox_value=False) + for pill in pills: + try: + for field in pillbox_fields: + value = getattr(pill, field) + if value != '' and value is not None: + pill.has_pillbox_value = True + pill.save() + print('pill %s has pillbox value' % pill.id) + raise BreakIt + + except BreakIt: + pass + + pills = PillBoxData.objects.all() + has_value = pills.filter(has_pillbox_value=True).count() + no_value = pills.filter(has_pillbox_value=False).count() + + print('Has pillbox value: %s' % has_value) + print('Does Not have pillbox value: %s' % no_value) diff --git a/engine/pillbox/management/commands/pills.py b/engine/pillbox/management/commands/pills.py new file mode 100644 index 0000000..61aa5db --- /dev/null +++ b/engine/pillbox/management/commands/pills.py @@ -0,0 +1,92 @@ +from __future__ import print_function + +import os +import time +import traceback +from django.utils import timezone +from django.core.management.base import BaseCommand + +from pillbox.models import Export +from pillbox.exporter import export +from spl.models import Task +from compare.sync import transfer_new, compare + + +def export_task(task_id, filename, export_type): + task = Task.objects.get(pk=task_id) + task.status = 'STARTED' + task.pid = os.getpid() + task.save() + + export_file = export(filename, export_type, task_id) + task.refresh_from_db() + task.completed() + + return export_file + + +def transfer_task(task_id, action): + task = Task.objects.get(pk=task_id) + task.status = 'STARTED' + task.pid = os.getpid() + task.save() + + if action == 'compare': + print('this is a compare action') + compare(task.id) + elif action == 'transfer': + print('this is a transfer action') + transfer_new(task.id) + + task.refresh_from_db() + task.completed() + + +class Command(BaseCommand): + help = 'Execute RxNorm' + args = ' | | ' + + def handle(self, *args, **options): + + task = None + arguments = ['export', 'compare', 'transfer'] + + if args and args[0] in arguments: + try: + task = Task.create(args[0]) + print('Starting the %s' % args[0]) + + if args[0] == 'transfer': + # create the task for import + transfer_task(task.id, 'transfer') + + elif args[0] == 'compare': + transfer_task(task.id, 'compare') + + elif args[0] == 'export': + export = Export() + export.file_type = 'json' + export.file_name = 'pillbox_export.json' + export.task_id = task.id + export.save() + + try: + export_file = export_task(task.id, export.file_name, export.file_type) + task.refresh_from_db() + export.export_file = export_file + except Exception as e: + task.refresh_from_db() + task.cancelled('failed', e) + traceback.print_exc() + + task.refresh_from_db() + export.status = task.status + export.duration = task.duration + export.completed = True + export.save() + + + except KeyboardInterrupt: + task.refresh_from_db() + task.cancelled() + diff --git a/engine/pillbox/migrations/0001_initial.py b/engine/pillbox/migrations/0001_initial.py new file mode 100644 index 0000000..64047c4 --- /dev/null +++ b/engine/pillbox/migrations/0001_initial.py @@ -0,0 +1,134 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-02-28 21:30 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + initial = True + + dependencies = [ + ] + + operations = [ + migrations.CreateModel( + name='Color', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('display_name', models.CharField(max_length=250, verbose_name=b'SPL Display Name')), + ('code', models.CharField(max_length=250, verbose_name=b'SPL Code')), + ('hex_value', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'HEX Value')), + ], + ), + migrations.CreateModel( + name='Export', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('file_type', models.CharField(choices=[(b'json', b'JSON'), (b'csv', b'CSV'), (b'yaml', b'YAML'), (b'xml', b'XML')], max_length=200, verbose_name=b'File Type')), + ('file_name', models.CharField(max_length=200, verbose_name=b'File Name')), + ('export_file', models.FileField(blank=True, null=True, upload_to=b'export', verbose_name=b'Export File')), + ('completed', models.BooleanField(default=False, verbose_name=b'Completed?')), + ('task_id', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Task ID')), + ('status', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Status')), + ('duration', models.FloatField(blank=True, null=True, verbose_name=b'Duration (Sec.)')), + ], + options={ + 'verbose_name': 'Export', + 'verbose_name_plural': 'Export', + }, + ), + migrations.CreateModel( + name='Import', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('file_name', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'File Name')), + ('csv_file', models.FileField(upload_to=b'csv', verbose_name=b'CSV File')), + ('completed', models.BooleanField(default=False, verbose_name=b'Completed?')), + ('added', models.IntegerField(blank=True, null=True, verbose_name=b'Reocrds Added')), + ('updated', models.IntegerField(blank=True, null=True, verbose_name=b'Records Updated')), + ('task_id', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Task ID')), + ('status', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Status')), + ('duration', models.FloatField(blank=True, null=True, verbose_name=b'Duration (Sec.)')), + ], + options={ + 'verbose_name': 'Data Import', + 'verbose_name_plural': 'Data Import', + }, + ), + migrations.CreateModel( + name='PillBoxData', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('setid', models.CharField(max_length=250, unique=True, verbose_name=b'spp')), + ('setid_product', models.CharField(max_length=250, verbose_name=b'setid')), + ('splsize', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splsize')), + ('pillbox_size', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'pillbox_size')), + ('splshape', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splshape')), + ('splshape_text', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splshape_text')), + ('pillbox_shape_text', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'pillbox_shape_text')), + ('splscore', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splscore')), + ('pillbox_score', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'pillbox_score')), + ('splimprint', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splimprint')), + ('pillbox_imprint', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'pillbox_imprint')), + ('splcolor', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splcolor')), + ('splcolor_text', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'splcolor_text')), + ('pillbox_color_text', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'pillbox_color_text')), + ('spl_strength', models.TextField(blank=True, null=True, verbose_name=b'spl_strength')), + ('spl_ingredients', models.TextField(blank=True, null=True, verbose_name=b'spl_ingredients')), + ('spl_inactive_ing', models.TextField(blank=True, null=True, verbose_name=b'spl_inactive_ing')), + ('source', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'source')), + ('rxtty', models.TextField(blank=True, null=True, verbose_name=b'rxtty')), + ('rxstring', models.TextField(blank=True, null=True, verbose_name=b'rxtty')), + ('rxcui', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'rxcui')), + ('produce_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'product_code')), + ('part_num', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'part_num')), + ('part_medicine_name', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'part_medicine_name')), + ('ndc9', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'ndc9')), + ('medicine_name', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'medicine_name')), + ('marketing_act_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'marketing_act_code')), + ('effective_time', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'effective_time')), + ('file_name', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'file_name')), + ('equal_product_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'equal_product_code')), + ('dosage_form', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'dosage_form')), + ('document_type', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'document_type')), + ('dea_schedule_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'dea_schedule_code')), + ('dea_schedule_name', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'dea_schedule_name')), + ('author_type', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'author_type')), + ('author', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'author')), + ('approval_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'approval_code')), + ('image_source', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'image_source')), + ('splimage', models.FileField(blank=True, max_length=250, null=True, upload_to=b'pillbox', verbose_name=b'splimage')), + ('has_image', models.BooleanField(default=False, verbose_name=b'has_image')), + ('from_sis', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'epc_match')), + ('version_number', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'version_number')), + ('laberer_code', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'laberer_code')), + ('application_number', models.CharField(blank=True, max_length=250, null=True, verbose_name=b'application_number')), + ('updated', models.BooleanField(default=False, verbose_name=b'updated')), + ('stale', models.BooleanField(default=False, verbose_name=b'stale')), + ('new', models.BooleanField(default=False, verbose_name=b'new')), + ], + options={ + 'verbose_name': 'Pillbox Data', + 'verbose_name_plural': 'Pillbox Data', + }, + ), + migrations.CreateModel( + name='Shape', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('display_name', models.CharField(max_length=250, verbose_name=b'SPL Display Name')), + ('code', models.CharField(max_length=250, verbose_name=b'SPL Code')), + ], + ), + ] diff --git a/pillbox-engine/pillbox/migrations/0006_auto_20141212_1312.py b/engine/pillbox/migrations/0002_auto_20170419_2158.py similarity index 56% rename from pillbox-engine/pillbox/migrations/0006_auto_20141212_1312.py rename to engine/pillbox/migrations/0002_auto_20170419_2158.py index 7917634..6246fe2 100644 --- a/pillbox-engine/pillbox/migrations/0006_auto_20141212_1312.py +++ b/engine/pillbox/migrations/0002_auto_20170419_2158.py @@ -1,19 +1,20 @@ # -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-04-20 01:58 from __future__ import unicode_literals -from django.db import models, migrations +from django.db import migrations class Migration(migrations.Migration): dependencies = [ - ('pillbox', '0005_auto_20141212_1223'), + ('pillbox', '0001_initial'), ] operations = [ migrations.RenameField( model_name='pillboxdata', - old_name='has_image', - new_name='has_image2', + old_name='from_sis', + new_name='epc_match', ), ] diff --git a/engine/pillbox/migrations/0003_auto_20170702_1554.py b/engine/pillbox/migrations/0003_auto_20170702_1554.py new file mode 100644 index 0000000..0bb53ff --- /dev/null +++ b/engine/pillbox/migrations/0003_auto_20170702_1554.py @@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-07-02 19:54 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('pillbox', '0002_auto_20170419_2158'), + ] + + operations = [ + migrations.AddField( + model_name='pillboxdata', + name='ndc_labeler_code', + field=models.CharField(blank=True, max_length=60, null=True, verbose_name=b'ndc_labeler_code'), + ), + migrations.AddField( + model_name='pillboxdata', + name='ndc_product_code', + field=models.CharField(blank=True, max_length=60, null=True, verbose_name=b'ndc_product_code'), + ), + ] diff --git a/engine/pillbox/migrations/0004_pillboxdata_rx_update_time.py b/engine/pillbox/migrations/0004_pillboxdata_rx_update_time.py new file mode 100644 index 0000000..a161bbf --- /dev/null +++ b/engine/pillbox/migrations/0004_pillboxdata_rx_update_time.py @@ -0,0 +1,20 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-07-27 20:12 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('pillbox', '0003_auto_20170702_1554'), + ] + + operations = [ + migrations.AddField( + model_name='pillboxdata', + name='rx_update_time', + field=models.DateTimeField(blank=True, null=True, verbose_name=b'RxNorm Update time'), + ), + ] diff --git a/pillbox-engine/pillbox/migrations/0007_pillboxdata_has_image.py b/engine/pillbox/migrations/0005_pillboxdata_has_pillbox_value.py similarity index 59% rename from pillbox-engine/pillbox/migrations/0007_pillboxdata_has_image.py rename to engine/pillbox/migrations/0005_pillboxdata_has_pillbox_value.py index 61b6ffd..8f540c0 100644 --- a/pillbox-engine/pillbox/migrations/0007_pillboxdata_has_image.py +++ b/engine/pillbox/migrations/0005_pillboxdata_has_pillbox_value.py @@ -1,20 +1,20 @@ # -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-07-27 21:55 from __future__ import unicode_literals -from django.db import models, migrations +from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ - ('pillbox', '0006_auto_20141212_1312'), + ('pillbox', '0004_pillboxdata_rx_update_time'), ] operations = [ migrations.AddField( model_name='pillboxdata', - name='has_image', - field=models.BooleanField(default=False, verbose_name=b'Has Image'), - preserve_default=True, + name='has_pillbox_value', + field=models.BooleanField(default=False, verbose_name=b'Pillbox Value'), ), ] diff --git a/pillbox-engine/spl/migrations/__init__.py b/engine/pillbox/migrations/__init__.py similarity index 100% rename from pillbox-engine/spl/migrations/__init__.py rename to engine/pillbox/migrations/__init__.py diff --git a/pillbox-engine/pillbox/models.py b/engine/pillbox/models.py similarity index 87% rename from pillbox-engine/pillbox/models.py rename to engine/pillbox/models.py index 6c994c8..5b73ff2 100644 --- a/pillbox-engine/pillbox/models.py +++ b/engine/pillbox/models.py @@ -35,10 +35,13 @@ class PillBoxData(CommonInfo): rxtty = models.TextField('rxtty', null=True, blank=True) rxstring = models.TextField('rxtty', null=True, blank=True) rxcui = models.CharField('rxcui', max_length=250, null=True, blank=True) + rx_update_time = models.DateTimeField('RxNorm Update time', null=True, blank=True) produce_code = models.CharField('product_code', max_length=250, null=True, blank=True) part_num = models.CharField('part_num', max_length=250, null=True, blank=True) part_medicine_name = models.CharField('part_medicine_name', max_length=250, null=True, blank=True) ndc9 = models.CharField('ndc9', max_length=250, null=True, blank=True) + ndc_labeler_code = models.CharField('ndc_labeler_code', max_length=60, null=True, blank=True) + ndc_product_code = models.CharField('ndc_product_code', max_length=60, null=True, blank=True) medicine_name = models.CharField('medicine_name', max_length=250, null=True, blank=True) marketing_act_code = models.CharField('marketing_act_code', max_length=250, null=True, blank=True) effective_time = models.CharField('effective_time', max_length=250, null=True, blank=True) @@ -56,18 +59,33 @@ class PillBoxData(CommonInfo): image_source = models.CharField('image_source', max_length=250, null=True, blank=True) splimage = models.FileField('splimage', upload_to='pillbox', max_length=250, null=True, blank=True) has_image = models.BooleanField('has_image', default=False) - from_sis = models.CharField('epc_match', max_length=250, null=True, blank=True) + epc_match = models.CharField('epc_match', max_length=250, null=True, blank=True) version_number = models.CharField('version_number', max_length=250, null=True, blank=True) laberer_code = models.CharField('laberer_code', max_length=250, null=True, blank=True) application_number = models.CharField('application_number', max_length=250, null=True, blank=True) updated = models.BooleanField('updated', default=False) stale = models.BooleanField('stale', default=False) new = models.BooleanField('new', default=False) + has_pillbox_value = models.BooleanField('Pillbox Value', default=False) class Meta: verbose_name = 'Pillbox Data' verbose_name_plural = 'Pillbox Data' + def save(self, *args, **kwargs): + pillbox_fields = PillBoxData._meta.get_all_field_names() + + self.has_pillbox_value = False + for field in pillbox_fields: + if field.startswith('pillbox_') and getattr(self, field): + self.has_pillbox_value = True + break + + if self.image_source != '' and self.image_source != 'SPL': + self.has_pillbox_value = True + + super(PillBoxData, self).save(*args, **kwargs) + def __unicode__(self): return self.medicine_name diff --git a/pillbox-engine/pillbox/tasks.py b/engine/pillbox/tasks.py similarity index 98% rename from pillbox-engine/pillbox/tasks.py rename to engine/pillbox/tasks.py index 4c52268..c7a8105 100644 --- a/pillbox-engine/pillbox/tasks.py +++ b/engine/pillbox/tasks.py @@ -2,7 +2,7 @@ import os import time from django.utils import timezone -from _celery import app +from config.celery import app from pillbox.models import Import, Export from pillbox.importer import importer diff --git a/pillbox-engine/spl/sync/__init__.py b/engine/pillbox/templatetags/__init__.py similarity index 100% rename from pillbox-engine/spl/sync/__init__.py rename to engine/pillbox/templatetags/__init__.py diff --git a/pillbox-engine/pillbox/templatetags/pillbox_tags.py b/engine/pillbox/templatetags/pillbox_tags.py similarity index 100% rename from pillbox-engine/pillbox/templatetags/pillbox_tags.py rename to engine/pillbox/templatetags/pillbox_tags.py diff --git a/pillbox-engine/pillbox/urls.py b/engine/pillbox/urls.py similarity index 100% rename from pillbox-engine/pillbox/urls.py rename to engine/pillbox/urls.py diff --git a/pillbox-engine/pillbox/views.py b/engine/pillbox/views.py similarity index 100% rename from pillbox-engine/pillbox/views.py rename to engine/pillbox/views.py diff --git a/pillbox-engine/spl/templatetags/__init__.py b/engine/spl/__init__.py similarity index 100% rename from pillbox-engine/spl/templatetags/__init__.py rename to engine/spl/__init__.py diff --git a/pillbox-engine/spl/adminx.py b/engine/spl/adminx.py similarity index 92% rename from pillbox-engine/spl/adminx.py rename to engine/spl/adminx.py index 7f63bf8..b9e683b 100644 --- a/pillbox-engine/spl/adminx.py +++ b/engine/spl/adminx.py @@ -23,10 +23,10 @@ class GlobalSetting(object): class SourceAdmin(object): search_fields = ['title'] - reversion_enable = True + # reversion_enable = True - list_display = ('title', 'host', 'path', 'files', 'last_downloaded') - readonly_fields = ['last_downloaded', 'zip_size', 'unzip_size', 'xml_count'] + list_display = ('title', 'host', 'path', 'files', 'last_downloaded', 'last_unzipped') + readonly_fields = ['last_downloaded', 'last_unzipped', 'zip_size', 'unzip_size', 'xml_count'] model_icon = 'fa fa-download' list_editable = ('files') @@ -38,7 +38,7 @@ class IngredientAdmin(object): list_filter = ['code_system', 'class_code'] list_quick_filter = ['class_code'] search_fields = ['name'] - reversion_enable = True + # reversion_enable = True model_icon = 'fa fa-dot-circle-o' @@ -57,7 +57,7 @@ def name(self, instance): list_filter = ['version_number', 'is_osdf', 'discontinued'] list_quick_filter = ['is_osdf', 'source'] search_fields = ['title', 'setid', 'author', 'author_legal', 'filename'] - reversion_enable = True + # reversion_enable = True model_icon = 'fa fa-stethoscope' @@ -74,11 +74,11 @@ class PillAdmin(object): readonly_fields = fields - list_display = ('medicine_name', 'product_code', 'part_num', 'dosage_form') + list_display = ('medicine_name', 'product_code', 'rx_update_time', 'dosage_form') list_filter = ['product_code', 'dosage_form'] list_quick_filter = ['splcolor', 'splsize', 'splscore'] search_fields = ['medicine_name', 'part_medicine_name', 'setid__setid'] - reversion_enable = True + # reversion_enable = True model_icon = 'fa fa-medkit' list_per_page = 10 diff --git a/engine/spl/download.py b/engine/spl/download.py new file mode 100644 index 0000000..bfbbb63 --- /dev/null +++ b/engine/spl/download.py @@ -0,0 +1,178 @@ +from __future__ import division +import os +import shutil +import errno +import glob +from django.conf import settings +from django.utils import timezone +from zipfile import ZipFile + +from spl.models import Task, Source +from spl.ftp import PillboxFTP + + +class DownloadAndUnzip(object): + + def __init__(self, task_id, source_id): + """ + @param + task_id - The id of the task created in the task model of spl + source - the name of the SPL source e.g. HOTC + files - the list of files associated with the source e.g. dm_spl_release_animal.zip + """ + self.task = Task.objects.get(pk=task_id) + self.source = Source.objects.get(pk=source_id) + self.files = self.source.files + self.host = self.source.host + self.ftp_path = self.source.path + + def run(self): + + self.task.pid = os.getpid() + self.task.save() + + if self.download(): + return self.unzip() + + def download(self): + # Making necessary folders + path = check_create_folder(settings.DOWNLOAD_PATH) + path = check_create_folder(path + '/' + self.source.title) + + self.task.status = 'PROGRESS: DOWNLOAD' + self.task.save() + + # Download all files + for f in self.files: + ftp = PillboxFTP(self.host, + settings.DAILYMED_FTP_USER, + settings.DAILYMED_FTP_PASS, + self.task.id) + ftp.download(self.ftp_path, f, path) + + self.source.last_downloaded = timezone.now() + self.source.save() + + return True + + def _unzipWithProgress(self, src, dst, weight = 100, percent=0): + zp = ZipFile(src, 'r') + total_files = len(zp.infolist()) + + # provider percentage only if there are more than 1000 files to unzip + if total_files >= 1000: + print('There are %s files to unzip in %s' % (total_files, src)) + + + count = 0 + for file in zp.infolist(): + zp.extract(file, path=dst) + count += 1 + if round(count) % 1000 == 0.0: + new_percent = percent + (count / total_files * weight) + self.task.meta['percent'] = float('{0:.2f}'.format(new_percent)) + self.task.save() + else: + zp.extractall(path=dst) + zp.close() + print('Successfully unzipped all files in %s' % src) + return percent + weight + + def unzip(self): + percent = 0 + + self.task = Task.objects.get(pk=self.task.id) + self.task.status = 'PROGRESS: UNZIP' + meta = { + 'action': 'unzip', + 'file': 'Unzip %s' % self.source.title, + 'percent': percent, + 'items_unzipped': 0 + } + self.task.meta.update(meta) + self.task.save() + + zip_path = settings.DOWNLOAD_PATH + unzip_path = settings.SOURCE_PATH + + final_path = check_create_folder('%s/%s' % (unzip_path, self.source.title)) + total_weight = len(self.files) + + file_counter = 0 + tmp_number = 0 + for zipped in self.files: + self.task.meta['file'] = 'Unzipping %s' % zipped + self.task.save() + + tmp_path = check_create_folder('%s/%s/tmp' % (unzip_path, self.source.title)) + tmp_path2 = check_create_folder('%s/%s/tmp2' % (unzip_path, self.source.title)) + weight = 0.5 / total_weight * 100 + + self._unzipWithProgress( + '%s/%s/%s' % (zip_path, self.source.title, zipped), + tmp_path, + weight, + percent + ) + + percent = percent + weight + self.task.meta['percent'] = percent + self.task.save() + + weight = 0.5 / total_weight * 100 + new_zip_files = glob.glob(tmp_path + '/*/*.zip') + total_files = len(new_zip_files) + + counter = 0 + + for zipped in new_zip_files: + counter += 1 + self._unzipWithProgress(zipped, tmp_path2) + if round(counter) % 300 == 0.0: + new_percent = percent + (counter / total_files * weight) + self.task.meta['percent'] = float('{0:.2f}'.format(new_percent)) + self.task.save() + + file_counter += counter + + percent = percent + weight + self.task.meta['percent'] = percent + self.task.meta['items_unzipped'] = file_counter + self.task.save() + + # delete tmp files + try: + shutil.rmtree(tmp_path, ignore_errors=True) + except OSError as exc: + if exc.errno != errno.ENOENT: + raise + + tmp_number += 1 + + # copy xml files to the correct place + self.task.meta['file'] = 'Copying files to final place' + self.task.save() + + unzipped_files = glob.glob(tmp_path2 + '/*.xml') + print('Copying files to final location') + for item in unzipped_files: + shutil.copy(item, final_path) + + self.task.meta['percent'] = 100 + self.task.meta['items_unzipped'] = file_counter + self.task.save() + + self.source.refresh_from_db() + self.source.last_unzipped = timezone.now() + self.source.save() + return True + + +def check_create_folder(folder_path): + """ Check whether a folder exists, if not the folder is created + Always return folder_path + """ + if not os.path.exists(folder_path): + os.makedirs(folder_path) + + return folder_path diff --git a/pillbox-engine/spl/fixtures/spl_sources.json b/engine/spl/fixtures/spl_sources.json similarity index 95% rename from pillbox-engine/spl/fixtures/spl_sources.json rename to engine/spl/fixtures/spl_sources.json index da3d7dd..97f1e8b 100644 --- a/pillbox-engine/spl/fixtures/spl_sources.json +++ b/engine/spl/fixtures/spl_sources.json @@ -33,7 +33,7 @@ "is_active": true, "host": "public.nlm.nih.gov", "path": "nlmdata/.dailymed/", - "files": ["dm_spl_release_human_otc_part1.zip", "dm_spl_release_human_otc_part2.zip", "dm_spl_release_human_otc_part3.zip"], + "files": ["dm_spl_release_human_otc_part1.zip", "dm_spl_release_human_otc_part2.zip", "dm_spl_release_human_otc_part3.zip", "dm_spl_release_human_otc_part4.zip", "dm_spl_release_human_otc_part5.zip"], "created_at": "2014-11-04 15:01:01", "updated_at": "2014-11-04 15:01:01" } diff --git a/pillbox-engine/spl/ftp.py b/engine/spl/ftp.py similarity index 100% rename from pillbox-engine/spl/ftp.py rename to engine/spl/ftp.py diff --git a/pillbox-engine/xadmin/templatetags/__init__.py b/engine/spl/management/__init__.py similarity index 100% rename from pillbox-engine/xadmin/templatetags/__init__.py rename to engine/spl/management/__init__.py diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-multiselect/css/bootstrap-multiselect.css b/engine/spl/management/commands/__init__.py similarity index 100% rename from pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-multiselect/css/bootstrap-multiselect.css rename to engine/spl/management/commands/__init__.py diff --git a/engine/spl/management/commands/custom.py b/engine/spl/management/commands/custom.py new file mode 100644 index 0000000..b12dc4c --- /dev/null +++ b/engine/spl/management/commands/custom.py @@ -0,0 +1,20 @@ +from __future__ import print_function + +from django.core.management.base import BaseCommand + +from spl.sync.xpath import XPath + + +class Command(BaseCommand): + help = 'Add/Update SPL data' + + def handle(self, *args, **options): + """ Options currently handle: products, pills, all + all will combine products and pills actions + """ + x = XPath() + + v = x.pills('3ebf893d-2100-40c7-8e8f-5fa1b2da41a2.xml', '/pillbox/downloads/unzip/ANIMAL/') + for i in v: + print(i['splimprint']) + print('\n' in i['splimprint']) diff --git a/pillbox-engine/spl/management/commands/makeusers.py b/engine/spl/management/commands/makeusers.py similarity index 100% rename from pillbox-engine/spl/management/commands/makeusers.py rename to engine/spl/management/commands/makeusers.py diff --git a/engine/spl/management/commands/rxnorm.py b/engine/spl/management/commands/rxnorm.py new file mode 100644 index 0000000..8337f23 --- /dev/null +++ b/engine/spl/management/commands/rxnorm.py @@ -0,0 +1,17 @@ +from __future__ import print_function + +from django.core.management.base import BaseCommand + +from spl.tasks import rxnorm_task +from spl.sync.controller import Controller + + +class Command(BaseCommand): + help = 'Execute RxNorm' + + def handle(self, *args, **options): + """ Options currently handle: products, pills, all + all will combine products and pills actions + """ + + rxnorm_task() diff --git a/pillbox-engine/spl/management/commands/syncspl.py b/engine/spl/management/commands/syncspl.py similarity index 100% rename from pillbox-engine/spl/management/commands/syncspl.py rename to engine/spl/management/commands/syncspl.py diff --git a/engine/spl/migrations/0001_initial.py b/engine/spl/migrations/0001_initial.py new file mode 100644 index 0000000..d12defe --- /dev/null +++ b/engine/spl/migrations/0001_initial.py @@ -0,0 +1,142 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-02-28 21:30 +from __future__ import unicode_literals + +from django.db import migrations, models +import django.db.models.deletion +import jsonfield.fields + + +class Migration(migrations.Migration): + + initial = True + + dependencies = [ + ] + + operations = [ + migrations.CreateModel( + name='Ingredient', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('spl_id', models.CharField(max_length=100, unique=True, verbose_name=b'Unii Code')), + ('code_system', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Code System')), + ('name', models.CharField(max_length=300, verbose_name=b'Name')), + ('class_code', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'Class Code')), + ], + options={ + 'verbose_name': 'OSDF Ingredient', + }, + ), + migrations.CreateModel( + name='Pill', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('ssp', models.CharField(max_length=200, unique=True, verbose_name=b'Pillbox Unique ID')), + ('dosage_form', models.CharField(max_length=20, verbose_name=b'Dosage Form')), + ('ndc', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'NDC9')), + ('ndc9', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'NDC9')), + ('product_code', models.CharField(blank=True, max_length=60, null=True, verbose_name=b'Product Code')), + ('produce_code', models.CharField(blank=True, max_length=60, null=True, verbose_name=b'Produce Code')), + ('equal_product_code', models.CharField(blank=True, max_length=30, null=True, verbose_name=b'Equal Product Code')), + ('approval_code', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'approval_code')), + ('medicine_name', models.CharField(max_length=300, verbose_name=b'Medicine Name')), + ('part_num', models.IntegerField(default=0, verbose_name=b'Part Number')), + ('part_medicine_name', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Part Medicine Name')), + ('rxtty', models.TextField(blank=True, null=True, verbose_name=b'rxtty')), + ('rxstring', models.TextField(blank=True, null=True, verbose_name=b'rxttystring')), + ('rxcui', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'rxcui')), + ('dea_schedule_code', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'DEA_SCHEDULE_CODE')), + ('dea_schedule_name', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'DEA_SCHEDULE_NAME')), + ('marketing_act_code', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'MARKETING_ACT_CODE')), + ('splcolor', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Color Code')), + ('splcolor_text', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Color Display Name')), + ('splsize', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Size')), + ('splshape', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Shape Code')), + ('splshape_text', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Shape Display Name')), + ('splimprint', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Imprint')), + ('splimage', models.FileField(blank=True, null=True, upload_to=b'spl', verbose_name=b'SPL Image')), + ('splscore', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'SPL Score')), + ('spl_strength', models.TextField(blank=True, null=True, verbose_name=b'SPL_STRENGTH')), + ('spl_ingredients', models.TextField(blank=True, null=True, verbose_name=b'SPL_INGREDIENTS')), + ('spl_inactive_ing', models.TextField(blank=True, null=True, verbose_name=b'SPL_INACTIVE_ING')), + ], + options={ + 'verbose_name': 'SPL OSDF Pill', + 'verbose_name_plural': 'SPL OSDF Pills', + }, + ), + migrations.CreateModel( + name='Product', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('setid', models.CharField(max_length=200, unique=True, verbose_name=b'setid')), + ('id_root', models.CharField(max_length=200, verbose_name=b'id root')), + ('title', models.TextField(blank=True, null=True, verbose_name=b'Title')), + ('effective_time', models.CharField(max_length=100, verbose_name=b'Effective Time')), + ('version_number', models.IntegerField(verbose_name=b'Version Number')), + ('code', models.CharField(max_length=250, verbose_name=b'Document Type (Code)')), + ('filename', models.CharField(max_length=300, verbose_name=b'File Name')), + ('source', models.CharField(max_length=250, verbose_name=b'Source')), + ('author', models.CharField(blank=True, max_length=300, null=True, verbose_name=b'Author (Laberer)')), + ('author_legal', models.CharField(blank=True, max_length=300, null=True, verbose_name=b'Legal Author')), + ('is_osdf', models.BooleanField(default=False, verbose_name=b'Is In Oral Solid Dosage Form?')), + ('discontinued', models.BooleanField(default=False, verbose_name=b'Is Discontinued from SPL?')), + ], + options={ + 'verbose_name': 'SPL Product', + 'verbose_name_plural': 'SPL Products', + }, + ), + migrations.CreateModel( + name='Source', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), + ('created_at', models.DateTimeField(auto_now_add=True)), + ('updated_at', models.DateTimeField(auto_now=True)), + ('title', models.CharField(max_length=100, verbose_name=b'Title')), + ('host', models.CharField(help_text=b'FTP host to download the files from', max_length=200, verbose_name=b'FTP Host')), + ('path', models.CharField(help_text=b'Path where the files are located on the ftp server', max_length=200, verbose_name=b'PATH')), + ('files', jsonfield.fields.JSONField(help_text=b'Enter in form python list', verbose_name=b'File Names')), + ('last_downloaded', models.DateTimeField(blank=True, null=True, verbose_name=b'Last Downloaded and Unzipped')), + ('zip_size', models.FloatField(blank=True, null=True, verbose_name=b'Total zip folder size (bytes)')), + ('unzip_size', models.FloatField(blank=True, null=True, verbose_name=b'Total unzip folder size (bytes)')), + ('xml_count', models.IntegerField(blank=True, null=True, verbose_name=b'Total xml files')), + ], + options={ + 'abstract': False, + }, + ), + migrations.CreateModel( + name='Task', + fields=[ + ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), + ('name', models.CharField(max_length=250, verbose_name=b'Task Name')), + ('task_id', models.CharField(blank=True, max_length=250, null=True, unique=True, verbose_name=b'Task ID')), + ('time_started', models.DateTimeField(auto_now_add=True)), + ('time_ended', models.DateTimeField(blank=True, null=True, verbose_name=b'Time Ended')), + ('duration', models.FloatField(default=0, verbose_name=b'Duration')), + ('status', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Status')), + ('meta', jsonfield.fields.JSONField(default={}, verbose_name=b'Meta')), + ('pid', models.CharField(blank=True, max_length=100, null=True, verbose_name=b'PID')), + ('is_active', models.BooleanField(default=True, verbose_name=b'Task is active (running)?')), + ('download_type', models.CharField(blank=True, max_length=200, null=True, verbose_name=b'Download source name')), + ('traceback', models.TextField(blank=True, null=True, verbose_name=b'Traceback')), + ], + ), + migrations.AddField( + model_name='pill', + name='setid', + field=models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='spl.Product'), + ), + ] diff --git a/engine/spl/migrations/0002_auto_20170418_2141.py b/engine/spl/migrations/0002_auto_20170418_2141.py new file mode 100644 index 0000000..e6d6c9e --- /dev/null +++ b/engine/spl/migrations/0002_auto_20170418_2141.py @@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-04-19 01:41 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('spl', '0001_initial'), + ] + + operations = [ + migrations.AddField( + model_name='source', + name='last_unzipped', + field=models.DateTimeField(blank=True, null=True, verbose_name=b'Last Unzipped'), + ), + migrations.AlterField( + model_name='source', + name='last_downloaded', + field=models.DateTimeField(blank=True, null=True, verbose_name=b'Last Downloaded'), + ), + ] diff --git a/engine/spl/migrations/0003_auto_20170419_1525.py b/engine/spl/migrations/0003_auto_20170419_1525.py new file mode 100644 index 0000000..9a146bd --- /dev/null +++ b/engine/spl/migrations/0003_auto_20170419_1525.py @@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-04-19 19:25 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('spl', '0002_auto_20170418_2141'), + ] + + operations = [ + migrations.AddField( + model_name='pill', + name='ndc_labeler_code', + field=models.CharField(blank=True, max_length=60, null=True, verbose_name=b'ndc_labeler_code'), + ), + migrations.AddField( + model_name='pill', + name='ndc_product_code', + field=models.CharField(blank=True, max_length=60, null=True, verbose_name=b'ndc_product_code'), + ), + ] diff --git a/engine/spl/migrations/0004_auto_20170419_1924.py b/engine/spl/migrations/0004_auto_20170419_1924.py new file mode 100644 index 0000000..b4e773c --- /dev/null +++ b/engine/spl/migrations/0004_auto_20170419_1924.py @@ -0,0 +1,20 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-04-19 23:24 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('spl', '0003_auto_20170419_1525'), + ] + + operations = [ + migrations.AlterField( + model_name='pill', + name='medicine_name', + field=models.CharField(blank=True, max_length=300, null=True, verbose_name=b'Medicine Name'), + ), + ] diff --git a/engine/spl/migrations/0005_pill_rx_update_time.py b/engine/spl/migrations/0005_pill_rx_update_time.py new file mode 100644 index 0000000..cb52fea --- /dev/null +++ b/engine/spl/migrations/0005_pill_rx_update_time.py @@ -0,0 +1,20 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-07-02 04:35 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('spl', '0004_auto_20170419_1924'), + ] + + operations = [ + migrations.AddField( + model_name='pill', + name='rx_update_time', + field=models.DateTimeField(blank=True, null=True, verbose_name=b'Time Ended'), + ), + ] diff --git a/engine/spl/migrations/0006_auto_20170702_1554.py b/engine/spl/migrations/0006_auto_20170702_1554.py new file mode 100644 index 0000000..05e34ae --- /dev/null +++ b/engine/spl/migrations/0006_auto_20170702_1554.py @@ -0,0 +1,20 @@ +# -*- coding: utf-8 -*- +# Generated by Django 1.9.12 on 2017-07-02 19:54 +from __future__ import unicode_literals + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ('spl', '0005_pill_rx_update_time'), + ] + + operations = [ + migrations.AlterField( + model_name='pill', + name='rx_update_time', + field=models.DateTimeField(blank=True, null=True, verbose_name=b'RxNorm Update time'), + ), + ] diff --git a/engine/spl/migrations/__init__.py b/engine/spl/migrations/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/pillbox-engine/spl/models.py b/engine/spl/models.py similarity index 82% rename from pillbox-engine/spl/models.py rename to engine/spl/models.py index be30958..2c8af7e 100644 --- a/pillbox-engine/spl/models.py +++ b/engine/spl/models.py @@ -1,4 +1,5 @@ from django.db import models +from django.utils import timezone from jsonfield import JSONField @@ -18,7 +19,8 @@ class Source(CommonInfo): host = models.CharField('FTP Host', help_text='FTP host to download the files from', max_length=200) path = models.CharField('PATH', help_text='Path where the files are located on the ftp server', max_length=200) files = JSONField('File Names', help_text='Enter in form python list') - last_downloaded = models.DateTimeField('Last Downloaded and Unzipped', null=True, blank=True) + last_downloaded = models.DateTimeField('Last Downloaded', null=True, blank=True) + last_unzipped = models.DateTimeField('Last Unzipped', null=True, blank=True) zip_size = models.FloatField('Total zip folder size (bytes)', null=True, blank=True) unzip_size = models.FloatField('Total unzip folder size (bytes)', null=True, blank=True) xml_count = models.IntegerField('Total xml files', null=True, blank=True) @@ -40,7 +42,6 @@ class Meta: def __unicode__(self): return self.name - class Product(CommonInfo): setid = models.CharField('setid', max_length=200, unique=True) @@ -75,15 +76,18 @@ class Pill(CommonInfo): ndc = models.CharField('NDC9', max_length=100, null=True, blank=True) ndc9 = models.CharField('NDC9', max_length=100, null=True, blank=True) product_code = models.CharField('Product Code', max_length=60, null=True, blank=True) + ndc_labeler_code = models.CharField('ndc_labeler_code', max_length=60, null=True, blank=True) + ndc_product_code = models.CharField('ndc_product_code', max_length=60, null=True, blank=True) produce_code = models.CharField('Produce Code', max_length=60, null=True, blank=True) equal_product_code = models.CharField('Equal Product Code', max_length=30, null=True, blank=True) approval_code = models.CharField('approval_code', max_length=100, null=True, blank=True) - medicine_name = models.CharField('Medicine Name', max_length=300) + medicine_name = models.CharField('Medicine Name', max_length=300, null=True, blank=True) part_num = models.IntegerField('Part Number', default=0) part_medicine_name = models.CharField('Part Medicine Name', max_length=200, null=True, blank=True) rxtty = models.TextField('rxtty', null=True, blank=True) rxstring = models.TextField('rxttystring', null=True, blank=True) rxcui = models.CharField('rxcui', max_length=100, null=True, blank=True) + rx_update_time = models.DateTimeField('RxNorm Update time', null=True, blank=True) dea_schedule_code = models.CharField('DEA_SCHEDULE_CODE', max_length=100, null=True, blank=True) dea_schedule_name = models.CharField('DEA_SCHEDULE_NAME', max_length=100, null=True, blank=True) marketing_act_code = models.CharField('MARKETING_ACT_CODE', max_length=100, null=True, blank=True) @@ -121,5 +125,33 @@ class Task(models.Model): download_type = models.CharField('Download source name', max_length=200, null=True, blank=True) traceback = models.TextField('Traceback', null=True, blank=True) + @classmethod + def create(cls, name): + task = cls() + task.name = name + task.status = 'PENDING' + task.time_started = timezone.now() + task.save() + + print('task %s created' % task.id) + return task + + def cancelled(self, status = 'CANCELLED', traceback=None): + self.status = status + self.time_ended = timezone.now() + self.is_active = False + self.traceback = traceback + self.save() + + def completed(self): + self.status = 'SUCCESS' + self.time_ended = timezone.now() + try: + self.duration = round(self.time_ended - self.time_started, 2) + except TypeError: + pass + self.is_active = False + self.save() + def __unicode__(self): return self.name diff --git a/engine/spl/sync/__init__.py b/engine/spl/sync/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/pillbox-engine/spl/sync/controller.py b/engine/spl/sync/controller.py similarity index 82% rename from pillbox-engine/spl/sync/controller.py rename to engine/spl/sync/controller.py index ee145f5..f15977b 100644 --- a/pillbox-engine/spl/sync/controller.py +++ b/engine/spl/sync/controller.py @@ -16,6 +16,7 @@ class Controller(object): def __init__(self, task_id=None, stdout=None): self.stdout = stdout + self.processed = 0 self.total = 0 self.action = None self.update_interval = 0 @@ -33,6 +34,7 @@ def sync(self, action): arguments = ['products', 'pills', 'all'] if action in arguments: + print('Starting SPL sync for %s' % action) self._update(action) return @@ -45,11 +47,11 @@ def _update(self, action): sources = Source.objects.all() - self.total = sum([s.xml_count for s in sources if s.xml_count]) + # self.total = sum([s.xml_count for s in sources if s.xml_count]) - if action == 'pills': + # if action == 'pills': # there are fewer pills. 0.55 is a practical approximation of how many pills are in all xml files - self.total = self.total * 0.55 + # self.total = self.total * 0.55 # Make all discontinued to true to flag discontinued items if action == 'products': @@ -61,16 +63,21 @@ def _update(self, action): } for source in sources: + print('Updating source %s' % source) d = os.path.join(settings.SOURCE_PATH, source.title) try: files = os.listdir(d) + self.total += len(files) for f in files: + print('Extracting %s info from %s' % (action, f)) + self.processed += 1 if fnmatch.fnmatch(f, '*.xml'): output = getattr(x, action)(f, d) if output: counter = getattr(self, '_%s' % action)(output, counter) + self._status(added=counter['added'], updated=counter['updated'], error=x.error, skipped=x.skip, action=action) @@ -119,10 +126,16 @@ def _pills(self, data_set, counter): # Find the related product and get it's db id setid = data.pop('setid_id') - product = Product.objects.get(setid=setid) - product.is_osdf = True - product.save() - data['setid_id'] = product.id + try: + product = Product.objects.get(setid=setid) + product.is_osdf = True + product.save() + data['setid_id'] = product.id + except Product.DoesNotExist: + print('%s setid is not found' % setid) + # go to the next round + continue + ingredients = data.pop('ingredients') @@ -172,28 +185,21 @@ def _time_spent(self, start, end): minutes = spent / 60 seconds = spent % 60 - if self.stdout: - self.stdout.write('\nTime spent : %s minues and %s seconds' % (int(minutes), round(seconds, 2))) + print('\nTime spent : %s minues and %s seconds' % (int(minutes), round(seconds, 2))) return def _status(self, **kwarg): - processed = kwarg['added'] + kwarg['updated'] - percent = round((processed / self.total) * 100, 2) - - if self.stdout: - self.stdout.write('added:%s | updated:%s | error:%s | skipped: %s | percent: %s' % - (kwarg['added'], kwarg['updated'], - len(kwarg['error']), kwarg['skipped'], percent), ending='\r') - sys.stdout.flush() + percent = round((self.processed / self.total) * 100, 2) if self.task: - ## To decrease the number of times the database is called, update meta data ## in integer intervals - if int(percent) > self.update_interval: - self.update_interval = int(percent) + if (self.processed % 500) == 0.0: + print('added:%s | updated:%s | error:%s | skipped: %s | percent: %s' % + (kwarg['added'], kwarg['updated'], + len(kwarg['error']), kwarg['skipped'], percent)) meta = {'added': kwarg['added'], 'updated': kwarg['updated'], 'error': kwarg['error'], diff --git a/engine/spl/sync/rxnorm.py b/engine/spl/sync/rxnorm.py new file mode 100644 index 0000000..2418931 --- /dev/null +++ b/engine/spl/sync/rxnorm.py @@ -0,0 +1,130 @@ +from __future__ import division + +import sys +import threading +import requests +import simplejson as json +from django.utils import timezone + +from spl.models import Pill, Task + +def message(s): + print('{}: {}'.format(threading.current_thread().name, s)) + + +class SignalHandler: + """ + The object that will handle signals and stop the worker threads. + """ + + #: The stop event that's shared by this handler and threads. + stopper = None + + #: The pool of worker threads + workers = None + + def __init__(self, stopper, workers): + self.stopper = stopper + self.workers = workers + + def __call__(self, signum, frame): + """ + This will be called by the python signal module + + https://docs.python.org/3/library/signal.html#signal.signal + """ + print('received ctrl+c. Stopping threads') + self.stopper.set() + + for worker in self.workers: + worker.join() + + sys.exit(0) + + +class ThreadXNorm(threading.Thread): + def __init__(self, queue, stopper, task_id=None): + threading.Thread.__init__(self) + self.queue = queue + self.task_id = task_id + self.stopper = stopper + + def run(self): + while True: + if self.stopper.is_set(): + break + + #grabs file from queue + pill_id = self.queue.get() + + try: + pill = Pill.objects.get(pk=pill_id) + + message('Processing pill: %s' % pill.product_code) + rx = rxnorm(pill.product_code) + + pill.rxstring = rx['rxstring'] + pill.rxtty = rx['rxtty'] + pill.rxcui = rx['rxcui'] + pill.rx_update_time = timezone.now() + pill.save() + + if self.task_id: + task = Task.objects.get(pk=self.task_id) + + task.meta['processed'] += 1 + + task.meta['percent'] = round((task.meta['processed']/task.meta['total']) * 100, 2) + task.save() + + message('%s done' % pill.medicine_name) + except Exception as e: + print('Exception occured: %s' % e) + + #signals to queue job is done + self.queue.task_done() + + +def rxnorm(ndc): + # ndc value coming from master.py + # ndc = [array of ndc values] + if ndc[0] is None: + return {"rxcui": "", "rxtty": "", "rxstring": ""} + else: + # if internet or request throws an error, print out to check connection and exit + baseurl = 'https://rxnav.nlm.nih.gov/REST/' + + # Searching RXNorm API, Search by identifier to find RxNorm concepts + # http://rxnav.nlm.nih.gov/REST/rxcui?idtype=NDC&id=0591-2234-10 + # Set url parameters for searching RXNorm for SETID + ndcSearch = 'rxcui?idtype=NDC&id=' + + # Search RXNorm API, Return all properties for a concept + rxPropSearch = 'rxcui/' + rxttySearch = '/property?propName=TTY' + rxstringSearch = '/property?propName=RxNorm%20Name' + + # Request RXNorm API to return json + header = {'Accept': 'application/json'} + + # Search RXNorm using NDC code, return RXCUI id + getRXCUI = requests.get(baseurl+ndcSearch+ndc, headers=header, timeout=3) + rxcuiJSON = getRXCUI.json() + # Check if first value in list returns a RXCUI, if not go to next value + try: + if rxcuiJSON['idGroup']['rxnormId']: + rxCUI = rxcuiJSON['idGroup']['rxnormId'][0] + rxProp = requests.get(baseurl + rxPropSearch + rxCUI + '/properties', headers=header, timeout=3) + rxProperties = rxProp.json() + rxTTY = rxProperties['properties']['tty'] + rxSTRING = rxProperties['properties']['name'] + return {"rxcui": rxCUI, "rxtty": rxTTY, "rxstring": rxSTRING} + except KeyError: + # if last item return null values + return {"rxcui": "", "rxtty": "", "rxstring": ""} + + +if __name__ == "__main__": + # Test with sample NDC codes, one works, one doesn't + dataTest = rxnorm('66435-101-42') + print dataTest diff --git a/pillbox-engine/spl/sync/xpath.py b/engine/spl/sync/xpath.py similarity index 80% rename from pillbox-engine/spl/sync/xpath.py rename to engine/spl/sync/xpath.py index 3a2c9bf..15701e6 100644 --- a/pillbox-engine/spl/sync/xpath.py +++ b/engine/spl/sync/xpath.py @@ -1,15 +1,18 @@ from __future__ import print_function from os.path import join +import logging import shutil import time import re from collections import OrderedDict -from lxml import etree +from lxml.etree import XMLParser, parse, XMLSyntaxError from django.conf import settings from spl.download import check_create_folder +logger = logging.getLogger('cleanup') + class XPath(object): def __init__(self): @@ -37,18 +40,22 @@ def __init__(self): self.output = OrderedDict() self.collection = [] self.all_action = False + self.filename = None # self.xml_source = '../tmp-unzipped/HRX' # self.xml_source = '../tmp-unzipped/ANIMAL' def parse(self, filename, path): """ Parses the XML Document """ + self.filename = filename + if not self.all_action: try: - self.tree = etree.parse(path + '/' + filename) + p = XMLParser() + self.tree = parse(path + '/' + filename, parser=p) return True - except etree.XMLSyntaxError as e: + except XMLSyntaxError as e: self.error.append({ 'type': 'XML Syntax Error', 'path': path, @@ -61,6 +68,7 @@ def parse(self, filename, path): def all(self, filename, path): """ Extract both product and pill info from an xml file """ + self.filename = filename # Parse XML Document if self.parse(filename, path): @@ -83,27 +91,38 @@ def products(self, filename, path): The method outputs the result in form of a dictionary with above given keys and relevant values """ + self.filename = filename # Parse XML Document if self.parse(filename, path): - self.active_tree = self.tree - output = {} - - output['setid'] = self._get_attribute('t:setId', 'root') - output['id_root'] = self._get_attribute('t:id', 'root') - output['title'] = self._get_text('t:title') - output['effective_time'] = self._get_attribute('t:effectiveTime', 'value') - output['version_number'] = self._get_attribute('t:versionNumber', 'value') - output['code'] = self._get_attribute('t:code', 'code') - output['filename'] = filename - output['source'] = self._get_source(path) - output['author'] = self._get_text('t:author/t:assignedEntity/t:representedOrganization/t:name[1]') - output['author_legal'] = self._get_text('t:legalAuthenticator/t:assignedEntity/t:representedOrganization' + - '/t:name[1]') - output['discontinued'] = False - - return output + try: + self.active_tree = self.tree + output = {} + + output['setid'] = self._get_attribute('t:setId', 'root') + output['id_root'] = self._get_attribute('t:id', 'root') + output['title'] = self._get_text('t:title') + output['effective_time'] = self._get_attribute('t:effectiveTime', 'value') + output['version_number'] = self._get_attribute('t:versionNumber', 'value') + output['code'] = self._get_attribute('t:code', 'code') + output['filename'] = filename + output['source'] = self._get_source(path) + output['author'] = self._get_text('t:author/t:assignedEntity/t:representedOrganization/t:name[1]') + output['author_legal'] = self._get_text('t:legalAuthenticator/t:assignedEntity/t:representedOrganization' + + '/t:name[1]') + output['discontinued'] = False + + return output + except TypeError as e: + self.error.append({ + 'type': 'XML Syntax Error', + 'path': path, + 'filename': filename, + 'message': e.message + }) + + return False else: return False @@ -118,6 +137,7 @@ def pills(self, filename, path): part_num, part_medicine_name """ + self.filename = filename product_set = [] @@ -131,7 +151,6 @@ def pills(self, filename, path): # Check how many products exists in the document products = self._xpath('t:component/t:structuredBody/t:component/' + 't:section/t:subject/t:manufacturedProduct') - counter = 0 for product in products: @@ -219,7 +238,7 @@ def _get_ingredients(self): code = self._xpath_with_tree(sub, 't:code')[0] ingredient['id'] = code.get('code') ingredient['code_system'] = code.get('codeSystem') - ingredient['name'] = self._xpath_with_tree(sub, 't:name')[0].text + ingredient['name'] = self._cleanup(self._xpath_with_tree(sub, 't:name')[0].text) active_moieties = self._xpath_with_tree(sub, 't:activeMoiety/t:activeMoiety') if active_moieties: ingredient['active_moieties'] = [] @@ -227,7 +246,7 @@ def _get_ingredients(self): children = am.getchildren() ingredient['active_moieties'].append({ 'id': children[0].get('code'), - 'name': children[1].text + 'name': self._cleanup(children[1].text) }) if 'active' in ingredient: @@ -252,7 +271,13 @@ def _get_generic(self, counter, setid): output['product_code'] = [i.get('code') for i in manufactured if i.get('code')][0] output['produce_code'] = self._get_attribute('t:*//t:code[1]', 'code') - output['ndc9'] = output['produce_code'].replace('-', '') + if output['produce_code']: + produce_code_temp = output['produce_code'].split("-") + output['ndc_labeler_code'] = produce_code_temp[0] + output['ndc_product_code'] = produce_code_temp[1] + produce_code_temp[0] = produce_code_temp[0].zfill(5) + produce_code_temp[1] = produce_code_temp[1].zfill(4) + output['ndc9'] = produce_code_temp[0] + produce_code_temp[1] output['ndc'] = '%s-%s' % (output['produce_code'], counter) output['equal_product_code'] = self._get_attribute('t:*//t:definingMaterialKind/t:code', 'code') output['medicine_name'] = self._get_text('t:*//t:name[1]') @@ -276,7 +301,7 @@ def _get_specific(self, path, part_counter=0, part=False): output['splimage'] = self._get_image(path) try: - output['splimprint'] = self._xpath('t:*//t:characteristic/t:code[@code="SPLIMPRINT"]')[0].getnext().text + output['splimprint'] = self._cleanup(self._xpath('t:*//t:characteristic/t:code[@code="SPLIMPRINT"]')[0].getnext().text) except IndexError: output['splimprint'] = '' @@ -335,11 +360,32 @@ def _get_source(self, path): path_segments = path.split('/') return path_segments[len(path_segments) - 1] + def _cleanup(self, value): + if value: + # cleanup the values + # replace spaces more than one with one + if ' ' in value: + logger.info('Removed more than 1 space in Value (%s) in %s' % (value, self.filename)) + + if '\n' in value: + logger.info('Removed line break in Value (%s) in %s' % (value, self.filename)) + + if '\t' in value: + logger.info('Removed tab in Value (%s) in %s' % (value, self.filename)) + + value = re.sub(' +', ' ', value) + value = value.replace('\n', ' ') + value = value.replace('\t', ' ') + else: + value = 'Value Not Provided' + + return value + def _get_text(self, search): """ searches for the search item using _xpath and returns the text of the first time found """ try: code = self._xpath(search) - return code[0].text + return self._cleanup(code[0].text) except IndexError: return '' diff --git a/pillbox-engine/spl/tasks.py b/engine/spl/tasks.py similarity index 76% rename from pillbox-engine/spl/tasks.py rename to engine/spl/tasks.py index 97a0b38..b742449 100644 --- a/pillbox-engine/spl/tasks.py +++ b/engine/spl/tasks.py @@ -2,7 +2,9 @@ import time import os import sys +import signal import Queue +import threading from django.utils import timezone from django.conf import settings @@ -10,38 +12,46 @@ from zipfile import BadZipfile from ftputil.error import TemporaryError, FTPOSError -from _celery import app +from config.celery import app from spl.sync.controller import Controller -from spl.sync.rxnorm import ThreadXNorm +from spl.sync.rxnorm import ThreadXNorm, SignalHandler from spl.download import DownloadAndUnzip from spl.models import Task, Source, Pill, Product @app.task(bind=True, ignore_result=True) -def rxnorm_task(self, task_id): +def rxnorm_task(self, task_id=None): start = time.time() pills = Pill.objects.all().values('id') total = pills.count() - task = Task.objects.get(pk=task_id) - task.status = 'STARTED' - task.pid = os.getpid() - task.meta = { - 'action': 'rxnom sync', - 'processed': 0, - 'total': total, - 'percent': 0 - } - task.save() + if task_id: + task = Task.objects.get(pk=task_id) + task.status = 'STARTED' + task.pid = os.getpid() + task.meta = { + 'action': 'rxnom sync', + 'processed': 0, + 'total': total, + 'percent': 0 + } + task.save() queue = Queue.Queue() print "starting the threads" - for i in range(20): - t = ThreadXNorm(queue, task.id) - t.daemon = True - t.start() + workers = [] + stopper = threading.Event() + for i in range(5): + workers.append(ThreadXNorm(queue, stopper, task_id)) + + # connect threads to stop signal + handler = SignalHandler(stopper, workers) + signal.signal(signal.SIGINT, handler) + + for worker in workers: + worker.start() print "queuing jobs" for pill in pills: @@ -52,12 +62,13 @@ def rxnorm_task(self, task_id): end = time.time() spent = end - start - task = Task.objects.get(pk=task_id) - task.status = 'SUCCESS' - task.duration = round(spent, 2) - task.time_ended = timezone.now() - task.is_active = False - task.save() + if task_id: + task = Task.objects.get(pk=task_id) + task.status = 'SUCCESS' + task.duration = round(spent, 2) + task.time_ended = timezone.now() + task.is_active = False + task.save() return @@ -107,11 +118,12 @@ def download_unzip(self, task_id, source_id): # RUN THE TASK try: - dl = DownloadAndUnzip(task.id, source.title, source.files, - source.host, source.path) + dl = DownloadAndUnzip(task.id, source.id) if dl.run(): # Calculate folder size for zip and unzip files + source.refresh_from_db() + task.refresh_from_db() source.zip_size = folder_size_count(settings.DOWNLOAD_PATH + '/' + source.title)['size'] unzip_count = folder_size_count(settings.SOURCE_PATH + '/' + source.title) source.xml_count = unzip_count['count'] @@ -129,9 +141,6 @@ def download_unzip(self, task_id, source_id): task.is_active = False task.save() - source.last_downloaded = task.time_ended - source.save() - return except BadZipfile: diff --git a/engine/spl/templatetags/__init__.py b/engine/spl/templatetags/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/pillbox-engine/spl/templatetags/spl_tags.py b/engine/spl/templatetags/spl_tags.py similarity index 100% rename from pillbox-engine/spl/templatetags/spl_tags.py rename to engine/spl/templatetags/spl_tags.py diff --git a/pillbox-engine/spl/urls.py b/engine/spl/urls.py similarity index 80% rename from pillbox-engine/spl/urls.py rename to engine/spl/urls.py index cac57a5..8f8dc9e 100644 --- a/pillbox-engine/spl/urls.py +++ b/engine/spl/urls.py @@ -4,4 +4,5 @@ router = DefaultRouter() router.register(r'sync', views.SyncSpl, base_name='sync') router.register(r'download', views.DownloadViewSet, base_name='download') +router.register(r'status', views.Status, base_name='status') urlpatterns = router.urls diff --git a/pillbox-engine/spl/views.py b/engine/spl/views.py similarity index 83% rename from pillbox-engine/spl/views.py rename to engine/spl/views.py index 62de023..178953b 100644 --- a/pillbox-engine/spl/views.py +++ b/engine/spl/views.py @@ -14,7 +14,18 @@ class DownloadViewSet(viewsets.ViewSet): """ Download SPL Data """ def list(self, request): - return Response({'message': 'empty'}, status=status.HTTP_200_OK) + try: + ## Check if there are any active tasks + task = Task.objects.filter(is_active=True)[:1].get() + return Response({ + 'meta': task.meta, + 'status': task.status, + 'task_id': task.task_id, + 'pid': task.pid + }, status=status.HTTP_200_OK) + + except Task.DoesNotExist: + return Response({'message': 'No Active Tasks'}, status=status.HTTP_200_OK) def retrieve(self, request, pk=None): source = Source.objects.get(pk=pk) @@ -69,6 +80,23 @@ def retrieve(self, request, pk=None): status=status.HTTP_200_OK) +class Status(viewsets.ViewSet): + + def list(self, request): + try: + ## Check if there are any active tasks + task = Task.objects.filter(is_active=True)[:1].get() + return Response({ + 'meta': task.meta, + 'status': task.status, + 'task_id': task.task_id, + 'pid': task.pid + }, status=status.HTTP_200_OK) + + except Task.DoesNotExist: + return Response({'message': 'No Active Tasks'}, status=status.HTTP_200_OK) + + class SyncSpl(viewsets.ViewSet): """ Run SPL Sync diff --git a/fabfile.py b/fabfile.py deleted file mode 100644 index 92fd6dd..0000000 --- a/fabfile.py +++ /dev/null @@ -1,210 +0,0 @@ -import subprocess -import time - -from fabric.api import local -from fabric.context_managers import shell_env -from fabric.operations import prompt - - -def initial_setup(): - """ Initial database creation and fixtures creation """ - with shell_env(DJANGO_CONFIGURATION='Production'): - try: - choice = int(prompt('What database engine you plan to use? \n' + - 'If you choose, Mysql or Postgres, you have to make sure they are' + - ' installed on your computer before proceeding further \n' + - '(1) Sqlite3 \n' + - '(2) MySql \n' + - '(3) Postgres (recommended) \n' + - ': ')) - - if choice == 1: - _sync_db() - elif choice == 2: - - response = _db_questions(0, '3306') - - with shell_env(DATABASE_URL=response): - _install_mysql() - _sync_db() - elif choice == 3: - response = _db_questions(1, '5432') - - with shell_env(DATABASE_URL=response): - _install_postgres() - _sync_db() - - except ValueError: - print 'Try again! You should enter a number.' - - local('python pillbox-engine/manage.py collectstatic --noinput') - - -def push(): - """ Push master branch to github """ - local('git push origin master') - - -def pull(): - """ Pull master branch from github """ - local('git pull origin master') - - -def serve(): - """ Run the server in production mode """ - try: - print 'Launching Pillbox Engine ...' - - posix = local('uname', capture=True) - - # Only for Mac - if posix == 'Darwin': - - foreman = subprocess.Popen(['honcho', 'start'], stdout=subprocess.PIPE, stderr=subprocess.PIPE) - - # Wait for 3 seconds to ensure the process is launched - time.sleep(3) - local('open "http://localhost:5000"') - print 'To exit Pillbox Engine use Control + C' - print foreman.stdout.read() - - else: - local('honcho start') - - except KeyboardInterrupt: - if posix == 'Darwin': - foreman.terminate() - print 'Goodbye' - - -def test(): - """ Run the server in development mode """ - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py runserver') - - -def shell(): - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py shell') - - -def migrate(): - """ Migrate database in development mode """ - - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py makemigrations') - local('python pillbox-engine/manage.py migrate') - - -def makemigrations(app): - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py makemigrations %s' % app) - - -def collect(): - """ Collect Static Files """ - with shell_env(DJANGO_CONFIGURATION='Production'): - local('python pillbox-engine/manage.py collectstatic') - - -def update(): - """ Fetch the latest updates from the repo""" - local('git pull origin master') - local('pip install -r requirements.txt') - - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py migrate') - local('python pillbox-engine/manage.py collectstatic --noinput') - local('python pillbox-engine/manage.py makeusers') - - -def spl(choice=None): - """Sync SPL Data. Choices are products | pills | all""" - if choice is None: - choice = 'all' - - kwarg = _check_env() - with shell_env(**kwarg): - if choice in ['products', 'pills', 'all']: - local('python pillbox-engine/manage.py syncspl %s' % choice) - else: - print 'wrong choice' - - -def loaddata(): - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py loaddata spl_sources') - local('python pillbox-engine/manage.py loaddata color_shape') - - -def makeuser(): - kwarg = _check_env() - with shell_env(**kwarg): - local('python pillbox-engine/manage.py makeusers') - - -def _install_mysql(): - local('pip install mysql-connector-python --allow-external mysql-connector-python') - - -def _install_postgres(): - local('pip install psycopg2') - - -def _db_questions(type, port): - - db_types = ['mysql-connector', 'postgres'] - - output = {} - - output['username'] = prompt('Database Username: ') - output['password'] = prompt('Database Password: ') - output['host'] = prompt('The host (localhost): ') - output['port'] = prompt('The post (%s): ' % port) - output['db_name'] = prompt('Database Name: ') - - output['host'] = output['host'] if output['host'] else 'localhost' - output['port'] = output['port'] if output['port'] else port - - db_url = '%s://%s:%s@%s:%s/%s' % (db_types[type], - output['username'], - output['password'], - output['host'], - output['port'], - output['db_name']) - - local('echo "DATABASE_URL=%s" > .env' % db_url) - - return db_url - - -def _sync_db(): - local('python pillbox-engine/manage.py migrate') - local('python pillbox-engine/manage.py loaddata spl_sources') - local('python pillbox-engine/manage.py loaddata color_shape') - local('python pillbox-engine/manage.py makeusers') - - -def _check_env(): - kwarg = {} - try: - with open('.env', 'r') as env: - content = env.readlines() - - for item in content: - split = item.split('=') - kwarg[split[0]] = split[1][:-1] - except IOError: - # Ignore if the .env file doesn't exist - pass - return kwarg - - -if __name__ == "__main__": - print _check_env() diff --git a/manage.py b/manage.py new file mode 100755 index 0000000..8516ea1 --- /dev/null +++ b/manage.py @@ -0,0 +1,10 @@ +#!/usr/bin/env python +import os +import sys + +if __name__ == "__main__": + os.environ.setdefault("DJANGO_SETTINGS_MODULE", "config.settings.production") + from django.core.management import execute_from_command_line + + sys.path.insert(0, os.path.abspath('engine')) + execute_from_command_line(sys.argv) diff --git a/pillbox-engine.sublime-project b/pillbox-engine.sublime-project deleted file mode 100644 index a45bf3d..0000000 --- a/pillbox-engine.sublime-project +++ /dev/null @@ -1,27 +0,0 @@ -{ - "build_systems": - [ - { - "file_regex": "^[ ]*File \"(...*?)\", line ([0-9]*)", - "name": "Anaconda Python Builder", - "selector": "source.python", - "shell_cmd": "~/.virtualenvs/pillbox-engine/bin/python -u \"$file\"" - } - ], - "folders": - [ - { - "follow_symlinks": true, - "path": "." - } - ], - "settings": - { - "pep8_max_line_length": 119, - "python_interpreter": "~/.virtualenvs/pillbox-engine/bin/python", - "rulers": - [ - 119 - ] - } -} diff --git a/pillbox-engine/__init__.py b/pillbox-engine/__init__.py deleted file mode 100644 index df9144c..0000000 --- a/pillbox-engine/__init__.py +++ /dev/null @@ -1 +0,0 @@ -__version__ = '0.1.1' diff --git a/pillbox-engine/_celery.py b/pillbox-engine/_celery.py deleted file mode 100644 index e6dc748..0000000 --- a/pillbox-engine/_celery.py +++ /dev/null @@ -1,33 +0,0 @@ -from __future__ import absolute_import - -import os -import sys - -from celery import Celery - -from django.conf import settings - -# Because of the special way the cookiecutter template is setup, -# we have to add the root app to the python path -BASE_DIR = os.path.dirname(os.path.dirname(__file__)) + '/pillbox-engine' -sys.path.append(BASE_DIR) - -# set the default Django settings module for the 'celery' program. -os.environ.setdefault("DJANGO_SETTINGS_MODULE", "config") -os.environ.setdefault("DJANGO_CONFIGURATION", "Production") - -from configurations import importer -importer.install() - -app = Celery('pillbox-engine') - -# Using a string here means the worker will not have to -# pickle the object when using Windows. -app.config_from_object('django.conf:settings') -app.autodiscover_tasks(lambda: settings.INSTALLED_APPS) - - -@app.task(bind=True) -def debug_task(self): - print('Request: {0!r}'.format(self.request)) - # return 'Request: {0!r}'.format(self.request) diff --git a/pillbox-engine/compare/migrations/0001_initial.py b/pillbox-engine/compare/migrations/0001_initial.py deleted file mode 100644 index e717d34..0000000 --- a/pillbox-engine/compare/migrations/0001_initial.py +++ /dev/null @@ -1,123 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0003_auto_20141211_1532'), - ('spl', '0004_auto_20141212_1142'), - ] - - operations = [ - migrations.CreateModel( - name='Color', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Image', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Imprint', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Score', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Shape', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Size', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('spl_value', models.CharField(max_length=200, verbose_name=b'SPL Value')), - ('pillbox_value', models.CharField(max_length=200, verbose_name=b'Pillbox Value')), - ('is_different', models.BooleanField(default=False, verbose_name=b'Is Different?')), - ('reason', models.TextField(null=True, verbose_name=b'Reason', blank=True)), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('pillbox', models.ForeignKey(to='pillbox.PillBoxData')), - ('spl', models.ForeignKey(to='spl.Pill')), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - ] diff --git a/pillbox-engine/compare/migrations/0002_auto_20141212_1152.py b/pillbox-engine/compare/migrations/0002_auto_20141212_1152.py deleted file mode 100644 index 8d4b776..0000000 --- a/pillbox-engine/compare/migrations/0002_auto_20141212_1152.py +++ /dev/null @@ -1,50 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('compare', '0001_initial'), - ] - - operations = [ - migrations.AddField( - model_name='color', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - migrations.AddField( - model_name='image', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - migrations.AddField( - model_name='imprint', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - migrations.AddField( - model_name='score', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - migrations.AddField( - model_name='shape', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - migrations.AddField( - model_name='size', - name='verified', - field=models.BooleanField(default=False, verbose_name=b'Verified?'), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/compare/migrations/0003_auto_20141215_1500.py b/pillbox-engine/compare/migrations/0003_auto_20141215_1500.py deleted file mode 100644 index 8ec9fc6..0000000 --- a/pillbox-engine/compare/migrations/0003_auto_20141215_1500.py +++ /dev/null @@ -1,86 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('compare', '0002_auto_20141212_1152'), - ] - - operations = [ - migrations.AlterField( - model_name='color', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='color', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='image', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='image', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='imprint', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='imprint', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='score', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='score', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='shape', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='shape', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='size', - name='pillbox_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'Pillbox Value', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='size', - name='spl_value', - field=models.CharField(max_length=200, null=True, verbose_name=b'SPL Value', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/config/__init__.py b/pillbox-engine/config/__init__.py deleted file mode 100644 index feb8c8e..0000000 --- a/pillbox-engine/config/__init__.py +++ /dev/null @@ -1,5 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import absolute_import - -from .local import Local # noqa -from .production import Production # noqa diff --git a/pillbox-engine/config/common.py b/pillbox-engine/config/common.py deleted file mode 100644 index 48c7320..0000000 --- a/pillbox-engine/config/common.py +++ /dev/null @@ -1,261 +0,0 @@ -# -*- coding: utf-8 -*- -""" -Django settings for pillbox-engine project. - -For more information on this file, see -https://docs.djangoproject.com/en/dev/topics/settings/ - -For the full list of settings and their values, see -https://docs.djangoproject.com/en/dev/ref/settings/ -""" - -# Build paths inside the project like this: os.path.join(BASE_DIR, ...) -# import os -from os.path import join, dirname -from configurations import Configuration, values - -BASE_DIR = dirname(dirname(__file__)) - - -class Common(Configuration): - - # DEBUG - DEBUG = values.BooleanValue(False) - # END DEBUG - - # APP CONFIGURATION - DJANGO_APPS = ( - # Default Django apps: - 'django.contrib.auth', - 'django.contrib.contenttypes', - 'django.contrib.sessions', - 'django.contrib.sites', - 'django.contrib.messages', - 'django.contrib.staticfiles', - - # Useful template tags: - 'django.contrib.humanize', - - # Admin - 'django.contrib.admin', - ) - THIRD_PARTY_APPS = ( - 'xadmin', - 'crispy_forms', - 'reversion', - 'kombu.transport.django', - 'rest_framework', - ) - - # Apps specific for this project go here. - LOCAL_APPS = ( - # Your stuff: custom apps go here - 'spl', - 'pillbox', - 'compare', - 'djcelery_pillbox' - ) - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps - INSTALLED_APPS = DJANGO_APPS + LOCAL_APPS + THIRD_PARTY_APPS - # END APP CONFIGURATION - - # MIDDLEWARE CONFIGURATION - MIDDLEWARE_CLASSES = ( - # Make sure djangosecure.middleware.SecurityMiddleware is listed first - 'django.contrib.sessions.middleware.SessionMiddleware', - 'django.middleware.common.CommonMiddleware', - 'django.middleware.csrf.CsrfViewMiddleware', - 'django.contrib.auth.middleware.AuthenticationMiddleware', - 'django.contrib.messages.middleware.MessageMiddleware', - 'django.middleware.clickjacking.XFrameOptionsMiddleware', - ) - # END MIDDLEWARE CONFIGURATION - - # MIGRATIONS CONFIGURATION - MIGRATION_MODULES = { - 'sites': 'contrib.sites.migrations' - } - # END MIGRATIONS CONFIGURATION - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#template-debug - TEMPLATE_DEBUG = DEBUG - # END DEBUG - - # SECRET CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#secret-key - # Note: This key only used for development and testing. - # In production, this is changed to a values.SecretValue() setting - SECRET_KEY = "gWgpaYgyAHJxJbusdpL4iabTkPiiPvB9cnhrojhj" - # END SECRET CONFIGURATION - - # FIXTURE CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#std:setting-FIXTURE_DIRS - FIXTURE_DIRS = ( - join(BASE_DIR, 'fixtures'), - ) - # END FIXTURE CONFIGURATION - - # MANAGER CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#admins - ADMINS = ( - ("""Scisco""", 'alireza@developmentseed.org'), - ) - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#managers - MANAGERS = ADMINS - # END MANAGER CONFIGURATION - - # DATABASE CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#databases - DATABASES = values.DatabaseURLValue('sqlite:///%s' % join(BASE_DIR, 'db/db.sqlite3')) - # END DATABASE CONFIGURATION - - # GENERAL CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#time-zone - TIME_ZONE = 'America/New_York' - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#language-code - LANGUAGE_CODE = 'en-us' - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#site-id - SITE_ID = 1 - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#use-i18n - USE_I18N = True - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#use-l10n - USE_L10N = True - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#use-tz - USE_TZ = True - # END GENERAL CONFIGURATION - - # TEMPLATE CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#template-context-processors - # TEMPLATE_CONTEXT_PROCESSORS = ( - # 'django.contrib.auth.context_processors.auth', - # 'django.core.context_processors.debug', - # 'django.core.context_processors.i18n', - # 'django.core.context_processors.media', - # 'django.core.context_processors.static', - # 'django.core.context_processors.tz', - # 'django.contrib.messages.context_processors.messages', - # 'django.core.context_processors.request', - # # Your stuff: custom template context processers go here - # ) - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#template-dirs - TEMPLATE_DIRS = ( - join(BASE_DIR, 'templates'), - ) - - TEMPLATE_LOADERS = ( - 'django.template.loaders.filesystem.Loader', - 'django.template.loaders.app_directories.Loader', - ) - - # STATIC FILE CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#static-root - STATIC_ROOT = join(BASE_DIR, 'staticfiles') - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#static-url - STATIC_URL = '/static/' - - # See: https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#std:setting-STATICFILES_DIRS - STATICFILES_DIRS = ( - join(BASE_DIR, 'static'), - ) - - # See: https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#staticfiles-finders - STATICFILES_FINDERS = ( - 'django.contrib.staticfiles.finders.FileSystemFinder', - 'django.contrib.staticfiles.finders.AppDirectoriesFinder', - ) - # END STATIC FILE CONFIGURATION - - # MEDIA CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#media-root - MEDIA_ROOT = join(BASE_DIR, 'media') - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#media-url - MEDIA_URL = '/media/' - # END MEDIA CONFIGURATION - - # URL Configuration - ROOT_URLCONF = 'urls' - - # See: https://docs.djangoproject.com/en/dev/ref/settings/#wsgi-application - WSGI_APPLICATION = 'wsgi.application' - # End URL Configuration - - # AUTHENTICATION CONFIGURATION - AUTHENTICATION_BACKENDS = ( - "django.contrib.auth.backends.ModelBackend", - ) - - # Custom user app defaults - # Select the correct user model - # AUTH_USER_MODEL = "users.User" - # END Custom user app defaults - - # LOGGING CONFIGURATION - # See: https://docs.djangoproject.com/en/dev/ref/settings/#logging - # A sample logging configuration. The only tangible logging - # performed by this configuration is to send an email to - # the site admins on every HTTP 500 error when DEBUG=False. - # See http://docs.djangoproject.com/en/dev/topics/logging for - # more details on how to customize your logging configuration. - LOGGING = { - 'version': 1, - 'disable_existing_loggers': False, - 'filters': { - 'require_debug_false': { - '()': 'django.utils.log.RequireDebugFalse' - } - }, - 'handlers': { - 'mail_admins': { - 'level': 'ERROR', - 'filters': ['require_debug_false'], - 'class': 'django.utils.log.AdminEmailHandler' - } - }, - 'loggers': { - 'django.request': { - 'handlers': ['mail_admins'], - 'level': 'ERROR', - 'propagate': True, - }, - } - } - # END LOGGING CONFIGURATION - - # Your common stuff: Below this line define 3rd party library settings - # Celery settings - - BROKER_URL = values.Value('django://') - CELERY_RESULT_BACKEND = values.Value('djcelery_pillbox.database:DatabaseBackend') - CELERY_TASK_RESULT_EXPIRES = values.IntegerValue(3600) - CELERY_DISABLE_RATE_LIMITS = values.BooleanValue(True) - CELERYD_CONCURRENCY = values.IntegerValue(1) - CELERY_ACCEPT_CONTENT = values.ListValue(['json', 'msgpack', 'yaml']) - CELERY_TASK_SERIALIZER = values.Value('json') - CELERY_RESULT_SERIALIZER = values.Value('json') - CELERY_TRACK_STARTED = values.BooleanValue(True) - CELERY_STORE_ERRORS_EVEN_IF_IGNORED = True - - DAILYMED_FTP_SITE = values.Value('public.nlm.nih.gov') - DAILYMED_FTP_PATH = values.Value('nlmdata/.dailymed/') - DAILYMED_FTP_USER = values.Value('anonymous') - DAILYMED_FTP_PASS = values.Value('') - DOWNLOAD_PATH = join(BASE_DIR, 'downloads/zip') - SOURCE_PATH = join(BASE_DIR, 'downloads/unzip') - - @classmethod - def setup(cls): - super(Common, cls).setup() - #Increase the timeout for sqlite database - if cls.DATABASES['default']['ENGINE'] == 'django.db.backends.sqlite3': - cls.DATABASES['default']['OPTIONS'] = {'timeout': 30} - diff --git a/pillbox-engine/config/local.py b/pillbox-engine/config/local.py deleted file mode 100644 index 1e58f5c..0000000 --- a/pillbox-engine/config/local.py +++ /dev/null @@ -1,38 +0,0 @@ -# -*- coding: utf-8 -*- -''' -Local Configurations - -- Runs in Debug mode -- Uses console backend for emails -- Use Django Debug Toolbar -''' -from configurations import values -from .common import Common - - -class Local(Common): - - # DEBUG - DEBUG = values.BooleanValue(True) - TEMPLATE_DEBUG = DEBUG - # END DEBUG - - # INSTALLED_APPS - INSTALLED_APPS = Common.INSTALLED_APPS - # END INSTALLED_APPS - - # django-debug-toolbar - MIDDLEWARE_CLASSES = Common.MIDDLEWARE_CLASSES + ('debug_toolbar.middleware.DebugToolbarMiddleware',) - INSTALLED_APPS += ('debug_toolbar',) - - INTERNAL_IPS = ('127.0.0.1',) - - DEBUG_TOOLBAR_CONFIG = { - 'DISABLE_PANELS': [ - 'debug_toolbar.panels.redirects.RedirectsPanel', - ], - 'SHOW_TEMPLATE_CONTEXT': True, - } - # end django-debug-toolbar - - # Your local stuff: Below this line define 3rd party libary settings diff --git a/pillbox-engine/config/production.py b/pillbox-engine/config/production.py deleted file mode 100644 index 8264ad5..0000000 --- a/pillbox-engine/config/production.py +++ /dev/null @@ -1,31 +0,0 @@ -# -*- coding: utf-8 -*- -''' -Production Configurations -''' -from configurations import values - - -from .common import Common - - -class Production(Common): - - # INSTALLED_APPS - INSTALLED_APPS = Common.INSTALLED_APPS - # END INSTALLED_APPS - - # Mail settings - EMAIL_HOST = "localhost" - EMAIL_PORT = 1025 - EMAIL_BACKEND = values.Value('django.core.mail.backends.console.EmailBackend') - # End mail settings - - # SITE CONFIGURATION - # Hosts/domain names that are valid for this site - # See https://docs.djangoproject.com/en/1.6/ref/settings/#allowed-hosts - ALLOWED_HOSTS = ["*"] - # END SITE CONFIGURATION - - INSTALLED_APPS += ("gunicorn", ) - - # Your production stuff: Below this line define 3rd party libary settings diff --git a/pillbox-engine/manage.py b/pillbox-engine/manage.py deleted file mode 100755 index 4e783bd..0000000 --- a/pillbox-engine/manage.py +++ /dev/null @@ -1,11 +0,0 @@ -#!/usr/bin/env python -import os -import sys - -if __name__ == "__main__": - os.environ.setdefault("DJANGO_SETTINGS_MODULE", "config") - os.environ.setdefault("DJANGO_CONFIGURATION", "Local") - - from configurations.management import execute_from_command_line - - execute_from_command_line(sys.argv) diff --git a/pillbox-engine/pillbox/migrations/0001_initial.py b/pillbox-engine/pillbox/migrations/0001_initial.py deleted file mode 100644 index 1310c74..0000000 --- a/pillbox-engine/pillbox/migrations/0001_initial.py +++ /dev/null @@ -1,89 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ] - - operations = [ - migrations.CreateModel( - name='Import', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('file_name', models.CharField(max_length=200, null=True, verbose_name=b'File Name', blank=True)), - ('csv_file', models.FileField(upload_to=b'csv', verbose_name=b'CSV File')), - ('completed', models.BooleanField(default=False, verbose_name=b'Completed?')), - ('added', models.IntegerField(null=True, verbose_name=b'Reocrds Added', blank=True)), - ('updated', models.IntegerField(null=True, verbose_name=b'Records Updated', blank=True)), - ('task_id', models.CharField(max_length=200, null=True, verbose_name=b'Task ID', blank=True)), - ('status', models.CharField(max_length=200, null=True, verbose_name=b'Status', blank=True)), - ('duration', models.FloatField(null=True, verbose_name=b'Duration (Sec.)', blank=True)), - ], - options={ - 'verbose_name': 'Data Import', - 'verbose_name_plural': 'Data Import', - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='PillBoxData', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('setid', models.CharField(unique=True, max_length=250, verbose_name=b'setid')), - ('setid_product', models.CharField(max_length=250, verbose_name=b'setid_product')), - ('splsize', models.CharField(max_length=250, null=True, verbose_name=b'SPLSIZE', blank=True)), - ('splshape', models.CharField(max_length=250, null=True, verbose_name=b'SPLSHAPE', blank=True)), - ('splscore', models.CharField(max_length=250, null=True, verbose_name=b'SPLSCORE', blank=True)), - ('splimprint', models.CharField(max_length=250, null=True, verbose_name=b'SPLIMPRINT', blank=True)), - ('splcolor', models.CharField(max_length=250, null=True, verbose_name=b'SPLCOLOR', blank=True)), - ('spl_strength', models.TextField(null=True, verbose_name=b'SPL_STRENGTH', blank=True)), - ('spl_ingredients', models.TextField(null=True, verbose_name=b'SPL_INGREDIENTS', blank=True)), - ('spl_inactive_ing', models.TextField(null=True, verbose_name=b'SPL_INACTIVE_ING', blank=True)), - ('source', models.CharField(max_length=250, null=True, verbose_name=b'source', blank=True)), - ('rxtty', models.CharField(max_length=250, null=True, verbose_name=b'rxtty', blank=True)), - ('rxstring', models.TextField(null=True, verbose_name=b'rxttystring', blank=True)), - ('rxcui', models.CharField(max_length=250, null=True, verbose_name=b'rxcui', blank=True)), - ('produce_code', models.CharField(max_length=250, null=True, verbose_name=b'produce_code', blank=True)), - ('part_num', models.CharField(max_length=250, null=True, verbose_name=b'part_num', blank=True)), - ('part_medicine_name', models.CharField(max_length=250, null=True, verbose_name=b'part_medicine_name', blank=True)), - ('ndc9', models.CharField(max_length=250, null=True, verbose_name=b'ndc9', blank=True)), - ('medicine_name', models.CharField(max_length=250, null=True, verbose_name=b'medicine_name', blank=True)), - ('marketing_act_code', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('effective_time', models.CharField(max_length=250, null=True, verbose_name=b'effective_time', blank=True)), - ('file_name', models.CharField(max_length=250, null=True, verbose_name=b'file_name', blank=True)), - ('equal_product_code', models.CharField(max_length=250, null=True, verbose_name=b'equal_product_code', blank=True)), - ('dosage_form', models.CharField(max_length=250, null=True, verbose_name=b'dosage_form', blank=True)), - ('document_type', models.CharField(max_length=250, null=True, verbose_name=b'document_type', blank=True)), - ('dea_schedule_code', models.CharField(max_length=250, null=True, verbose_name=b'DEA_SCHEDULE_CODE', blank=True)), - ('dea_schedule_name', models.CharField(max_length=250, null=True, verbose_name=b'DEA_SCHEDULE_NAME', blank=True)), - ('author_type', models.CharField(max_length=250, null=True, verbose_name=b'author_type', blank=True)), - ('author', models.CharField(max_length=250, null=True, verbose_name=b'author', blank=True)), - ('approval_code', models.CharField(max_length=250, null=True, verbose_name=b'approval_code', blank=True)), - ('image_source', models.CharField(max_length=250, null=True, verbose_name=b'Image Source', blank=True)), - ('image_id', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('has_image', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('from_sis', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('version_number', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('clinical_setid', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('unii_code', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('physical_characteristics', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('laberer_code', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('application_number', models.CharField(max_length=250, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ], - options={ - 'verbose_name': 'Pillbox Data', - 'verbose_name_plural': 'Pillbox Data', - }, - bases=(models.Model,), - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0002_auto_20141210_2159.py b/pillbox-engine/pillbox/migrations/0002_auto_20141210_2159.py deleted file mode 100644 index d2875f4..0000000 --- a/pillbox-engine/pillbox/migrations/0002_auto_20141210_2159.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0001_initial'), - ] - - operations = [ - migrations.AddField( - model_name='pillboxdata', - name='new', - field=models.BooleanField(default=False, verbose_name=b'New Record'), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='stale', - field=models.BooleanField(default=True, verbose_name=b'Stale record'), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='updated', - field=models.BooleanField(default=False, verbose_name=b'Updated from SPL'), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0003_auto_20141211_1532.py b/pillbox-engine/pillbox/migrations/0003_auto_20141211_1532.py deleted file mode 100644 index b17be91..0000000 --- a/pillbox-engine/pillbox/migrations/0003_auto_20141211_1532.py +++ /dev/null @@ -1,80 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0002_auto_20141210_2159'), - ] - - operations = [ - migrations.AlterField( - model_name='pillboxdata', - name='application_number', - field=models.CharField(max_length=250, null=True, verbose_name=b'Application Number', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='clinical_setid', - field=models.CharField(max_length=250, null=True, verbose_name=b'Clinical Set ID', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='from_sis', - field=models.CharField(max_length=250, null=True, verbose_name=b'From SIS', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='image_id', - field=models.CharField(max_length=250, null=True, verbose_name=b'Image Name', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='laberer_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'Laberer Code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='new', - field=models.BooleanField(default=False, verbose_name=b'Just added from SPL (New)'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='physical_characteristics', - field=models.CharField(max_length=250, null=True, verbose_name=b'Physical Characteristics', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='stale', - field=models.BooleanField(default=True, verbose_name=b'Does not exist on SPL (Stale)'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='unii_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'UNII Code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='updated', - field=models.BooleanField(default=False, verbose_name=b'Is updated from SPL?'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='version_number', - field=models.CharField(max_length=250, null=True, verbose_name=b'Version Number', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0004_auto_20141212_1157.py b/pillbox-engine/pillbox/migrations/0004_auto_20141212_1157.py deleted file mode 100644 index 76aee15..0000000 --- a/pillbox-engine/pillbox/migrations/0004_auto_20141212_1157.py +++ /dev/null @@ -1,19 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0003_auto_20141211_1532'), - ] - - operations = [ - migrations.RenameField( - model_name='pillboxdata', - old_name='image_id', - new_name='splimage', - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0005_auto_20141212_1223.py b/pillbox-engine/pillbox/migrations/0005_auto_20141212_1223.py deleted file mode 100644 index 6d728c0..0000000 --- a/pillbox-engine/pillbox/migrations/0005_auto_20141212_1223.py +++ /dev/null @@ -1,20 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0004_auto_20141212_1157'), - ] - - operations = [ - migrations.AlterField( - model_name='pillboxdata', - name='splimage', - field=models.FileField(max_length=250, upload_to=b'pillbox', null=True, verbose_name=b'Image Name', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0008_remove_pillboxdata_has_image2.py b/pillbox-engine/pillbox/migrations/0008_remove_pillboxdata_has_image2.py deleted file mode 100644 index 08fb02b..0000000 --- a/pillbox-engine/pillbox/migrations/0008_remove_pillboxdata_has_image2.py +++ /dev/null @@ -1,18 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0007_pillboxdata_has_image'), - ] - - operations = [ - migrations.RemoveField( - model_name='pillboxdata', - name='has_image2', - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0009_auto_20141215_1141.py b/pillbox-engine/pillbox/migrations/0009_auto_20141215_1141.py deleted file mode 100644 index 644b9ec..0000000 --- a/pillbox-engine/pillbox/migrations/0009_auto_20141215_1141.py +++ /dev/null @@ -1,50 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0008_remove_pillboxdata_has_image2'), - ] - - operations = [ - migrations.AddField( - model_name='pillboxdata', - name='pillbox_color_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbox COLOR Display Name', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='pillbox_shape_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbox Shape Display Name', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='splcolor_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'SPLCOLOR Display Name', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='splshape_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'SPLSHAPE Display Name', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splcolor', - field=models.CharField(max_length=250, null=True, verbose_name=b'SPLCOLOR Code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splshape', - field=models.CharField(max_length=250, null=True, verbose_name=b'SPLSHAPE Code', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0010_color_shape.py b/pillbox-engine/pillbox/migrations/0010_color_shape.py deleted file mode 100644 index 72920bf..0000000 --- a/pillbox-engine/pillbox/migrations/0010_color_shape.py +++ /dev/null @@ -1,37 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0009_auto_20141215_1141'), - ] - - operations = [ - migrations.CreateModel( - name='Color', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('display_name', models.CharField(max_length=250, verbose_name=b'SPL Display Name')), - ('code', models.CharField(max_length=250, verbose_name=b'SPL Code')), - ('hex_value', models.CharField(max_length=250, null=True, verbose_name=b'HEX Value', blank=True)), - ], - options={ - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Shape', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('display_name', models.CharField(max_length=250, verbose_name=b'SPL Display Name')), - ('code', models.CharField(max_length=250, verbose_name=b'SPL Code')), - ], - options={ - }, - bases=(models.Model,), - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0011_auto_20141215_1500.py b/pillbox-engine/pillbox/migrations/0011_auto_20141215_1500.py deleted file mode 100644 index 2568070..0000000 --- a/pillbox-engine/pillbox/migrations/0011_auto_20141215_1500.py +++ /dev/null @@ -1,20 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0010_color_shape'), - ] - - operations = [ - migrations.AlterField( - model_name='pillboxdata', - name='stale', - field=models.BooleanField(default=False, verbose_name=b'Does not exist on SPL (Stale)'), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0012_auto_20141215_1641.py b/pillbox-engine/pillbox/migrations/0012_auto_20141215_1641.py deleted file mode 100644 index 746163e..0000000 --- a/pillbox-engine/pillbox/migrations/0012_auto_20141215_1641.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0011_auto_20141215_1500'), - ] - - operations = [ - migrations.AddField( - model_name='pillboxdata', - name='pillbox_core', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbox SCORE', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='pillbox_imprint', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbox IMPRINT', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pillboxdata', - name='pillbox_size', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbo SIZE', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0013_auto_20141216_1253.py b/pillbox-engine/pillbox/migrations/0013_auto_20141216_1253.py deleted file mode 100644 index 40e473b..0000000 --- a/pillbox-engine/pillbox/migrations/0013_auto_20141216_1253.py +++ /dev/null @@ -1,19 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0012_auto_20141215_1641'), - ] - - operations = [ - migrations.RenameField( - model_name='pillboxdata', - old_name='pillbox_core', - new_name='pillbox_score', - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0014_auto_20141217_1009.py b/pillbox-engine/pillbox/migrations/0014_auto_20141217_1009.py deleted file mode 100644 index 2005a94..0000000 --- a/pillbox-engine/pillbox/migrations/0014_auto_20141217_1009.py +++ /dev/null @@ -1,40 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0013_auto_20141216_1253'), - ] - - operations = [ - migrations.CreateModel( - name='Export', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('file_name', models.CharField(max_length=200, null=True, verbose_name=b'File Name', blank=True)), - ('csv_file', models.FileField(upload_to=b'csv', null=True, verbose_name=b'CSV File', blank=True)), - ('completed', models.BooleanField(default=False, verbose_name=b'Completed?')), - ('task_id', models.CharField(max_length=200, null=True, verbose_name=b'Task ID', blank=True)), - ('status', models.CharField(max_length=200, null=True, verbose_name=b'Status', blank=True)), - ('duration', models.FloatField(null=True, verbose_name=b'Duration (Sec.)', blank=True)), - ], - options={ - 'verbose_name': 'Export', - 'verbose_name_plural': 'Export', - }, - bases=(models.Model,), - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_size', - field=models.CharField(max_length=250, null=True, verbose_name=b'Pillbox SIZE', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0015_auto_20141217_1013.py b/pillbox-engine/pillbox/migrations/0015_auto_20141217_1013.py deleted file mode 100644 index f49e4ed..0000000 --- a/pillbox-engine/pillbox/migrations/0015_auto_20141217_1013.py +++ /dev/null @@ -1,36 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0014_auto_20141217_1009'), - ] - - operations = [ - migrations.RemoveField( - model_name='export', - name='csv_file', - ), - migrations.AddField( - model_name='export', - name='export_file', - field=models.FileField(upload_to=b'export', null=True, verbose_name=b'Export File', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='export', - name='file_type', - field=models.CharField(default=1, max_length=200, verbose_name=b'File Type', choices=[(b'json', b'JSON'), (b'csv', b'CSV')]), - preserve_default=False, - ), - migrations.AlterField( - model_name='export', - name='file_name', - field=models.CharField(default=1, max_length=200, verbose_name=b'File Name'), - preserve_default=False, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0016_auto_20141218_1541.py b/pillbox-engine/pillbox/migrations/0016_auto_20141218_1541.py deleted file mode 100644 index 3e8b7ed..0000000 --- a/pillbox-engine/pillbox/migrations/0016_auto_20141218_1541.py +++ /dev/null @@ -1,20 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0015_auto_20141217_1013'), - ] - - operations = [ - migrations.AlterField( - model_name='export', - name='file_type', - field=models.CharField(max_length=200, verbose_name=b'File Type', choices=[(b'json', b'JSON'), (b'csv', b'CSV'), (b'yaml', b'YAML'), (b'xml', b'XML')]), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0017_auto_20141218_1543.py b/pillbox-engine/pillbox/migrations/0017_auto_20141218_1543.py deleted file mode 100644 index afd4521..0000000 --- a/pillbox-engine/pillbox/migrations/0017_auto_20141218_1543.py +++ /dev/null @@ -1,26 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0016_auto_20141218_1541'), - ] - - operations = [ - migrations.RemoveField( - model_name='pillboxdata', - name='clinical_setid', - ), - migrations.RemoveField( - model_name='pillboxdata', - name='physical_characteristics', - ), - migrations.RemoveField( - model_name='pillboxdata', - name='unii_code', - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0018_auto_20141223_1436.py b/pillbox-engine/pillbox/migrations/0018_auto_20141223_1436.py deleted file mode 100644 index 15b974b..0000000 --- a/pillbox-engine/pillbox/migrations/0018_auto_20141223_1436.py +++ /dev/null @@ -1,194 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0017_auto_20141218_1543'), - ] - - operations = [ - migrations.AlterField( - model_name='pillboxdata', - name='application_number', - field=models.CharField(max_length=250, null=True, verbose_name=b'application_number', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='dea_schedule_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'dea_schedule_code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='dea_schedule_name', - field=models.CharField(max_length=250, null=True, verbose_name=b'dea_schedule_name', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='from_sis', - field=models.CharField(max_length=250, null=True, verbose_name=b'epc_match', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='has_image', - field=models.BooleanField(default=False, verbose_name=b'has_image'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='image_source', - field=models.CharField(max_length=250, null=True, verbose_name=b'image_source', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='laberer_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'laberer_code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='marketing_act_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'marketing_act_code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_color_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'pillbox_color_text', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_imprint', - field=models.CharField(max_length=250, null=True, verbose_name=b'pillbox_imprint', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_score', - field=models.CharField(max_length=250, null=True, verbose_name=b'pillbox_score', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_shape_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'pillbox_shape_text', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='pillbox_size', - field=models.CharField(max_length=250, null=True, verbose_name=b'pillbox_size', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='produce_code', - field=models.CharField(max_length=250, null=True, verbose_name=b'product_code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='rxstring', - field=models.TextField(null=True, verbose_name=b'rxtty', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='rxtty', - field=models.TextField(null=True, verbose_name=b'rxtty', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='setid', - field=models.CharField(unique=True, max_length=250, verbose_name=b'spp'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='setid_product', - field=models.CharField(max_length=250, verbose_name=b'setid'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='spl_inactive_ing', - field=models.TextField(null=True, verbose_name=b'spl_inactive_ing', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='spl_ingredients', - field=models.TextField(null=True, verbose_name=b'spl_ingredients', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='spl_strength', - field=models.TextField(null=True, verbose_name=b'spl_strength', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splcolor', - field=models.CharField(max_length=250, null=True, verbose_name=b'splcolor', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splcolor_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'splcolor_text', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splimage', - field=models.FileField(max_length=250, upload_to=b'pillbox', null=True, verbose_name=b'splimage', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splimprint', - field=models.CharField(max_length=250, null=True, verbose_name=b'splimprint', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splscore', - field=models.CharField(max_length=250, null=True, verbose_name=b'splscore', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splshape', - field=models.CharField(max_length=250, null=True, verbose_name=b'splshape', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splshape_text', - field=models.CharField(max_length=250, null=True, verbose_name=b'splshape_text', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='splsize', - field=models.CharField(max_length=250, null=True, verbose_name=b'splsize', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='version_number', - field=models.CharField(max_length=250, null=True, verbose_name=b'version_number', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/pillbox/migrations/0019_auto_20141223_1449.py b/pillbox-engine/pillbox/migrations/0019_auto_20141223_1449.py deleted file mode 100644 index cfcffbf..0000000 --- a/pillbox-engine/pillbox/migrations/0019_auto_20141223_1449.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('pillbox', '0018_auto_20141223_1436'), - ] - - operations = [ - migrations.AlterField( - model_name='pillboxdata', - name='new', - field=models.BooleanField(default=False, verbose_name=b'new'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='stale', - field=models.BooleanField(default=False, verbose_name=b'stale'), - preserve_default=True, - ), - migrations.AlterField( - model_name='pillboxdata', - name='updated', - field=models.BooleanField(default=False, verbose_name=b'updated'), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/download.py b/pillbox-engine/spl/download.py deleted file mode 100644 index d145947..0000000 --- a/pillbox-engine/spl/download.py +++ /dev/null @@ -1,133 +0,0 @@ -import os -import shutil -import errno -import glob -from django.conf import settings -from zipfile import ZipFile - -from spl.models import Task -from spl.ftp import PillboxFTP - - -class DownloadAndUnzip(object): - - def __init__(self, task_id, source_title, files, host, ftp_path): - """ - @param - task_id - The id of the task created in the task model of spl - source - the name of the SPL source e.g. HOTC - files - the list of files associated with the source e.g. dm_spl_release_animal.zip - """ - self.task = Task.objects.get(pk=task_id) - self.source = source_title - self.files = files - self.host = host - self.ftp_path = ftp_path - - def run(self): - - self.task.pid = os.getpid() - self.task.save() - - if self.download(): - if self.unzip(): - return True - return False - - def download(self): - # Making necessary folders - path = check_create_folder(settings.DOWNLOAD_PATH) - path = check_create_folder(path + '/' + self.source) - - self.task.status = 'PROGRESS: DOWNLOAD' - self.task.save() - - # Download all files - for f in self.files: - ftp = PillboxFTP(self.host, - settings.DAILYMED_FTP_USER, - settings.DAILYMED_FTP_PASS, - self.task.id) - ftp.download(self.ftp_path, f, path) - - return True - - def unzip(self): - - percent = 0.0 - - self.task = Task.objects.get(pk=self.task.id) - self.task.status = 'PROGRESS: UNZIP' - meta = { - 'action': 'unzip', - 'file': 'Unzip %s' % self.source, - 'percent': percent, - 'items_unzipped': 0 - } - self.task.meta.update(meta) - self.task.save() - - zip_path = settings.DOWNLOAD_PATH - unzip_path = settings.SOURCE_PATH - - final_path = check_create_folder('%s/%s' % (unzip_path, self.source)) - tmp_path = check_create_folder('%s/%s/tmp' % (unzip_path, self.source)) - tmp_path2 = check_create_folder('%s/%s/tmp2' % (unzip_path, self.source)) - total_weight = len(self.files) - - for zipped in self.files: - #Initial Unzip Round - # operation weigth 30% - weight = 0.3 - - zip = ZipFile('%s/%s/%s' % (zip_path, self.source, zipped), 'r') - zip.extractall(path=tmp_path) - zip.close() - percent += (weight/total_weight) * 100 - self.task.meta['percent'] = percent - self.task.save() - - # Second round of unzipping of files inside the unzip file - # operation weight 70% - weight = 0.7 - new_zip_files = glob.glob(tmp_path + '/*/*.zip') - total_files = len(new_zip_files) - file_counter = 0 - for zipped in new_zip_files: - file_counter += 1 - - zip = ZipFile(zipped, 'r') - zip.extractall(path=tmp_path2) - zip.close() - percent += (file_counter / total_files) * ((weight/total_weight) * 100) - if file_counter % 20 == 0: - self.task.meta['items_unzipped'] = file_counter - self.task.meta['percent'] = percent - self.task.save() - - # copy xml files to the correct place - unzipped_files = glob.glob(tmp_path2 + '/*.xml') - for item in unzipped_files: - shutil.copy(item, final_path) - - # delete tmp files - try: - shutil.rmtree(tmp_path) - # shutil.rmtree(tmp_path2) - except OSError as exc: - if exc.errno != errno.ENOENT: - raise - - self.task.meta['percent'] = 100 - self.task.save() - return True - - -def check_create_folder(folder_path): - """ Check whether a folder exists, if not the folder is created - Always return folder_path - """ - if not os.path.exists(folder_path): - os.makedirs(folder_path) - - return folder_path diff --git a/pillbox-engine/spl/migrations/0001_initial.py b/pillbox-engine/spl/migrations/0001_initial.py deleted file mode 100644 index 07de289..0000000 --- a/pillbox-engine/spl/migrations/0001_initial.py +++ /dev/null @@ -1,140 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations -import jsonfield.fields - - -class Migration(migrations.Migration): - - dependencies = [ - ] - - operations = [ - migrations.CreateModel( - name='Ingredient', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('spl_id', models.CharField(unique=True, max_length=100, verbose_name=b'Unii Code')), - ('code_system', models.CharField(max_length=200, null=True, verbose_name=b'Code System', blank=True)), - ('name', models.CharField(max_length=300, verbose_name=b'Name')), - ('class_code', models.CharField(max_length=100, null=True, verbose_name=b'Class Code', blank=True)), - ], - options={ - 'verbose_name': 'OSDF Ingredient', - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Pill', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('ssp', models.CharField(unique=True, max_length=200, verbose_name=b'Pillbox Unique ID')), - ('dosage_form', models.CharField(max_length=20, verbose_name=b'Dosage Form')), - ('ndc', models.CharField(max_length=100, null=True, verbose_name=b'NDC9', blank=True)), - ('ndc9', models.CharField(max_length=100, null=True, verbose_name=b'NDC9', blank=True)), - ('product_code', models.CharField(max_length=60, null=True, verbose_name=b'Product Code', blank=True)), - ('equal_product_code', models.CharField(max_length=30, null=True, verbose_name=b'Equal Product Code', blank=True)), - ('approval_code', models.CharField(max_length=100, null=True, verbose_name=b'approval_code', blank=True)), - ('medicine_name', models.CharField(max_length=300, verbose_name=b'Medicine Name')), - ('part_num', models.IntegerField(default=0, verbose_name=b'Part Number')), - ('part_medicine_name', models.CharField(max_length=200, null=True, verbose_name=b'Part Medicine Name', blank=True)), - ('rxtty', models.CharField(max_length=100, null=True, verbose_name=b'rxtty', blank=True)), - ('rxstring', models.CharField(max_length=100, null=True, verbose_name=b'rxttystring', blank=True)), - ('rxcui', models.CharField(max_length=100, null=True, verbose_name=b'rxcui', blank=True)), - ('dea_schedule_code', models.CharField(max_length=100, null=True, verbose_name=b'DEA_SCHEDULE_CODE', blank=True)), - ('dea_schedule_name', models.CharField(max_length=100, null=True, verbose_name=b'DEA_SCHEDULE_NAME', blank=True)), - ('marketing_act_code', models.CharField(max_length=100, null=True, verbose_name=b'MARKETING_ACT_CODE', blank=True)), - ('splcolor', models.CharField(max_length=100, null=True, verbose_name=b'SPL Color', blank=True)), - ('splsize', models.CharField(max_length=100, null=True, verbose_name=b'SPL Size', blank=True)), - ('splshape', models.CharField(max_length=100, null=True, verbose_name=b'SPL Shape', blank=True)), - ('splimprint', models.CharField(max_length=100, null=True, verbose_name=b'SPL Imprint', blank=True)), - ('splimage', models.CharField(max_length=100, null=True, verbose_name=b'SPL Image', blank=True)), - ('splscore', models.CharField(max_length=100, null=True, verbose_name=b'SPL Score', blank=True)), - ], - options={ - 'verbose_name': 'SPL OSDF Pill', - 'verbose_name_plural': 'SPL OSDF Pills', - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Product', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('setid', models.CharField(unique=True, max_length=200, verbose_name=b'setid')), - ('id_root', models.CharField(max_length=200, verbose_name=b'id root')), - ('title', models.TextField(null=True, verbose_name=b'Title', blank=True)), - ('effective_time', models.CharField(max_length=100, verbose_name=b'Effective Time')), - ('version_number', models.IntegerField(verbose_name=b'Version Number')), - ('code', models.CharField(max_length=250, verbose_name=b'Document Type (Code)')), - ('filename', models.CharField(max_length=300, verbose_name=b'File Name')), - ('source', models.CharField(max_length=250, verbose_name=b'Source')), - ('author', models.CharField(max_length=300, null=True, verbose_name=b'Author (Laberer)', blank=True)), - ('author_legal', models.CharField(max_length=300, null=True, verbose_name=b'Legal Author', blank=True)), - ('is_osdf', models.BooleanField(default=False, verbose_name=b'Is In Oral Solid Dosage Form?')), - ('discontinued', models.BooleanField(default=False, verbose_name=b'Is Discontinued from SPL?')), - ], - options={ - 'verbose_name': 'SPL Product', - 'verbose_name_plural': 'SPL Products', - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Source', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Enabled?')), - ('created_at', models.DateTimeField(auto_now_add=True)), - ('updated_at', models.DateTimeField(auto_now=True)), - ('title', models.CharField(max_length=100, verbose_name=b'Title')), - ('host', models.CharField(help_text=b'FTP host to download the files from', max_length=200, verbose_name=b'FTP Host')), - ('path', models.CharField(help_text=b'Path where the files are located on the ftp server', max_length=200, verbose_name=b'PATH')), - ('files', jsonfield.fields.JSONField(help_text=b'Enter in form python list', verbose_name=b'File Names')), - ('last_downloaded', models.DateTimeField(null=True, verbose_name=b'Last Downloaded and Unzipped', blank=True)), - ('zip_size', models.FloatField(null=True, verbose_name=b'Total zip folder size (bytes)', blank=True)), - ('unzip_size', models.FloatField(null=True, verbose_name=b'Total unzip folder size (bytes)', blank=True)), - ('xml_count', models.IntegerField(null=True, verbose_name=b'Total xml files', blank=True)), - ], - options={ - 'abstract': False, - }, - bases=(models.Model,), - ), - migrations.CreateModel( - name='Task', - fields=[ - ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), - ('name', models.CharField(max_length=250, verbose_name=b'Task Name')), - ('task_id', models.CharField(max_length=250, unique=True, null=True, verbose_name=b'Task ID', blank=True)), - ('time_started', models.DateTimeField(auto_now_add=True)), - ('time_ended', models.DateTimeField(null=True, verbose_name=b'Time Ended', blank=True)), - ('duration', models.FloatField(default=0, verbose_name=b'Duration')), - ('status', models.CharField(max_length=200, null=True, verbose_name=b'Status', blank=True)), - ('meta', jsonfield.fields.JSONField(default={}, verbose_name=b'Meta')), - ('pid', models.CharField(max_length=100, null=True, verbose_name=b'PID', blank=True)), - ('is_active', models.BooleanField(default=True, verbose_name=b'Task is active (running)?')), - ('download_type', models.CharField(max_length=200, null=True, verbose_name=b'Download source name', blank=True)), - ('traceback', models.TextField(null=True, verbose_name=b'Traceback', blank=True)), - ], - options={ - }, - bases=(models.Model,), - ), - migrations.AddField( - model_name='pill', - name='setid', - field=models.ForeignKey(to='spl.Product'), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/migrations/0002_auto_20141211_1533.py b/pillbox-engine/spl/migrations/0002_auto_20141211_1533.py deleted file mode 100644 index 443a777..0000000 --- a/pillbox-engine/spl/migrations/0002_auto_20141211_1533.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('spl', '0001_initial'), - ] - - operations = [ - migrations.AddField( - model_name='pill', - name='spl_inactive_ing', - field=models.TextField(null=True, verbose_name=b'SPL_INACTIVE_ING', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pill', - name='spl_ingredients', - field=models.TextField(null=True, verbose_name=b'SPL_INGREDIENTS', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pill', - name='spl_strength', - field=models.TextField(null=True, verbose_name=b'SPL_STRENGTH', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/migrations/0003_auto_20141211_1651.py b/pillbox-engine/spl/migrations/0003_auto_20141211_1651.py deleted file mode 100644 index 7d511af..0000000 --- a/pillbox-engine/spl/migrations/0003_auto_20141211_1651.py +++ /dev/null @@ -1,20 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('spl', '0002_auto_20141211_1533'), - ] - - operations = [ - migrations.AlterField( - model_name='pill', - name='rxstring', - field=models.TextField(null=True, verbose_name=b'rxttystring', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/migrations/0004_auto_20141212_1142.py b/pillbox-engine/spl/migrations/0004_auto_20141212_1142.py deleted file mode 100644 index a3390a0..0000000 --- a/pillbox-engine/spl/migrations/0004_auto_20141212_1142.py +++ /dev/null @@ -1,26 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('spl', '0003_auto_20141211_1651'), - ] - - operations = [ - migrations.AddField( - model_name='pill', - name='produce_code', - field=models.CharField(max_length=60, null=True, verbose_name=b'Produce Code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pill', - name='splimage', - field=models.FileField(upload_to=b'spl', null=True, verbose_name=b'SPL Image', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/migrations/0005_auto_20141215_1138.py b/pillbox-engine/spl/migrations/0005_auto_20141215_1138.py deleted file mode 100644 index 5907a0c..0000000 --- a/pillbox-engine/spl/migrations/0005_auto_20141215_1138.py +++ /dev/null @@ -1,38 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('spl', '0004_auto_20141212_1142'), - ] - - operations = [ - migrations.AddField( - model_name='pill', - name='splcolor_text', - field=models.CharField(max_length=100, null=True, verbose_name=b'SPL Color Display Name', blank=True), - preserve_default=True, - ), - migrations.AddField( - model_name='pill', - name='splshape_text', - field=models.CharField(max_length=100, null=True, verbose_name=b'SPL Shape Display Name', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pill', - name='splcolor', - field=models.CharField(max_length=100, null=True, verbose_name=b'SPL Color Code', blank=True), - preserve_default=True, - ), - migrations.AlterField( - model_name='pill', - name='splshape', - field=models.CharField(max_length=100, null=True, verbose_name=b'SPL Shape Code', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/migrations/0006_auto_20141223_1436.py b/pillbox-engine/spl/migrations/0006_auto_20141223_1436.py deleted file mode 100644 index 653a129..0000000 --- a/pillbox-engine/spl/migrations/0006_auto_20141223_1436.py +++ /dev/null @@ -1,20 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import unicode_literals - -from django.db import models, migrations - - -class Migration(migrations.Migration): - - dependencies = [ - ('spl', '0005_auto_20141215_1138'), - ] - - operations = [ - migrations.AlterField( - model_name='pill', - name='rxtty', - field=models.TextField(null=True, verbose_name=b'rxtty', blank=True), - preserve_default=True, - ), - ] diff --git a/pillbox-engine/spl/sync/rxnorm.py b/pillbox-engine/spl/sync/rxnorm.py deleted file mode 100644 index 3db283e..0000000 --- a/pillbox-engine/spl/sync/rxnorm.py +++ /dev/null @@ -1,104 +0,0 @@ -from __future__ import division - -import sys -import threading -import requests -import simplejson as json - -from spl.models import Pill, Task - - -class ThreadXNorm(threading.Thread): - def __init__(self, queue, task_id): - threading.Thread.__init__(self) - self.queue = queue - self.task_id = task_id - - def run(self): - while True: - #grabs file from queue - pill_id = self.queue.get() - - pill = Pill.objects.get(pk=pill_id) - - rx = rxnorm(pill.product_code) - - pill.rxstring = rx['rxstring'] - pill.rxtty = rx['rxtty'] - pill.rxcui = rx['rxcui'] - pill.save() - - task = Task.objects.get(pk=self.task_id) - - task.meta['processed'] += 1 - - task.meta['percent'] = round((task.meta['processed']/task.meta['total']) * 100, 2) - task.save() - - print "%s done" % pill.medicine_name - - #signals to queue job is done - self.queue.task_done() - - -def rxnorm(ndc): - # ndc value coming from master.py - # ndc = [array of ndc values] - if ndc[0] is None: - return {"rxcui": "", "rxtty": "", "rxstring": ""} - else: - # if internet or request throws an error, print out to check connection and exit - try: - baseurl = 'http://rxnav.nlm.nih.gov/REST/' - - # Searching RXNorm API, Search by identifier to find RxNorm concepts - # http://rxnav.nlm.nih.gov/REST/rxcui?idtype=NDC&id=0591-2234-10 - # Set url parameters for searching RXNorm for SETID - ndcSearch = 'rxcui?idtype=NDC&id=' - - # Search RXNorm API, Return all properties for a concept - rxPropSearch = 'rxcui/' - rxttySearch = '/property?propName=TTY' - rxstringSearch = '/property?propName=RxNorm%20Name' - - # Request RXNorm API to return json - header = {'Accept': 'application/json'} - - def getTTY(rxCUI): - # Search RXNorm again using RXCUI to return RXTTY & RXSTRING - getTTY = requests.get(baseurl+rxPropSearch+rxCUI+rxttySearch, headers=header) - - ttyJSON = json.loads(getTTY.text, encoding="utf-8") - - return ttyJSON['propConceptGroup']['propConcept'][0]['propValue'] - - def getSTRING(rxCUI): - # Search RXNorm again using RXCUI to return RXTTY & RXSTRING - getString = requests.get(baseurl+rxPropSearch+rxCUI+rxstringSearch, headers=header) - stringJSON = json.loads(getString.text, encoding="utf-8") - - return stringJSON['propConceptGroup']['propConcept'][0]['propValue'] - - # Search RXNorm using NDC code, return RXCUI id - getRXCUI = requests.get(baseurl+ndcSearch+ndc, headers=header) - if getRXCUI.status_code != requests.codes.ok: - print "RXNorm server response error. Response code: %s" % getRXCUI.status_code - rxcuiJSON = json.loads(getRXCUI.text, encoding="utf-8") - # Check if first value in list returns a RXCUI, if not go to next value - try: - if rxcuiJSON['idGroup']['rxnormId']: - rxCUI = rxcuiJSON['idGroup']['rxnormId'][0] - rxTTY = getTTY(rxCUI) - rxSTRING = getSTRING(rxCUI) - return {"rxcui": rxCUI, "rxtty": rxTTY, "rxstring": rxSTRING} - except KeyError: - # if last item return null values - return {"rxcui": "", "rxtty": "", "rxstring": ""} - except: - sys.exit("RXNorm connection") - - -if __name__ == "__main__": - # Test with sample NDC codes, one works, one doesn't - dataTest = rxnorm('66435-101-42') - print dataTest diff --git a/pillbox-engine/xadmin/.tx/config b/pillbox-engine/xadmin/.tx/config deleted file mode 100644 index 4a783a2..0000000 --- a/pillbox-engine/xadmin/.tx/config +++ /dev/null @@ -1,14 +0,0 @@ -[main] -host = https://www.transifex.com - -[xadmin-core.django] -file_filter = locale//LC_MESSAGES/django.po -source_file = locale/en/LC_MESSAGES/django.po -source_lang = en -type = PO - -[xadmin-core.djangojs] -file_filter = locale//LC_MESSAGES/djangojs.po -source_file = locale/en/LC_MESSAGES/djangojs.po -source_lang = en -type = PO \ No newline at end of file diff --git a/pillbox-engine/xadmin/__init__.py b/pillbox-engine/xadmin/__init__.py deleted file mode 100644 index 2eaa6c2..0000000 --- a/pillbox-engine/xadmin/__init__.py +++ /dev/null @@ -1,67 +0,0 @@ -from xadmin.sites import AdminSite, site - -VERSION = [0,5,0] - - -class Settings(object): - pass - - -def autodiscover(): - """ - Auto-discover INSTALLED_APPS admin.py modules and fail silently when - not present. This forces an import on them to register any admin bits they - may want. - """ - - from django.conf import settings - from django.utils.importlib import import_module - from django.utils.module_loading import module_has_submodule - - setattr(settings, 'CRISPY_TEMPLATE_PACK', 'bootstrap3') - setattr(settings, 'CRISPY_CLASS_CONVERTERS', { - "textinput": "textinput textInput form-control", - "fileinput": "fileinput fileUpload form-control", - "passwordinput": "textinput textInput form-control", - }) - - from xadmin.views import register_builtin_views - register_builtin_views(site) - - # load xadmin settings from XADMIN_CONF module - try: - xadmin_conf = getattr(settings, 'XADMIN_CONF', 'xadmin_conf.py') - conf_mod = import_module(xadmin_conf) - except Exception: - conf_mod = None - - if conf_mod: - for key in dir(conf_mod): - setting = getattr(conf_mod, key) - try: - if issubclass(setting, Settings): - site.register_settings(setting.__name__, setting) - except Exception: - pass - - from xadmin.plugins import register_builtin_plugins - register_builtin_plugins(site) - - for app in settings.INSTALLED_APPS: - mod = import_module(app) - # Attempt to import the app's admin module. - try: - before_import_registry = site.copy_registry() - import_module('%s.adminx' % app) - except: - # Reset the model registry to the state before the last import as - # this import will have to reoccur on the next request and this - # could raise NotRegistered and AlreadyRegistered exceptions - # (see #8245). - site.restore_registry(before_import_registry) - - # Decide whether to bubble up this error. If the app just - # doesn't have an admin module, we can ignore the error - # attempting to import it, otherwise we want it to bubble up. - if module_has_submodule(mod, 'adminx'): - raise diff --git a/pillbox-engine/xadmin/adminx.py b/pillbox-engine/xadmin/adminx.py deleted file mode 100644 index 1fece0d..0000000 --- a/pillbox-engine/xadmin/adminx.py +++ /dev/null @@ -1,9 +0,0 @@ -import xadmin -from models import UserSettings -from xadmin.layout import * - - -class UserSettingsAdmin(object): - model_icon = 'fa fa-cog' - hidden_menu = True -xadmin.site.register(UserSettings, UserSettingsAdmin) diff --git a/pillbox-engine/xadmin/filters.py b/pillbox-engine/xadmin/filters.py deleted file mode 100644 index f4eb6e9..0000000 --- a/pillbox-engine/xadmin/filters.py +++ /dev/null @@ -1,546 +0,0 @@ -from django.db import models -from django.core.exceptions import ImproperlyConfigured -from django.utils.encoding import smart_unicode -from django.utils.translation import ugettext_lazy as _ -from django.utils import timezone -from django.template.loader import get_template -from django.template.context import Context -from django.utils.safestring import mark_safe -from django.utils.html import escape,format_html -from django.utils.text import Truncator -from django.core.cache import cache, get_cache - -from xadmin.views.list import EMPTY_CHANGELIST_VALUE -import datetime - -FILTER_PREFIX = '_p_' -SEARCH_VAR = '_q_' - -from util import (get_model_from_relation, - reverse_field_path, get_limit_choices_to_from_path, prepare_lookup_value) - - -class BaseFilter(object): - title = None - template = 'xadmin/filters/list.html' - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - pass - - def __init__(self, request, params, model, admin_view): - self.used_params = {} - self.request = request - self.params = params - self.model = model - self.admin_view = admin_view - - if self.title is None: - raise ImproperlyConfigured( - "The filter '%s' does not specify " - "a 'title'." % self.__class__.__name__) - - def query_string(self, new_params=None, remove=None): - return self.admin_view.get_query_string(new_params, remove) - - def form_params(self): - return self.admin_view.get_form_params( - remove=map(lambda k: FILTER_PREFIX + k, self.used_params.keys())) - - def has_output(self): - """ - Returns True if some choices would be output for this filter. - """ - raise NotImplementedError - - @property - def is_used(self): - return len(self.used_params) > 0 - - def do_filte(self, queryset): - """ - Returns the filtered queryset. - """ - raise NotImplementedError - - def get_context(self): - return {'title': self.title, 'spec': self, 'form_params': self.form_params()} - - def __str__(self): - tpl = get_template(self.template) - return mark_safe(tpl.render(Context(self.get_context()))) - - -class FieldFilterManager(object): - _field_list_filters = [] - _take_priority_index = 0 - - def register(self, list_filter_class, take_priority=False): - if take_priority: - # This is to allow overriding the default filters for certain types - # of fields with some custom filters. The first found in the list - # is used in priority. - self._field_list_filters.insert( - self._take_priority_index, list_filter_class) - self._take_priority_index += 1 - else: - self._field_list_filters.append(list_filter_class) - return list_filter_class - - def create(self, field, request, params, model, admin_view, field_path): - for list_filter_class in self._field_list_filters: - if not list_filter_class.test(field, request, params, model, admin_view, field_path): - continue - return list_filter_class(field, request, params, - model, admin_view, field_path=field_path) - -manager = FieldFilterManager() - - -class FieldFilter(BaseFilter): - - lookup_formats = {} - - def __init__(self, field, request, params, model, admin_view, field_path): - self.field = field - self.field_path = field_path - self.title = getattr(field, 'verbose_name', field_path) - self.context_params = {} - - super(FieldFilter, self).__init__(request, params, model, admin_view) - - for name, format in self.lookup_formats.items(): - p = format % field_path - self.context_params["%s_name" % name] = FILTER_PREFIX + p - if p in params: - value = prepare_lookup_value(p, params.pop(p)) - self.used_params[p] = value - self.context_params["%s_val" % name] = value - else: - self.context_params["%s_val" % name] = '' - - map(lambda kv: setattr( - self, 'lookup_' + kv[0], kv[1]), self.context_params.items()) - - def get_context(self): - context = super(FieldFilter, self).get_context() - context.update(self.context_params) - context['remove_url'] = self.query_string( - {}, map(lambda k: FILTER_PREFIX + k, self.used_params.keys())) - return context - - def has_output(self): - return True - - def do_filte(self, queryset): - return queryset.filter(**self.used_params) - - -class ListFieldFilter(FieldFilter): - template = 'xadmin/filters/list.html' - - def get_context(self): - context = super(ListFieldFilter, self).get_context() - context['choices'] = list(self.choices()) - return context - - -@manager.register -class BooleanFieldListFilter(ListFieldFilter): - lookup_formats = {'exact': '%s__exact', 'isnull': '%s__isnull'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return isinstance(field, (models.BooleanField, models.NullBooleanField)) - - def choices(self): - for lookup, title in ( - ('', _('All')), - ('1', _('Yes')), - ('0', _('No'))): - yield { - 'selected': self.lookup_exact_val == lookup and not self.lookup_isnull_val, - 'query_string': self.query_string({ - self.lookup_exact_name: lookup, - }, [self.lookup_isnull_name]), - 'display': title, - } - if isinstance(self.field, models.NullBooleanField): - yield { - 'selected': self.lookup_isnull_val == 'True', - 'query_string': self.query_string({ - self.lookup_isnull_name: 'True', - }, [self.lookup_exact_name]), - 'display': _('Unknown'), - } - - -@manager.register -class ChoicesFieldListFilter(ListFieldFilter): - lookup_formats = {'exact': '%s__exact'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return bool(field.choices) - - def choices(self): - yield { - 'selected': self.lookup_exact_val is '', - 'query_string': self.query_string({}, [self.lookup_exact_name]), - 'display': _('All') - } - for lookup, title in self.field.flatchoices: - yield { - 'selected': smart_unicode(lookup) == self.lookup_exact_val, - 'query_string': self.query_string({self.lookup_exact_name: lookup}), - 'display': title, - } - - -@manager.register -class TextFieldListFilter(FieldFilter): - template = 'xadmin/filters/char.html' - lookup_formats = {'in': '%s__in','search': '%s__contains'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return (isinstance(field, models.CharField) and field.max_length > 20) or isinstance(field, models.TextField) - - -@manager.register -class NumberFieldListFilter(FieldFilter): - template = 'xadmin/filters/number.html' - lookup_formats = {'equal': '%s__exact', 'lt': '%s__lt', 'gt': '%s__gt', - 'ne': '%s__ne', 'lte': '%s__lte', 'gte': '%s__gte', - } - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return isinstance(field, (models.DecimalField, models.FloatField, models.IntegerField)) - - def do_filte(self, queryset): - params = self.used_params.copy() - ne_key = '%s__ne' % self.field_path - if ne_key in params: - queryset = queryset.exclude( - **{self.field_path: params.pop(ne_key)}) - return queryset.filter(**params) - - -@manager.register -class DateFieldListFilter(ListFieldFilter): - template = 'xadmin/filters/date.html' - lookup_formats = {'since': '%s__gte', 'until': '%s__lt', - 'year': '%s__year', 'month': '%s__month', 'day': '%s__day', - 'isnull': '%s__isnull'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return isinstance(field, models.DateField) - - def __init__(self, field, request, params, model, admin_view, field_path): - self.field_generic = '%s__' % field_path - self.date_params = dict([(FILTER_PREFIX + k, v) for k, v in params.items() - if k.startswith(self.field_generic)]) - - super(DateFieldListFilter, self).__init__( - field, request, params, model, admin_view, field_path) - - now = timezone.now() - # When time zone support is enabled, convert "now" to the user's time - # zone so Django's definition of "Today" matches what the user expects. - if now.tzinfo is not None: - current_tz = timezone.get_current_timezone() - now = now.astimezone(current_tz) - if hasattr(current_tz, 'normalize'): - # available for pytz time zones - now = current_tz.normalize(now) - - if isinstance(field, models.DateTimeField): - today = now.replace(hour=0, minute=0, second=0, microsecond=0) - else: # field is a models.DateField - today = now.date() - tomorrow = today + datetime.timedelta(days=1) - - self.links = ( - (_('Any date'), {}), - (_('Has date'), { - self.lookup_isnull_name: False - }), - (_('Has no date'), { - self.lookup_isnull_name: 'True' - }), - (_('Today'), { - self.lookup_since_name: str(today), - self.lookup_until_name: str(tomorrow), - }), - (_('Past 7 days'), { - self.lookup_since_name: str(today - datetime.timedelta(days=7)), - self.lookup_until_name: str(tomorrow), - }), - (_('This month'), { - self.lookup_since_name: str(today.replace(day=1)), - self.lookup_until_name: str(tomorrow), - }), - (_('This year'), { - self.lookup_since_name: str(today.replace(month=1, day=1)), - self.lookup_until_name: str(tomorrow), - }), - ) - - def get_context(self): - context = super(DateFieldListFilter, self).get_context() - context['choice_selected'] = bool(self.lookup_year_val) or bool(self.lookup_month_val) \ - or bool(self.lookup_day_val) - return context - - def choices(self): - for title, param_dict in self.links: - yield { - 'selected': self.date_params == param_dict, - 'query_string': self.query_string( - param_dict, [FILTER_PREFIX + self.field_generic]), - 'display': title, - } - - -@manager.register -class RelatedFieldSearchFilter(FieldFilter): - template = 'xadmin/filters/fk_search.html' - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - if not (hasattr(field, 'rel') and bool(field.rel) or isinstance(field, models.related.RelatedObject)): - return False - related_modeladmin = admin_view.admin_site._registry.get( - get_model_from_relation(field)) - return related_modeladmin and getattr(related_modeladmin, 'relfield_style', None) == 'fk-ajax' - - def __init__(self, field, request, params, model, model_admin, field_path): - other_model = get_model_from_relation(field) - if hasattr(field, 'rel'): - rel_name = field.rel.get_related_field().name - else: - rel_name = other_model._meta.pk.name - - self.lookup_formats = {'in': '%%s__%s__in' % rel_name,'exact': '%%s__%s__exact' % rel_name} - super(RelatedFieldSearchFilter, self).__init__( - field, request, params, model, model_admin, field_path) - - if hasattr(field, 'verbose_name'): - self.lookup_title = field.verbose_name - else: - self.lookup_title = other_model._meta.verbose_name - self.title = self.lookup_title - self.search_url = model_admin.get_admin_url('%s_%s_changelist' % ( - other_model._meta.app_label, other_model._meta.module_name)) - self.label = self.label_for_value(other_model, rel_name, self.lookup_exact_val) if self.lookup_exact_val else "" - self.choices = '?' - if field.rel.limit_choices_to: - for i in list(field.rel.limit_choices_to): - self.choices += "&_p_%s=%s" % (i, field.rel.limit_choices_to[i]) - self.choices = format_html(self.choices) - - def label_for_value(self, other_model, rel_name, value): - try: - obj = other_model._default_manager.get(**{rel_name: value}) - return '%s' % escape(Truncator(obj).words(14, truncate='...')) - except (ValueError, other_model.DoesNotExist): - return "" - - def get_context(self): - context = super(RelatedFieldSearchFilter, self).get_context() - context['search_url'] = self.search_url - context['label'] = self.label - context['choices'] = self.choices - return context - - -@manager.register -class RelatedFieldListFilter(ListFieldFilter): - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return (hasattr(field, 'rel') and bool(field.rel) or isinstance(field, models.related.RelatedObject)) - - def __init__(self, field, request, params, model, model_admin, field_path): - other_model = get_model_from_relation(field) - if hasattr(field, 'rel'): - rel_name = field.rel.get_related_field().name - else: - rel_name = other_model._meta.pk.name - - self.lookup_formats = {'in': '%%s__%s__in' % rel_name,'exact': '%%s__%s__exact' % - rel_name, 'isnull': '%s__isnull'} - self.lookup_choices = field.get_choices(include_blank=False) - super(RelatedFieldListFilter, self).__init__( - field, request, params, model, model_admin, field_path) - - if hasattr(field, 'verbose_name'): - self.lookup_title = field.verbose_name - else: - self.lookup_title = other_model._meta.verbose_name - self.title = self.lookup_title - - def has_output(self): - if (isinstance(self.field, models.related.RelatedObject) - and self.field.field.null or hasattr(self.field, 'rel') - and self.field.null): - extra = 1 - else: - extra = 0 - return len(self.lookup_choices) + extra > 1 - - def expected_parameters(self): - return [self.lookup_kwarg, self.lookup_kwarg_isnull] - - def choices(self): - yield { - 'selected': self.lookup_exact_val == '' and not self.lookup_isnull_val, - 'query_string': self.query_string({}, - [self.lookup_exact_name, self.lookup_isnull_name]), - 'display': _('All'), - } - for pk_val, val in self.lookup_choices: - yield { - 'selected': self.lookup_exact_val == smart_unicode(pk_val), - 'query_string': self.query_string({ - self.lookup_exact_name: pk_val, - }, [self.lookup_isnull_name]), - 'display': val, - } - if (isinstance(self.field, models.related.RelatedObject) - and self.field.field.null or hasattr(self.field, 'rel') - and self.field.null): - yield { - 'selected': bool(self.lookup_isnull_val), - 'query_string': self.query_string({ - self.lookup_isnull_name: 'True', - }, [self.lookup_exact_name]), - 'display': EMPTY_CHANGELIST_VALUE, - } - -@manager.register -class MultiSelectFieldListFilter(ListFieldFilter): - """ Delegates the filter to the default filter and ors the results of each - - Lists the distinct values of each field as a checkbox - Uses the default spec for each - - """ - template = 'xadmin/filters/checklist.html' - lookup_formats = {'in': '%s__in'} - cache_config = {'enabled':False,'key':'quickfilter_%s','timeout':3600,'cache':'default'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return True - - def get_cached_choices(self): - if not self.cache_config['enabled']: - return None - c = get_cache(self.cache_config['cache']) - return c.get(self.cache_config['key']%self.field_path) - - def set_cached_choices(self,choices): - if not self.cache_config['enabled']: - return - c = get_cache(self.cache_config['cache']) - return c.set(self.cache_config['key']%self.field_path,choices) - - def __init__(self, field, request, params, model, model_admin, field_path,field_order_by=None,field_limit=None,sort_key=None,cache_config=None): - super(MultiSelectFieldListFilter,self).__init__(field, request, params, model, model_admin, field_path) - - # Check for it in the cachce - if cache_config is not None and type(cache_config)==dict: - self.cache_config.update(cache_config) - - if self.cache_config['enabled']: - self.field_path = field_path - choices = self.get_cached_choices() - if choices: - self.lookup_choices = choices - return - - # Else rebuild it - queryset = self.admin_view.queryset().exclude(**{"%s__isnull"%field_path:True}).values_list(field_path, flat=True).distinct() - #queryset = self.admin_view.queryset().distinct(field_path).exclude(**{"%s__isnull"%field_path:True}) - - if field_order_by is not None: - # Do a subquery to order the distinct set - queryset = self.admin_view.queryset().filter(id__in=queryset).order_by(field_order_by) - - if field_limit is not None and type(field_limit)==int and queryset.count()>field_limit: - queryset = queryset[:field_limit] - - self.lookup_choices = [str(it) for it in queryset.values_list(field_path,flat=True) if str(it).strip()!=""] - if sort_key is not None: - self.lookup_choices = sorted(self.lookup_choices,key=sort_key) - - if self.cache_config['enabled']: - self.set_cached_choices(self.lookup_choices) - - def choices(self): - self.lookup_in_val = (type(self.lookup_in_val) in (tuple,list)) and self.lookup_in_val or list(self.lookup_in_val) - yield { - 'selected': len(self.lookup_in_val) == 0, - 'query_string': self.query_string({},[self.lookup_in_name]), - 'display': _('All'), - } - for val in self.lookup_choices: - yield { - 'selected': smart_unicode(val) in self.lookup_in_val, - 'query_string': self.query_string({self.lookup_in_name: ",".join([val]+self.lookup_in_val),}), - 'remove_query_string': self.query_string({self.lookup_in_name: ",".join([v for v in self.lookup_in_val if v != val]),}), - 'display': val, - } - -@manager.register -class AllValuesFieldListFilter(ListFieldFilter): - lookup_formats = {'exact': '%s__exact', 'isnull': '%s__isnull'} - - @classmethod - def test(cls, field, request, params, model, admin_view, field_path): - return True - - def __init__(self, field, request, params, model, admin_view, field_path): - parent_model, reverse_path = reverse_field_path(model, field_path) - queryset = parent_model._default_manager.all() - # optional feature: limit choices base on existing relationships - # queryset = queryset.complex_filter( - # {'%s__isnull' % reverse_path: False}) - limit_choices_to = get_limit_choices_to_from_path(model, field_path) - queryset = queryset.filter(limit_choices_to) - - self.lookup_choices = (queryset - .distinct() - .order_by(field.name) - .values_list(field.name, flat=True)) - super(AllValuesFieldListFilter, self).__init__( - field, request, params, model, admin_view, field_path) - - def choices(self): - yield { - 'selected': (self.lookup_exact_val is '' and self.lookup_isnull_val is ''), - 'query_string': self.query_string({}, [self.lookup_exact_name, self.lookup_isnull_name]), - 'display': _('All'), - } - include_none = False - for val in self.lookup_choices: - if val is None: - include_none = True - continue - val = smart_unicode(val) - yield { - 'selected': self.lookup_exact_val == val, - 'query_string': self.query_string({self.lookup_exact_name: val}, - [self.lookup_isnull_name]), - 'display': val, - } - if include_none: - yield { - 'selected': bool(self.lookup_isnull_val), - 'query_string': self.query_string({self.lookup_isnull_name: 'True'}, - [self.lookup_exact_name]), - 'display': EMPTY_CHANGELIST_VALUE, - } \ No newline at end of file diff --git a/pillbox-engine/xadmin/forms.py b/pillbox-engine/xadmin/forms.py deleted file mode 100644 index 8ef880c..0000000 --- a/pillbox-engine/xadmin/forms.py +++ /dev/null @@ -1,46 +0,0 @@ -from django import forms - -from django.contrib.auth import authenticate -from django.contrib.auth.forms import AuthenticationForm - -from django.utils.translation import ugettext_lazy, ugettext as _ - -from xadmin.util import User - -ERROR_MESSAGE = ugettext_lazy("Please enter the correct username and password " - "for a staff account. Note that both fields are case-sensitive.") - - -class AdminAuthenticationForm(AuthenticationForm): - """ - A custom authentication form used in the admin app. - - """ - this_is_the_login_form = forms.BooleanField( - widget=forms.HiddenInput, initial=1, - error_messages={'required': ugettext_lazy("Please log in again, because your session has expired.")}) - - def clean(self): - username = self.cleaned_data.get('username') - password = self.cleaned_data.get('password') - message = ERROR_MESSAGE - - if username and password: - self.user_cache = authenticate( - username=username, password=password) - if self.user_cache is None: - if u'@' in username: - # Mistakenly entered e-mail address instead of username? Look it up. - try: - user = User.objects.get(email=username) - except (User.DoesNotExist, User.MultipleObjectsReturned): - # Nothing to do here, moving along. - pass - else: - if user.check_password(password): - message = _("Your e-mail address is not your username." - " Try '%s' instead.") % user.username - raise forms.ValidationError(message) - elif not self.user_cache.is_active or not self.user_cache.is_staff: - raise forms.ValidationError(message) - return self.cleaned_data diff --git a/pillbox-engine/xadmin/layout.py b/pillbox-engine/xadmin/layout.py deleted file mode 100644 index 443830b..0000000 --- a/pillbox-engine/xadmin/layout.py +++ /dev/null @@ -1,102 +0,0 @@ -from crispy_forms.helper import FormHelper -from crispy_forms.layout import * -from crispy_forms.bootstrap import * -from crispy_forms.utils import render_field, flatatt - -from crispy_forms import layout -from crispy_forms import bootstrap - -import math - - -class Fieldset(layout.Fieldset): - template = "xadmin/layout/fieldset.html" - - def __init__(self, legend, *fields, **kwargs): - self.description = kwargs.pop('description', None) - self.collapsed = kwargs.pop('collapsed', None) - super(Fieldset, self).__init__(legend, *fields, **kwargs) - - -class Row(layout.Div): - - def __init__(self, *fields, **kwargs): - css_class = 'form-inline form-group' - new_fields = [self.convert_field(f, len(fields)) for f in fields] - super(Row, self).__init__(css_class=css_class, *new_fields, **kwargs) - - def convert_field(self, f, counts): - col_class = "col-sm-%d" % int(math.ceil(12 / counts)) - if not (isinstance(f, Field) or issubclass(f.__class__, Field)): - f = layout.Field(f) - if f.wrapper_class: - f.wrapper_class += " %s" % col_class - else: - f.wrapper_class = col_class - return f - - -class Col(layout.Column): - - def __init__(self, id, *fields, **kwargs): - css_class = ['column', 'form-column', id, 'col col-sm-%d' % - kwargs.get('span', 6)] - if kwargs.get('horizontal'): - css_class.append('form-horizontal') - super(Col, self).__init__(css_class=' '.join(css_class), * - fields, **kwargs) - - -class Main(layout.Column): - css_class = "column form-column main col col-sm-9 form-horizontal" - - -class Side(layout.Column): - css_class = "column form-column sidebar col col-sm-3" - - -class Container(layout.Div): - css_class = "form-container row clearfix" - - -# Override bootstrap3 -class InputGroup(layout.Field): - - template = "xadmin/layout/input_group.html" - - def __init__(self, field, *args, **kwargs): - self.field = field - self.inputs = list(args) - if '@@' not in args: - self.inputs.append('@@') - - super(InputGroup, self).__init__(field, **kwargs) - - def render(self, form, form_style, context, template_pack='bootstrap'): - classes = form.fields[self.field].widget.attrs.get('class', '') - context.update( - {'inputs': self.inputs, 'classes': classes.replace('form-control', '')}) - if hasattr(self, 'wrapper_class'): - context['wrapper_class'] = self.wrapper_class - return render_field( - self.field, form, form_style, context, template=self.template, - attrs=self.attrs, template_pack=template_pack) - - -class PrependedText(InputGroup): - - def __init__(self, field, text, **kwargs): - super(PrependedText, self).__init__(field, text, '@@', **kwargs) - - -class AppendedText(InputGroup): - - def __init__(self, field, text, **kwargs): - super(AppendedText, self).__init__(field, '@@', text, **kwargs) - - -class PrependedAppendedText(InputGroup): - - def __init__(self, field, prepended_text=None, appended_text=None, *args, **kwargs): - super(PrependedAppendedText, self).__init__( - field, prepended_text, '@@', appended_text, **kwargs) diff --git a/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/django.po deleted file mode 100644 index 07c19c3..0000000 --- a/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/django.po +++ /dev/null @@ -1,1273 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# p3n15h34d , 2013 -# Sebastian Morkisch , 2013 -# Azd325 , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-12-19 11:06+0000\n" -"Last-Translator: Sebastian Morkisch \n" -"Language-Team: German (Germany) (http://www.transifex.com/projects/p/xadmin/language/de_DE/)\n" -"Language: de_DE\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "Alle" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "Ja" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "Nein" - -#: filters.py:173 -msgid "Unknown" -msgstr "Unbekannt" - -#: filters.py:265 -msgid "Any date" -msgstr "Beliebiges Datum" - -#: filters.py:266 -msgid "Has date" -msgstr "Hat ein Datum" - -#: filters.py:269 -msgid "Has no date" -msgstr "Hat kein Datum" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "Heute" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "Letzten 7 Tage" - -#: filters.py:280 -msgid "This month" -msgstr "Diesen Monat" - -#: filters.py:284 -msgid "This year" -msgstr "Dieses Jahr" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "Bitte geben Sie den richtigen Benutzernamen und das Kennwort für ein Mitarbeiter Konto an. Beachten Sie die Groß-und Kleinschreibung in den beiden Feldern." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Ihre Sitzung ist abgelaufen - bitte melden Sie sich erneut an." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "Ihre Email ist nicht ihr Benutzername. Probieren sie anstelle %s." - -#: models.py:47 -msgid "Title" -msgstr "Titel" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "Benutzer" - -#: models.py:49 -msgid "Url Name" -msgstr "URL Name" - -#: models.py:51 -msgid "Query String" -msgstr "Abfrage String" - -#: models.py:52 -msgid "Is Shared" -msgstr "Wird geteilt" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "Lesezeichen" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Lesezeichen" - -#: models.py:88 -msgid "Settings Key" -msgstr "Einstellungsschlüssel" - -#: models.py:89 -msgid "Settings Content" -msgstr "Einstellungsinhalt" - -#: models.py:101 -msgid "User Setting" -msgstr "Benutzereinstellung" - -#: models.py:102 -msgid "User Settings" -msgstr "Benutzereinstelllungen" - -#: models.py:107 -msgid "Page" -msgstr "Seite" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Widget Typ" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Widget Parameter" - -#: models.py:136 -msgid "User Widget" -msgstr "Benutzer Widget" - -#: models.py:137 -msgid "User Widgets" -msgstr "Benutzer Widgets" - -#: widgets.py:48 -msgid "Now" -msgstr "Jetzt" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Lösche ausgewählte %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Erfolgreich gelöscht %(count)d %(items)s." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "Kann nicht gelöscht werden %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Sind Sie sicher?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "%(total_count)s ausgewählt" -msgstr[1] "Alle %(total_count)s ausgewählt" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "0 von %(cnt)s ausgewählt" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "Min" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "Max" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "Durchschnitt" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "Summe" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "Anzahl" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "Kann %s betrachten" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "Ändern %s" - -#: plugins/auth.py:23 -#, fuzzy, python-format -msgid "Can edit %s" -msgstr "Kann %s betrachten" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "Kann nicht gelöscht werden %(name)s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "Kann %s betrachten" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Persönliche Informationen" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Berechtigungen" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Wichtige Termine" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Status" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "Berechtigungen" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "Passwort ändern" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "Passwort ändern: %s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "Passwort erfolgreich geändert." - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Passwort ändern" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "Änderung des Feldes" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "Anpassung aller gewählten %(verbose_name_plural)s" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "Es wurden %(count)d %(items)s erfolgreich geändert." - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "Als Lesezeichen abspeichern" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "Einfaches Diagramm der Modelle anzeigen." - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "%s Diagramme" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -#, fuzzy -msgid "removed" -msgid_plural "removed" -msgstr[0] "Entferne" -msgstr[1] "Entferne" - -#: plugins/comments.py:73 -#, fuzzy -msgid "Remove selected comments" -msgstr "Gelöschte %(name)s wiederherstellen" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "Einzelheiten von %s" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "Eingabe %s" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "%(name)s bezeichnetes Objekt mit dem Primärschlüssel %(key)r existiert nicht." - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "Seite" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "Fehlerhaftes Filtern: %s" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "Vorherige" - -#: plugins/images.py:29 -msgid "Next" -msgstr "Nächste" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "Slideshow" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Download" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Änderung:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "Tabelle" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "Thumbnails" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "Haben Sie Ihr Passwort oder den Benutzernamen vergessen?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "Erstelle %s neu" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Abhängige Objekte" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "Suche %s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "Standard" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "Standard Bootstrap Thema" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "Bootstrap2" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "Bootstrap 2.x Thema" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "Hinzufügen %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "Erste Version." - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "Version ändern." - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "Version zurückfallen." - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "Version wiederherstellen." - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "Gelöschte %(verbose_name)s." - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "Verlauf" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "Gelöschte %(name)s wiederherstellen" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "Änderungen: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "Es müssen zwei Versionen ausgewählt sein." - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Bitte wählen Sie zwei unterschiedliche Versionen aus." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "Aktuell: %s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "Auf %s zurückfallen" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "Stelle %s wieder her" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Seite konnte nicht gefunden werden" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "Es tut uns leid, aber die angeforderte Seite konnte nicht gefunden werden." - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "Startseite" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "Serverfehler" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "Serverfehler (500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "Server Fehler (500)" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "Es ist ein Fehler aufgetreten. Der Siteadmin wurde via E-Mail informiert und wird sich in Kürze um die Behebung des Fehlers kümmern. Wir danken für Ihre Geduld." - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "Willkommen," - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Abmelden" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "Sie haben nicht die notwendige Berechtigung etwas zu ändern." - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Passwort erfolgreich zurückgesetzt" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "Ihr Passwort wurde gesetzt. Sie können fortfahren und sich einloggen." - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Einloggen" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Geben Sie Ihr neues Passwort ein." - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "Bitte geben Sie Ihr neues Passwort zweimal ein, damit die Identität festgestellt werden kann." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "Passwort ändern" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "Passwort zurücksetzen fehlgeschlagen" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "Der Passwort-zurücksetzen Link war ungültig, weil dieser möglicherweise schon verwendet wurde. Bitte fordern Sie einen neuen Link an." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "Wir haben Ihnen eine E-Mail mit Anweisungen zum Zurücksetzen Ihres Passwortes an die Adresse geschickt, die Sie uns übermittelt haben. Sie sollten sie in Kürze erhalten." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Bitte gehen Sie auf folgende Seite und erstellen ein neues Passwort." - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "Ihr Benutzername, falls Sie ihn vergessen sollten:" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "Danke, dass Sie uns besucht haben!" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "Das %(site_name)s Team" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "Passwort zurücksetzen" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "Haben Sie Ihr Passwort vergessen? Geben Sie unten Ihre E-Mail Adresse ein und wir werden Ihnen eine Nachricht mit Anweisungen schicken, wie ein Neues erstellt wird." - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "E-Mail Adresse:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "Passwort zurücksetzen" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "Bitte tragen Sie einen Benutzernamen und Passwort ein. Anschließend können Sie weitere Benutzerinformationen bearbeiten." - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "Bitte geben Sie Benutzernamen und Passwort ein." - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Bitte korrigieren Sie den folgenden Fehler." -msgstr[1] "Bitte korrigieren Sie die folgenden Fehler." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "Geben Sie Ihr neues Passwort ein." - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "Vergeben Sie ein neues Passwort für den Benutzer %(username)s." - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "Themeneinstellungen" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "Suchen" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "Hinzufügen" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "Zurück" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "Nächstes" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "Speichern" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "Bereinige Lesezeichen" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "Keine Lesezeichen" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "Neues Lesezeichen" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "Lesezeichen hinzufügen" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "Lesezeichenname" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "Warte" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "Speichere Lesezeichen" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "Filter" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "Bereinige Filter" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "Klicken Sie hier, um alle Objekte über alle Seiten hinweg auszuwählen." - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "Alles auswählen %(total_count)s %(module_name)s" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "Auswahl abwählen" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "Diagramme" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "Exportieren" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "Export mit Tabellenkopf." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "Exportieren mit Formatierung." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "Komplette Daten exportieren." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "Schließen" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "Layout" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "Säubern" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "Alle %(t)s Sekunden" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "Null" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "Eingabe" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "Auswahldatum" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "YY" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "Jahr" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "MM" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "Monat" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "DD" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "Tag" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "Anwenden" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "Datumsintervall" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "Datum wählen" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "Von" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "Bis" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "Entfernen" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "Zahl eingeben" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "Mittels %(filter_title)s" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "Verfügbar" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "Klicken um alles auf einmal auszuwählen." - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "Alles auswählen" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "Wähle" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "Entferne" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "Gewählt" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "Klicken um alles Ausgewählte sofort zu löschen." - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "Alles entfernen" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "Alles anzeigen" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "Speichern..." - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "Als neu abspeichern" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "Speichern und neu hinzufügen" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "Speichern und weiter bearbeiten" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "Löschen" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "Mehrere Objekte ändern" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "Anpassung von %(objects_name)s" -msgstr[1] "Anpassung aller %(counter)s %(objects_name)s" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "Mehrere andern" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "Widget hinzufügen" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "Logout erfolgreich" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "Danke, dass Sie ein paar nette Minuten hier verbracht haben." - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Fenster schließen" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Wieder einloggen" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "Bitte loggen Sie sich ein" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "Benutzername" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "Passwort" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "einloggen" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "Bearbeiten" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "Ja, na klar!" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "Abbruch" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "Mehrere Objekte löschen" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "Delta" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "Datum/Uhrzeit" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "Benutzer" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "Kommentar" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "%(name)s hinzufügen" - -#: templates/xadmin/views/model_list.html:39 -#, fuzzy -msgid "Columns" -msgstr "Spalten" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "Gewähltes wiederherstellen" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "Leere Liste" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "Es gibt keine gelöschten Objekte wiederherzustellen." - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "Delta zwischen %(verbose_name)s" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "Feld" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "Version A" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "Version B" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "Diese Überarbeitung umkehren." - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "Erfolg" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "Schnelles Hinzufügen" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "Widget Optionen" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "Änderungen speichern" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "Widget ID" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "Widget Titel" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "Html Inhalt" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "Zielmodell" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "Schnellauswahlbutton Widget, zum schnellen Öffnen einer beliebigen Seite." - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "Schnellauswahl Buttons" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "Beliebige Objektliste Widget." - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "Fügen Sie ein beliebiges Modell Objekt Widget hinzu." - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "Armaturentafel" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "%s Armaturentafel" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "Andere Felder" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "%s Einzelheiten" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "%(name)s \"%(obj)s\" wurde erfolgreich hinzugefügt." - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "Sie können es trotzdem nochmals bearbeiten." - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "Sie können unten ein weiteres %s hinzufügen." - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Ändern %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "Passwort erfolgreich geändert." - -#: views/list.py:198 -msgid "Database error" -msgstr "Datenbankfehler" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "%s Liste" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "Aufsteigend sortieren" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "Absteigend sortieren" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "Sortierung abbrechen" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "Hauptübersicht" diff --git a/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/djangojs.po deleted file mode 100644 index 11bd775..0000000 --- a/pillbox-engine/xadmin/locale/de_DE/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,72 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# Azd325 , 2013 -# Azd325 , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: Azd325 \n" -"Language-Team: German (Germany) (http://www.transifex.com/projects/p/xadmin/language/de_DE/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: de_DE\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "%(sel)s von %(cnt)s markiert" -msgstr[1] "%(sel)s von %(cnt)s markiert" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "Neues Element" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Samstag Sonntag" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "So Mo Di Mi Do Fr Sa So" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "So Mo Di Mi Do Fr Sa So" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "Januar Februar März April Mai Juni Juli August September Oktober November Dezember" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "Jan Feb Mär Apr Mai Jun Jul Aug Sep Okt Nov Dez" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "Heute" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "%a %d %b %Y %T %Z" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "vorm nachm" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "vorm nachm" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/locale/en/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/en/LC_MESSAGES/django.po deleted file mode 100644 index df836c5..0000000 --- a/pillbox-engine/xadmin/locale/en/LC_MESSAGES/django.po +++ /dev/null @@ -1,1268 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR , YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME \n" -"Language-Team: LANGUAGE \n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=1;\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "" - -#: filters.py:173 -msgid "Unknown" -msgstr "" - -#: filters.py:265 -msgid "Any date" -msgstr "" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "" - -#: filters.py:280 -msgid "This month" -msgstr "" - -#: filters.py:284 -msgid "This year" -msgstr "" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "" - -#: models.py:66 -msgid "Bookmarks" -msgstr "" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "" -msgstr[1] "" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "" - -#: plugins/auth.py:159 -#, fuzzy -msgid "Change Password" -msgstr "Changed Password" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "" - -#: plugins/images.py:29 -msgid "Download" -msgstr "" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "" -msgstr[1] "" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" -msgstr[1] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/en/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/en/LC_MESSAGES/djangojs.po deleted file mode 100644 index 2cbb726..0000000 --- a/pillbox-engine/xadmin/locale/en/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,69 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR , YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME \n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" -msgstr[1] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November " -"December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/django.po deleted file mode 100644 index fe3fab7..0000000 --- a/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/django.po +++ /dev/null @@ -1,1339 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# byroncorrales , 2013 -# charlieweb , 2013 -# sacrac , 2013 -# netoxico , 2013 -# abelthf , 2013 -# laoska , 2013 -# VerurteiltKind , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-05-12 18:45+0000\n" -"Last-Translator: sacrac \n" -"Language-Team: Spanish (Mexico) (http://www.transifex.com/projects/p/xadmin/language/es_MX/)\n" -"Language: es_MX\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "Todo" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "Sí" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "No" - -#: filters.py:173 -msgid "Unknown" -msgstr "Desconocido" - -#: filters.py:265 -msgid "Any date" -msgstr "Cualquier fecha" - -#: filters.py:266 -#, fuzzy -msgid "Has date" -msgstr "Cualquier fecha" - -#: filters.py:269 -#, fuzzy -msgid "Has no date" -msgstr "Cualquier fecha" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "Hoy" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "Pasados ​​7 días" - -#: filters.py:280 -msgid "This month" -msgstr "Este mes" - -#: filters.py:284 -msgid "This year" -msgstr "Este año" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "Por favor, introduzca el nombre de usuario y contraseña correctos de su cuenta. Note que ambos campos son sensibles a mayúsculas y minúsculas." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Por favor, ingrese de nuevo, debido a que su sesión ha caducado." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "Tu dirección de correo no es tu nombre de usuario. Prueba '%s' nuevamente." - -#: models.py:47 -msgid "Title" -msgstr "Titulo" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "Nombre de Url" - -#: models.py:51 -msgid "Query String" -msgstr "Cadena de consulta" - -#: models.py:52 -msgid "Is Shared" -msgstr "Es compartido" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "Marcador" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Marcadores" - -#: models.py:88 -msgid "Settings Key" -msgstr "Configuración llave" - -#: models.py:89 -msgid "Settings Content" -msgstr "Configuración de contenidos" - -#: models.py:101 -msgid "User Setting" -msgstr "Configuración del usuario" - -#: models.py:102 -msgid "User Settings" -msgstr "Configuraciones de los usuarios" - -#: models.py:107 -msgid "Page" -msgstr "Página" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Tipo de Widget" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Parametros del Widget" - -#: models.py:136 -msgid "User Widget" -msgstr "Widget del Usuario" - -#: models.py:137 -msgid "User Widgets" -msgstr "Widgets del Usuario" - -#: widgets.py:48 -msgid "Now" -msgstr "Ahora" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Borrar selección %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Correctamente eliminado %(count)d %(items)s." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "No se puede eliminar %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Esta seguro?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "%(total_count)s seleccionados" -msgstr[1] "Todos los %(total_count)s seleccionados" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "0 de %(cnt)s seleccionado" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "Los articulos deben de ser seleccionados en orden para realizar la acción. No existen artículos que han cambiado" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "Minimo" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "Maximo" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "Promedio" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "Suma" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "Conteo" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "Añadir %s" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "Cambiar %s" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "No se puede eliminar %(name)s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Información personal" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Permisos" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Fechas importantes" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Estados" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "Permisos" - -#: plugins/auth.py:159 -#, fuzzy -msgid "Change Password" -msgstr "Cambiar Contraseña" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "Cambiar contraseña: %s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "Contraseña cambiada correctamente" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Cambiar contraseña" - -#: plugins/batch.py:44 -#, fuzzy -msgid "Change this field" -msgstr "Historial de cambios: %s" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "Cambio de grupo seleccionado %(verbose_name_plural)s" - -#: plugins/batch.py:90 -#, fuzzy, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "Correctamente eliminado %(count)d %(items)s." - -#: plugins/batch.py:138 -#, fuzzy, python-format -msgid "Batch change %s" -msgstr "Cambiar %s" - -#: plugins/bookmark.py:171 -#, fuzzy -msgid "bookmark" -msgstr "Marcador" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "Widget de marcador, puede mostrar datos de la lista de favoritos del usuario en el widget." - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "Mostrar simple grafos para los modelos" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "%s Graficos" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -#, fuzzy -msgid "removed" -msgid_plural "removed" -msgstr[0] "Eliminar" -msgstr[1] "Eliminar" - -#: plugins/comments.py:73 -#, fuzzy -msgid "Remove selected comments" -msgstr "Recuperar borrado %(name)s" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "Detalles de %s" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "Entre %s" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "%(name)s el objeto con la llave primaria %(key)r no existe." - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "Hoja" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "Previo" - -#: plugins/images.py:29 -msgid "Next" -msgstr "Próximo " - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "presentación" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Descargar" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Cambiar:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "¿Olvidó su contraseña o nombre de usuario?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Objetos relacionados" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "Buscar %s" - -#: plugins/themes.py:47 -#, fuzzy -msgid "Default" -msgstr "Tema por defecto" - -#: plugins/themes.py:48 -#, fuzzy -msgid "Default bootstrap theme" -msgstr "Tema bootstrap por defecto" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -#, fuzzy -msgid "Bootstrap 2.x theme" -msgstr "Tema bootstrap por defecto" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "Añadir %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "Versión inicial." - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "Cambiar la versión." - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "Revertir la versión." - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "Recuperar versión" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "Borrado %(verbose_name)s." - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "Recuperar" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "Historico" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "Recuperar borrado %(name)s" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "Historial de cambios: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "Debe seleccionar dos versiones." - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Por favor seleccione dos versiones diferente." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "Actual: %s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "Revertir %s" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "El %(model)s \"%(name)s\" se revirtió con éxito. Puede editarlo de nuevo a continuación." - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "Recuperar %s" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "El %(model)s \"%(name) s\" se recuperó con éxito. Puede editarlo de nuevo a continuación." - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Pagina no encontrada" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "Lo sentimos pero la pagina que usted solicita no se encuentra." - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "Inicio" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "Error en el servidor" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "Error en el servidor (500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "Error en el servidor (500)" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "Ha habido un error. Se nos ha informado a los administradores del sitio a través de un correo electrónico y debe repararse en la breve. Gracias por su paciencia." - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "Bienvenidos," - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Salir" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "No tiene permiso para editar nada. " - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Restablecimiento de contraseña con éxito" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "Se ha establecido su contraseña. Usted puede acceder ahora mismo." - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Entrar" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Escriba la nueva contraseña" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "Introduzca su nueva contraseña dos veces para que podamos verificar que la ha escrito correctamente." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "Cambiar mi contraseña" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "Restablecimiento de contraseña sin éxito" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "El enlace de restablecimiento de contraseña no es válida, posiblemente debido a que ya se ha utilizado. Por favor, solicite un nuevo restablecimiento de contraseña." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "Nosotro te hemos enviado por correo electrónico las instrucciones para configurar la contraseña a la dirección de correo electrónico que ha enviado. Usted debe recibirlo en breve momento." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "Tu has recibido este correo debido a que has solicitado restablecimiento de contraseña para tu cuenta de usuario en %(site_name)s." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Por favor ir a la siguiente pagina y selecciona una nueva contraseña" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "Tu usuario, en caso de que lo hayas olvidado" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "Gracias por usar nuestro sitio web!" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "El equipo de %(site_name)s" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "restablecimiento de contraseña" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "¿Olvidaste tu contraseña? Escribe tu dirección de e-mail debajo, y le enviaremos un e-mail para el establecimiento de una nueva." - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "Dirección de correo:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "Cambiar contraseña" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "Primero, ingrese usuario y contraseña. Luego, sera capaz de editar mas opciones de usuario." - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "Ingresa nombre de usuario y contraseña" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Por favor corrija el error abajo." -msgstr[1] "Por favor corrija los errores abajo." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "Ingresa una nueva contraseña" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "Introduzca una nueva contraseña para el usuario %(username)s" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "Temas" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "Buscar" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "Agregar" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "Paso previo" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "Próximo paso" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "Guardar" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "Limpiar marcadores" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "No hay marcadores" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "Nuevo marcador" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "Guardar actual pagino como Marcador" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "Ingrese titulo de marcador" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "Espera un momento" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "Guardar marcador" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "Filtros" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "Limpiar Filtros" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "Haz clic aquí para seleccionar los objetos a través de todas las páginas" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "Seleccionar todo %(total_count)s %(module_name)s" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "Limpiar seleccion" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "Graficos" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "Exportar" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "Exportar con la cabecera de la tabla." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "Exportar con formato" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "Exportar todos los datos." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "Cerrar" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "Limpiar Refrescar" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, fuzzy, python-format -msgid "Every %(t)s seconds" -msgstr "Por %(t)s segundos" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "Nulo" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "Introducir" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "Elija Fecha" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "año" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "Mes" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "día" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "Aplicar" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "Rangos de fechas" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "Seleccionar Fecha" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "De" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "Para" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "Limpiar" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "Ingrese el numero" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "Por %(filter_title)s" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "Disponible" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "Click para elegir todos" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "Seleccionar todos" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "Elegir" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "Eliminar" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "Preferido" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "Click para remover todos los preferidos" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "Remover todos" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "Mostrar todos" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "Guardar como nuevo" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "Guardar y añadir otro" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "Guardar y continuar editando" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "Borrar" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "Cambiar multiples objetos" - -#: templates/xadmin/views/batch_change_form.html:16 -#, fuzzy, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "Cambiar multiples objetos" -msgstr[1] "Cambiar multiples objetos" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "Cambios multiples" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "Añadir Widget" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "Algo está mal con tu instalación de base de datos. Asegúrese de que las tablas de la bases de datos se han creado apropiadamente, y asegúrese de que la base de datos puede ser leído por el usuario apropiado" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "Salio con éxito " - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "Gracias por pasar tiempo de calidad con el sitio web hoy." - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Cerrar ventana" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Entrar nuevamente" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "Por favor, inicia sesión" - -#: templates/xadmin/views/login.html:52 -#, fuzzy -msgid "Username" -msgstr "Usuario:" - -#: templates/xadmin/views/login.html:64 -#, fuzzy -msgid "Password" -msgstr "Contraseña:" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "Iniciar sesión" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "Editar." - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "Eliminando los %(verbose_name)s '%(escaped_object)s terminaría eliminando objetos relacionados, pero su cuenta no tiene permisos para eliminar los siguientes tipo de objetos:" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "Eliminando los %(verbose_name)s '%(escaped_object)s requeriría eliminar los siguientes objetos relacionas protegidos:" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "¿Estas seguro de querer eliminar los %(verbose_name)s \"%(escaped_object)s\" ? Todos los siguientes artículos relacionados serán eliminados:" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "Si, estoy seguro" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -#, fuzzy -msgid "Cancel" -msgstr "Cancelar ordenación" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "Eliminar múltiples objetos." - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "Eliminando los %(objects_name)s terminaría eliminando objetos relacionados, pero su cuenta no tiene permisos para eliminar los siguientes tipo de objetos:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "Eliminando los %(objects_name)s seleccionados terminaria emilinando los siguientes objetos relacionados protegidos:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "¿Estas seguro de querer borrar los %(objects_name)s seleccionados? Todos los siguientes objetos y sus artículos relacionados serán eliminados:" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "Differencia" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "Fecha/hora" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "Usuario" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "Comentario" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "Seleccionar diferentes versiones" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "Este objeto no tiene un historial de cambios, Es probable que no se haya añadido a través de este sitio de admin.|" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "Agregar %(name)s" - -#: templates/xadmin/views/model_list.html:39 -#, fuzzy -msgid "Columns" -msgstr "Seleccionar columns." - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "Restaurar seleccionados." - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "Lista vacia" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "Presione el botón de recuperación abajo para recuperar esta versión del objeto." - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "Selecciona una fecha de la lista de abajo para recuperar una versión eliminada de un objeto." - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "No hay objetos eliminados para recuperar." - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "Diferentes %(verbose_name)s" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "Campo" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "Versión A" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "Versión B" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "Revertir a" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "Revertir" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "Revertir %(verbose_name)s" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "Presiona el botón revertir de abajo para revertir a esta versión del objeto." - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "Revertir esta revisión" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "Éxito" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "Agregado exitosa mente, presiona edit para editar." - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "Agregar rápidamente." - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "Opciones del Widget" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "Guardar cambios" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "ID del Widget" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "Titulo del Widget" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "Contenido html del Widget, puede escribir cualquier contenido del widget." - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "Contenido HTML" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "Modelo objeto" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "botón rapido del widget, abrir rápidamente cualquier página." - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "Botones rapidos" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "Cualquier objeto listado en el widget" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "Añadir cualquier modelo de objeto al Widget." - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "Panel de control" - -#: views/dashboard.py:622 -#, fuzzy, python-format -msgid "%s Dashboard" -msgstr "Panel de control" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "El %(name)s \"%(obj)s\" fue eliminado exitosa mente." - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "Otros campos" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "%s Detalles" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "El %(name)s \"%(obj)s\" fue agregado exitosa mente." - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "Puedes editarlo de nuevo abajo." - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "Puedes agregar otro %s debajo." - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Cambiar %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "El %(name)s \"%(obj)s\" fue editado exitosa mente." - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "El %(name)s \"%(obj)s\" fue editado exitosa mente." - -#: views/list.py:198 -msgid "Database error" -msgstr "Error de base de datos" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "%s Lista" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "Ordenar ascendente mente." - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "Ordenar descendente mente" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "Cancelar ordenación" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "Dashboard principal." - -#~ msgid "Add Other %s" -#~ msgstr "Añadir otro %s" - -#~ msgid "Recover deleted" -#~ msgstr "Recuperar borrado" - -#~ msgid "Documentation" -#~ msgstr "Documentación" - -#~ msgid "Password change" -#~ msgstr "Cambiar contraseña" - -#~ msgid "Password change successful" -#~ msgstr "Contraseña cambio con exito " - -#~ msgid "Your password was changed." -#~ msgstr "Tu contraseña fue cambiada." - -#~ msgid "Please enter your old password, for security's sake, and then enter your new password twice so we can verify you typed it in correctly." -#~ msgstr "Introduzca su antigua contraseña, por el bien de la seguridad, y luego ingrese su nueva contraseña dos veces para que podamos verificar que la ha escrito correctamente." - -#~ msgid "Old password" -#~ msgstr "Vieja contraseña" - -#~ msgid "New password" -#~ msgstr "Nueva contraseña" - -#~ msgid "Password (again)" -#~ msgstr "Contraseña (nuevamente)" - -#~ msgid "Password reset complete" -#~ msgstr "restablecimiento de contraseña completo" - -#~ msgid "Password reset confirmation" -#~ msgstr "Confirmación de restablecimiento de contraseña" - -#~ msgid "New password:" -#~ msgstr "Nueva contraseña:" - -#~ msgid "Confirm password:" -#~ msgstr "Confirmar contraseña:" - -#~ msgid "Search By" -#~ msgstr "Buscar por" - -#~ msgid "None" -#~ msgstr "Ninguno" - -#~ msgid "Cacnel" -#~ msgstr "Cancelar" diff --git a/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/djangojs.po deleted file mode 100644 index ec4f2a6..0000000 --- a/pillbox-engine/xadmin/locale/es_MX/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,76 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# byroncorrales , 2013 -# byroncorrales , 2013 -# sacrac , 2013 -# netoxico , 2013 -# netoxico , 2013 -# sacrac , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sacrac \n" -"Language-Team: Spanish (Mexico) (http://www.transifex.com/projects/p/xadmin/language/es_MX/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: es_MX\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "%(sel)s de %(cnt)s seleccionado." -msgstr[1] "%(sel)s de %(cnt)s seleccionado " - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "Nuevo elemento" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "Domingo Lunes Martes Miércoles Jueves Viernes Sábado Domingo" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "Dom Lun Mar Mié Jue Vie Sáb Dom" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "Do Lu Ma Mi Ju Vi Sá Do" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "Enero Febrero Marzo Abril Mayo Junio ​​Julio Agosto Septiembre Octubre Noviembre Diciembre" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "Ene Feb Mar Abr May Jun Jul Ago Sep Oct Nov Dic" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "Hoy" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "%a %d %b %Y %T %Z" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "AM PM" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "am pm" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/django.po deleted file mode 100644 index 352cbcd..0000000 --- a/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/django.po +++ /dev/null @@ -1,1270 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# unaizalakain , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Basque (http://www.transifex.com/projects/p/xadmin/language/eu/)\n" -"Language: eu\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "Guztia" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "Bai" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "Ez" - -#: filters.py:173 -msgid "Unknown" -msgstr "Ezezaguna" - -#: filters.py:265 -msgid "Any date" -msgstr "Edozein data" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "Gaur" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "Duela 7 egun" - -#: filters.py:280 -msgid "This month" -msgstr "Hilabete hau" - -#: filters.py:284 -msgid "This year" -msgstr "Urte hau" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "Mesedez sartu langile kontu baten erabiltzaile eta pasahitz egokiak. Kontuan hartu bi eremuek maiuskula eta minuskulak bereizten dituztela." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Mesedez hasi berriro saioa, zure uneko saioa iraungi da eta." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "Zure e-posta helbidea ez da zure erabiltzaile izena. Horren ordez saiatu '%s'." - -#: models.py:47 -msgid "Title" -msgstr "Izenburua" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "Url Izena" - -#: models.py:51 -msgid "Query String" -msgstr "Kontsulta Katea" - -#: models.py:52 -msgid "Is Shared" -msgstr "Partekatua da." - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "Laster-marketara gehitu" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Laster-markak" - -#: models.py:88 -msgid "Settings Key" -msgstr "Ezarpenen Gakoa" - -#: models.py:89 -msgid "Settings Content" -msgstr "Ezarpenen Edukia" - -#: models.py:101 -msgid "User Setting" -msgstr "Erabiltzaile Ezarpenak" - -#: models.py:102 -msgid "User Settings" -msgstr "Erabiltzaile Ezarpenak" - -#: models.py:107 -msgid "Page" -msgstr "Orrialdea" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Widget Mota" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Widget Parametroak" - -#: models.py:136 -msgid "User Widget" -msgstr "Erabiltzaile Widgeta" - -#: models.py:137 -msgid "User Widgets" -msgstr "Erabiltzaile Widgetak" - -#: widgets.py:48 -msgid "Now" -msgstr "Orain" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Aukeratutako %(verbose_name_plural)s ezabatu" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Aukeratutako %(count)d %(items)s arrakastaz ezabatuak." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "Ezin izan da %(name)s ezabatu" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Ziur al zaude?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "%(total_count)s aukeratua" -msgstr[1] "%(total_count)s guztiak aukeratuak" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "%(cnt)stik 0 aukeratuak" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "Elementuren bat aukeratzea beharrezkoa da ekintza bat burutzeko. Ez da elementurik aldatu." - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "Min" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "Max" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "Btz-bst" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "Batura" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "Kontaketa" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "%s gehitu" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "Aldaketa %s" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "Ezin izan da %(name)s ezabatu" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Info pertsonala" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Baimenak" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Data garrantzitsuak" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Egoera" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "Baimenak" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "Pasahitza Aldatu" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "Pasahitza aldatu: %s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "Pasahitza arrakastaz aldatua." - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Pasahitza aldatu" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "Sorta moduko Aldaketa aukeratua %(verbose_name_plural)s" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "Laster-marken Widgeta, erabiltzailearen laster-marka zerrenda widgetean erakutsi dezake." - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "Erabili modeluen diagrama sinplea." - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "%s Diagrama" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -#, fuzzy -msgid "removed" -msgid_plural "removed" -msgstr[0] "Ezabatu" -msgstr[1] "Ezabatu" - -#: plugins/comments.py:73 -#, fuzzy -msgid "Remove selected comments" -msgstr "Ezabatutako %(name)sa berreskuratu" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "%sren xehetasunak" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "Sartu %s" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "Ez da %(key)r eremua nagusitzat duen %(name)srik." - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "Xafla" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "Aurrekoa" - -#: plugins/images.py:29 -msgid "Next" -msgstr "Hurrengoa" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "Aurkezpena" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Deskargatu" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Aldatu:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "Zure pasahitza edo erabiltzailea ahaztu duzu?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Erlazionatutako Objetuak" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "Bilatu %s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "%s gehitu" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "Hasierako bertsioa." - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "Bertsioa aldatu." - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "Aurreko bertsiora itzuli." - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "Bertsioa berreskuratu." - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "%(verbose_name)s ezabatua." - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "Berreskuratu" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "Historiala" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "Ezabatutako %(name)sa berreskuratu" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "Historiala aldatu: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "Bi bertsio aukeratu behar dira." - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Mesedez aukeratu bi bertsio ezberdin." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "Unekoa: %s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "%s aurreko bertsiora itzuli" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "\"%(name)s\" %(model)sa aurreko bertsiora arrakastaz itzularazi da. Azpian berriro editatu dezakezu." - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "%s berreskuratu" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "\"%(name)s\" %(model)sa arrakastaz berreskuratu da. Azpian berriro editatu dezakezu." - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Orria ez da aurkitu" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "Sentitzen dugu baina eskatutako orria ezin izan da aurkitu." - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "Hasiera" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "Zerbitzariaren errorea" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "Zerbitzariaren errorea (500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "Zerbitzariaren errorea " - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "Errore bat egon da. Eposta bidez bidali zaio webgunearen kudeatzaileari eta laister konpondu beharko litzake. Milesker zure pazientziagatik." - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "Ongietorri," - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Saioa amaitu" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "Ez daukazu ezer editatzeko baimenik." - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Pasahitzaren berrezartze arrakastatsua" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "Zure pasahitza ezarria izan da. Orain saioa hasi dezakezu." - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Sarioa hasi" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Pasahitz berria idatzi" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "Mesedez idatzi zure pasahitz berria bi aldiz ongi idatzi duzun egiaztatzeko." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "Nire pasahitza aldatu" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "Pasahitzaren berrezartzea gaizki joan da" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "Pasahitzaren berrezartze esteka baliogabea zen, ziur aski iadanik erabilia izan delak. Mesedez, eskatu pasahitzaren berrezartze berri bat." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "Eposta biez zure pasahitza ezartzeko argibideak bidali dizkizugu eman diguzun eposta helbidera. Laister jaso beharko zenituzke." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "%(site_name)sen zure erabiltzailearen pasahitzaren berrezarpen bat eskatu duzulako ari zera eposta hau jasotzen." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Mesedez, joan ondorengo orrira eta pasahitz berri bat aukeratu:" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "Zure erabiltzailea, ahaztu baduzu:" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "Eskerrik asko gunea erabiltzaileagatik!" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "%(site_name)sko taldea" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "Pasahitza berrezarri" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "Pasahitza ahaztu duzu? Idatzi zure eposta helbidea behean eta berri bat ezartzeko argibideak bidaliko dizkizugu." - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "Eposta helbidea:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "Nire pasahitza berrezarri" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "Lehendabizi, erabiltzaile eta pasahitz bat sartu. Ondoren, erabiltzaile aukera gehiago editatzeko gai izango zara." - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "Erabiltzaile eta pasahitz bat sartu." - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Beheko errorea zuzendu mesedez." -msgstr[1] "Beheko erroreak zuzendu mesedez." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "Zure pasahitz berria sartu." - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "%(username)s erabiltzailearentzat pasahitz berri bat sartu." - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "Itsura-gaiak" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "Bilatu" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "Gehitu" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "Aurr pausua" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "Ondo pausua" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "Gorde" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "Laster-markak Garbitu" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "Ez dago Laster-markarik" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "Laster-marka Berria" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "Uneko orria Laster-marka bezala gorde" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "Laster-markaren izenburua idatzi" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "Itxoiten" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "Laster-marka gorde" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "Filtroak" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "Filtroak garbitu" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "Klikatu hemen orrialde guztiko objetuak aukeratzeko" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "Aukeratu %(total_count)s %(module_name)sak" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "Aukeraketa garbitu" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "Diagramak" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "Esportatu" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "Esportatu taularen goiburuarekin." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "Formatuarekin esportatu." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "Data guztiak esportatu." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "Itxi" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "Garbitu Freskatzea" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "Null" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "Sartu" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "Aukeraketa Data" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "urtea" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "hilabetea" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "eguna" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "Aplikatu" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "Data Tartea" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "Data Aukeratu" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "Nork" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "Nori" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "Garbitu" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "Zenbakia Sartu" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "%(filter_title)sgatik" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "Eskuragarri" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "Klikatu guztia aukeratzeko." - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "Guztia aukeratu" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "Aukeratu" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "Ezabatu" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "Aukeratua" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "Klikatu aukeraketa guztia ezabatzeko" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "Guztia ezabatu" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "Guztia erakutsi" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "Berri bezala gorde" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "Gorde eta beste bat gehitu" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "Gorde eta editatzen jarraitu" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "Ezabatu" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "Objetu anitz aldatu" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" -msgstr[1] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "Bizpahiru Aldatu" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "Widgeta Gehitu" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "Zerbait txarto dago zure datubasearen instalazioarekin. Ziurtatu beharrezko datubase taulak sortuak izan direla eta datubasea erabiltzaile egokiak irakurri dezakela." - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "Saioa Arrakastaz Amaitua" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "Eskerrikasko Web gunean zure denbora sartzeagatik." - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Lehioa Itxi" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Saioa hasi berriro" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "Hasi Saioa mesedez" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "hasi saioa" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "Editatu" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "'%(escaped_object)s' %(verbose_name)sa ezabatzeak erlazionatutako beste objetu batzuk ezabatuzko lituzke baina zure kontuak ez dauzka ondorengo objetu motak ezabatzeko baimenik:" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "'%(escaped_object)s' %(verbose_name)sa ezabatzeak ondorengo babestutako erlazionatutako objetuak ezabatuko lituzke:" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "Ziur al zaude \"%(escaped_object)s\" %(verbose_name)sa ezabatu nahi duzula? Ondorengo erlazionatutako objetuak ezabatuko lirateke:" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "Bai, ziur nago" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "Bizpahiru objetu ezabatu" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "Aukeratutako %(objects_name)s objetua ezabatzeak erlazionatutako objetuak ezabatuko lituzke, baina zure kontuak ez dauzka ondorengo objetu motak ezabatzeko baimenik:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "Aukeratutako %(objects_name)s objetua ezabatzeak ondorengo objetuak ezabatuko lituzke:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "Ziur zaude aukeratutako %(objects_name)s ezabatu nahi duzula? Ondorengo objetuak eta haiekin erlazionatuta daudenak ezabatuak izango dira:" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "Diferentzia" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "Data/ordua" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "Erabiltzailea" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "Iruzkina" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "Aukeratutako Bertsioen Ezberdintasunak" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "Objetu honek ez dauka aldaketa historialik. Ziurrenik ez zen kudeaketa gune honen bitartez gehitua izango." - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "%(name)s gehitu" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "Aukeratutakoa berrezarri" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "Zerrenda hustu" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "Sakatu beheko berreskuratze botoia objetuaren bertsio hau berreskuratzeko." - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "Aukeratu beheko zerrendatik data bat objetu baten ezabatutako bertsioa berreskuratzeko." - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "Ez dago berreskuratu daitekeen ezabatutako objeturik." - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "%(verbose_name)s ezberdintasunak" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "Eremua" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "A bertsioa" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "B bertsioa" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "Hona itzularazi" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "Itzularazi" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "%(verbose_name)s itzularazi" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "Beheko itzularatze botoia sakatu objetua bertsio hontara itzultzeko." - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "Bertsio hau itzularazi" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "Arrakasta" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "Gehitze arrakastatsua, klikatu editatu editatzeko." - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "Gehitze Azkarra" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "Widget Aukerak" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "Aldaketak gorde" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "Widget IDa" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "Widget Izenburua" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "Html Eduki Widgeta, edozein html eduki idatzi daiteke widgetan." - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "Html Edukia" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "Helburu den Modelua" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "Botoi azkarra Widgeta, edozein orri azkar ireki." - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "Botoi Azkarrak" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "Edozein Objetu zerrenda Widgeta." - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "Edozein objetu gehitu Widgeta." - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "Arbela" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "\"%(obj)s\" %(name)sa arrakastaz ezabatua izan da." - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "Beste Eremuak" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "%s Xehetasunak" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "\"%(obj)s\" %(name)sa arrakastaz gehitua izan da." - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "Behean editatu dezakezu berriro." - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "Behean beste %s bat gehitu dezakezu." - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Aldaketa %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "\"%(obj)s\" %(name)sa arrakastaz gehitua izan da." - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "\"%(obj)s\" %(name)sa arrakastaz gehitua izan da." - -#: views/list.py:198 -msgid "Database error" -msgstr "Datubase errorea" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "%s Zerrenda" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "GOR Ordenatu" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "BEH Ordenatu" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "Ezeztatu Ordenaketa" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "Arbela Nagusia" diff --git a/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/djangojs.po deleted file mode 100644 index 609c60f..0000000 --- a/pillbox-engine/xadmin/locale/eu/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,71 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# unaizalakain , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: unaizalakain \n" -"Language-Team: Basque (http://www.transifex.com/projects/p/xadmin/language/eu/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: eu\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "%(cnt)stik %(sel)s aukeratua" -msgstr[1] "%(cnt)stik %(sel)s aukeratuak" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "Elementu Berria" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "Igandea Astelehena Asteartea Asteazkena Osteguna Ostirala Larunbata Igandea" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "Iga Atl Atr Atz Otg Otr Lar Iga" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "Ig At Ar Az Og Or La Ig" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "Urtarrila Otsaila Martxoa Apirila Maiatza Ekaina Uztaila Abuztua Iraila Urria Azaroa Abendua" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "Urt Ots Mar Api Mai Eka Uzt Abu Ira Urr Aza Abe" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "Gaur" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "%a %d %b %Y %T %Z" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "AM PM" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "am pm" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/django.po deleted file mode 100644 index 1e91c91..0000000 --- a/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/django.po +++ /dev/null @@ -1,1259 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Indonesian (Indonesia) (http://www.transifex.com/projects/p/xadmin/language/id_ID/)\n" -"Language: id_ID\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "" - -#: filters.py:173 -msgid "Unknown" -msgstr "" - -#: filters.py:265 -msgid "Any date" -msgstr "" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "" - -#: filters.py:280 -msgid "This month" -msgstr "" - -#: filters.py:284 -msgid "This year" -msgstr "" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "" - -#: models.py:66 -msgid "Bookmarks" -msgstr "" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "" - -#: plugins/images.py:29 -msgid "Download" -msgstr "" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/djangojs.po deleted file mode 100644 index 9136f01..0000000 --- a/pillbox-engine/xadmin/locale/id_ID/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,69 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Indonesian (Indonesia) (http://www.transifex.com/projects/p/xadmin/language/id_ID/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: id_ID\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/django.po deleted file mode 100644 index 31955a8..0000000 --- a/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/django.po +++ /dev/null @@ -1,1259 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Japanese (http://www.transifex.com/projects/p/xadmin/language/ja/)\n" -"Language: ja\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "" - -#: filters.py:173 -msgid "Unknown" -msgstr "" - -#: filters.py:265 -msgid "Any date" -msgstr "" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "" - -#: filters.py:280 -msgid "This month" -msgstr "" - -#: filters.py:284 -msgid "This year" -msgstr "" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "" - -#: models.py:66 -msgid "Bookmarks" -msgstr "" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "" - -#: plugins/images.py:29 -msgid "Download" -msgstr "" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/djangojs.po deleted file mode 100644 index dc0c9c2..0000000 --- a/pillbox-engine/xadmin/locale/ja/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,69 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Japanese (http://www.transifex.com/projects/p/xadmin/language/ja/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ja\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/django.po deleted file mode 100644 index 1d9fb88..0000000 --- a/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/django.po +++ /dev/null @@ -1,1273 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Lithuanian (http://www.transifex.com/projects/p/xadmin/language/lt/)\n" -"Language: lt\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "" - -#: filters.py:173 -msgid "Unknown" -msgstr "" - -#: filters.py:265 -msgid "Any date" -msgstr "" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "" - -#: filters.py:280 -msgid "This month" -msgstr "" - -#: filters.py:284 -msgid "This year" -msgstr "" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "" - -#: models.py:66 -msgid "Bookmarks" -msgstr "" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "" - -#: plugins/images.py:29 -msgid "Download" -msgstr "" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/djangojs.po deleted file mode 100644 index 6e691a6..0000000 --- a/pillbox-engine/xadmin/locale/lt/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,71 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Lithuanian (http://www.transifex.com/projects/p/xadmin/language/lt/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: lt\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/django.po deleted file mode 100644 index 08c3a5c..0000000 --- a/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/django.po +++ /dev/null @@ -1,1266 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Dutch (Netherlands) (http://www.transifex.com/projects/p/xadmin/language/nl_NL/)\n" -"Language: nl_NL\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "" - -#: filters.py:173 -msgid "Unknown" -msgstr "" - -#: filters.py:265 -msgid "Any date" -msgstr "" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "" - -#: filters.py:280 -msgid "This month" -msgstr "" - -#: filters.py:284 -msgid "This year" -msgstr "" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "" - -#: models.py:66 -msgid "Bookmarks" -msgstr "" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "" -msgstr[1] "" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "" - -#: plugins/images.py:29 -msgid "Download" -msgstr "" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "" -msgstr[1] "" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" -msgstr[1] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/djangojs.po deleted file mode 100644 index 4edf57c..0000000 --- a/pillbox-engine/xadmin/locale/nl_NL/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,70 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Dutch (Netherlands) (http://www.transifex.com/projects/p/xadmin/language/nl_NL/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: nl_NL\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" -msgstr[1] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/django.po deleted file mode 100644 index bc62d63..0000000 --- a/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/django.po +++ /dev/null @@ -1,1369 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR , YEAR. -# -msgid "" -msgstr "" -"Project-Id-Version: django-xadmin\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-08-12 11:11+0200\n" -"PO-Revision-Date: 2014-08-12 21:08+0100\n" -"Last-Translator: Michał Szpadzik \n" -"Language-Team: Polish translators \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " -"|| n%100>=20) ? 1 : 2);\n" -"X-Generator: Poedit 1.5.4\n" -"Language: pl\n" - -#: filters.py:158 filters.py:190 filters.py:402 filters.py:488 filters.py:526 -msgid "All" -msgstr "Wszystko" - -#: filters.py:159 plugins/export.py:162 -msgid "Yes" -msgstr "Tak" - -#: filters.py:160 plugins/export.py:162 -msgid "No" -msgstr "Nie" - -#: filters.py:174 -msgid "Unknown" -msgstr "Nieznany" - -#: filters.py:266 -msgid "Any date" -msgstr "Dowolna data" - -#: filters.py:267 -msgid "Has date" -msgstr "Ma datę" - -#: filters.py:270 -msgid "Has no date" -msgstr "Nie ma daty" - -#: filters.py:273 widgets.py:30 -msgid "Today" -msgstr "Dzisiaj" - -#: filters.py:277 -msgid "Past 7 days" -msgstr "Ostatnie 7 dni" - -#: filters.py:281 -msgid "This month" -msgstr "Ten miesiąc" - -#: filters.py:285 -msgid "This year" -msgstr "Ten rok" - -#: forms.py:10 -msgid "" -"Please enter the correct username and password for a staff account. Note " -"that both fields are case-sensitive." -msgstr "" -"Proszę wpisz prawidłową nazwę użytkownika i hasło do konta. Pamiętaj, że oba " -"pola są wrażliwe na wielkość znaków." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Proszę, zaloguj się ponownie, ponieważ Twoja sesja wygasła." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" -"Twój adres e-mail nie jest Twoją nazwą użytkownika. Zamiast tego spróbuj " -"'%s'." - -#: models.py:47 -msgid "Title" -msgstr "Tytuł" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "użytkownik" - -#: models.py:49 -msgid "Url Name" -msgstr "Nazwa Url" - -#: models.py:51 -msgid "Query String" -msgstr "Tekst wyszukiwania" - -#: models.py:52 -msgid "Is Shared" -msgstr "Jest współdzielony" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:178 -msgid "Bookmark" -msgstr "Zakładka" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Zakładki" - -#: models.py:88 -msgid "Settings Key" -msgstr "Klucz ustawień" - -#: models.py:89 -msgid "Settings Content" -msgstr "Treść ustawień" - -#: models.py:101 -msgid "User Setting" -msgstr "Ustawienie użytkownika" - -#: models.py:102 -msgid "User Settings" -msgstr "Ustawienia użytkownika" - -#: models.py:107 -msgid "Page" -msgstr "Strona" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Typ Widgetu" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Parametry Widgetu" - -#: models.py:136 -msgid "User Widget" -msgstr "Widget użytkownika" - -#: models.py:137 -msgid "User Widgets" -msgstr "Widgety użytkownika" - -#: widgets.py:48 -msgid "Now" -msgstr "Teraz" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Usuń zaznaczone %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Z powodzieniem usunięto %(count)d %(items)s." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "Nie można usunąć %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Jesteś pewny ?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "%(total_count)s zaznaczony" -msgstr[1] "%(total_count)s zaznaczone" -msgstr[2] "%(total_count)s zaznaczonych" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "0 z %(cnt)s zaznaczonych" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "" -"Items must be selected in order to perform actions on them. No items have " -"been changed." -msgstr "" -"Elementy muszą być zaznaczone, by wykonać akcję na nich. Żaden element nie " -"został zmienony." - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "Min" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "Max" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "Śred" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "Sum" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "Liczba" - -#: plugins/auth.py:21 -#, python-format -msgid "Can add %s" -msgstr "Może dodawać %s" - -#: plugins/auth.py:22 -#, python-format -msgid "Can change %s" -msgstr "Może zmieniać %s" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "Może edytować %s" - -#: plugins/auth.py:24 -#, python-format -msgid "Can delete %s" -msgstr "Może usuwać %s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "Może oglądać %s" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Informacje osobiste" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Uprawnienia" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Ważne daty" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Status" - -#: plugins/auth.py:111 -msgid "Permission Name" -msgstr "Nazwa uprawnienia" - -#: plugins/auth.py:161 -msgid "Change Password" -msgstr "Zmień hasło" - -#: plugins/auth.py:191 -#, python-format -msgid "Change password: %s" -msgstr "Zmień hasło: %s" - -#: plugins/auth.py:216 plugins/auth.py:248 -msgid "Password changed successfully." -msgstr "Zmiana hasła zakończona powodzieniem" - -#: plugins/auth.py:235 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Zmień hasło" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "Zmień to pole" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "Zmiana grupowa wybrana %(verbose_name_plural)s" - -#: plugins/batch.py:88 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "Z powodzeniem zmieniono %(count)d %(items)s." - -#: plugins/batch.py:136 -#, python-format -msgid "Batch change %s" -msgstr "Zmiana grupowa %s" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "zakładka" - -#: plugins/bookmark.py:174 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "Widget zakładek, pozwala pokazać dane dla zakładki w widgecie." - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "Pokaż prosty wykres dla modelu." - -#: plugins/chart.py:50 -#, python-format -msgid "%s Charts" -msgstr "%s Wykresy" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "Metadane" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "oflagowany" -msgstr[1] "oflagowane" -msgstr[2] "oflagowanych" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "Oflaguj zaznaczony komentarz" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "zatwierdzony" -msgstr[1] "zatwierdzone" -msgstr[2] "zatwierdzonych" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "Zatwierdź zaznaczony komentarz" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "usunięty" -msgstr[1] "usunięte" -msgstr[2] "usuniętych" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "Usuń zaznaczone komentarze" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "1 komentarz został z powodzeniem %(action)s." -msgstr[1] "%(count)s komentarze zostało z powodzeniem %(action)s." -msgstr[2] "%(count)s komentarzy zostało z powodzeniem %(action)s." - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "Szczegóły %s" - -#: plugins/editable.py:46 -#, python-format -msgid "Enter %s" -msgstr "Wejdz w %s" - -#: plugins/editable.py:73 views/dashboard.py:645 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "Obiekt %(name)s z kluczem głównym %(key)r nie istnieje." - -#: plugins/export.py:95 plugins/export.py:132 -msgid "Sheet" -msgstr "Arkusz" - -#: plugins/filters.py:132 plugins/quickfilter.py:140 -#, python-format -msgid "Filtering error: %s" -msgstr "Błąd filtracji: %s" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "Poprzedni" - -#: plugins/images.py:29 -msgid "Next" -msgstr "Następny" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "Pokaz slajdów" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Ściągnij" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Zmień:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "Tabela" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "Miniaturki" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "Zapomniałeś swojego hasła lub loginu ?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "Utwórz nowy %s" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Powiązane obiekty" - -#: plugins/relfield.py:29 plugins/topnav.py:38 -#, python-format -msgid "Search %s" -msgstr "Szukaj %s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "Domyślny" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "Domyślny temat bootstrapa" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "Bootstrap2" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "Tematy Bootstrap 2.x" - -#: plugins/topnav.py:63 views/dashboard.py:462 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "Dodaj %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "Wersja startowa." - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "Zmień wersję." - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "Przywróć wersję." - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "Odzyskaj wersję." - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "Usunięte %(verbose_name)s." - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "Odzyskaj" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "Historia" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "Odzyskaj usunięte %(name)s" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "Zmień historię: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "Musisz wybrać dwie wersje." - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Proszę, wybierz dwie różne wersje." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "Obecny: %s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "Przywróć %s" - -#: plugins/xversion.py:456 -#, python-format -msgid "" -"The %(model)s \"%(name)s\" was reverted successfully. You may edit it again " -"below." -msgstr "" -"%(model)s \"%(name)s\" został przywrócony z powodzeniem. Możesz edytować go " -"ponownie poniżej." - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "Odzyskaj %s" - -#: plugins/xversion.py:493 -#, python-format -msgid "" -"The %(model)s \"%(name)s\" was recovered successfully. You may edit it again " -"below." -msgstr "" -"%(model)s \"%(name)s\" został z powodzeniem odzyskany. Możesz edytować go " -"ponownie poniżej." - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Strona nie została odnaleziona" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "Przepraszamy, ale żądana strona nie została odnaleziona." - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:54 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:462 -msgid "Home" -msgstr "Home" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "Błąd serwera" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "Błąd serwera (500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "Błąd Serwera (500)" - -#: templates/xadmin/500.html:16 -msgid "" -"There's been an error. It's been reported to the site administrators via e-" -"mail and should be fixed shortly. Thanks for your patience." -msgstr "" -"Wystąpił błąd. Został zaraportowany do administratorów strony przez e-mail i " -"wkrótce powienien zostać naprawiony. Dziękujemy za wyrozumiałość i " -"cierpliwość." - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "Witaj, " - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Wyloguj" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "Nie masz uprawnień by edytować cokolwiek." - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Reset hasła zakończony powodzeniem" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" -"Twoje hasło zostało ustawione. Możesz teraz przejść dalej i zalogować się." - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Zaloguj się" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Wpisz nowe hasło" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "" -"Please enter your new password twice so we can verify you typed it in " -"correctly." -msgstr "" -"Proszę wpisać Twoje nowe hasło dwukrotnie, aby zweryfikować, czy wpisałeś je " -"poprawnie." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "Zmień moje hasło" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "Resetowanie hasło zakończone niepowodzeniem" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "" -"The password reset link was invalid, possibly because it has already been " -"used. Please request a new password reset." -msgstr "" -"Twój link do resetowania hasła jest niepoprawny, prawdopodobnie został już " -"użyty. Proszę, zażądaj nowego linku (wykonaj raz jeszcze reset hasła)." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "" -"We've e-mailed you instructions for setting your password to the e-mail " -"address you submitted. You should be receiving it shortly." -msgstr "" -"Wysłaliśmy Ci e-mailem instrukcję ustawienia Twojego hasła na adres, który " -"podałeś. Powinieneś go wkrótce otrzymać." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "" -"You're receiving this e-mail because you requested a password reset for your " -"user account at %(site_name)s." -msgstr "" -"Otrzymałeś tego e-maila, ponieważ zarządałeś zresetowania hasła do twojego " -"konta na maszynie %(site_name)s." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Przejdź proszę do podanej strony i wybierz nowe hasło: " - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "Twoja nazwa użytkownika, gdybyś ją zapomniał: " - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "Dziękujemy za skorzystanie z naszej strony !" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "%(site_name)s team" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "Reset hasła" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "" -"Forgotten your password? Enter your e-mail address below, and we'll e-mail " -"instructions for setting a new one." -msgstr "" -"Zapomiałeś swoje hasło ? Wpisz Twój adres e-mail poniżej, a my prześlemy Ci " -"maila z instrukcjami, jak ustawić nowe." - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "Adres e-mail:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "Zresetuj moje hasło" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "" -"First, enter a username and password. Then, you'll be able to edit more user " -"options." -msgstr "" -"Po pierwsze, wpisz nazwę użytkownika i hasło. Potem bedziesz mógł edytować " -"pozostałe opcje użytkownika." - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "Wpisz nazwę użytkownika i hasło." - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Proszę napraw poniższy błąd." -msgstr[1] "Proszę napraw poniższe błędy." -msgstr[2] "Proszę napraw poniższe błędy." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "Wpisz Twoje nowe hasło." - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "Wpisz nowe hasło dla użytkownika %(username)s." - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "Tematy" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "Szukaj" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "Dodaj" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "Poprzedni krok" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "Następny krok" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "Zapisz" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "Wyczyść zakłądki" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "Brak zakładek" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "Nowa zakładka" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "Zapisz obecną stronę jako zakładkę" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "Wprowadź tytuł zakładki" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "Oczekuje" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "Zapisz zakładkę" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "Filtry" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "Wyczyść filtry" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "Kliknij tutaj, aby wybrać wszystkie obiekty na wszystkich stronach" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "Wybierz wszystkie %(total_count)s %(module_name)s" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "Wyczyść wybór" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "Wykresy" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:47 -msgid "Export" -msgstr "Eksportuj" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -msgid "Export with table header." -msgstr "Eksportuj wraz z nagłówkiem tabeli." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:38 -msgid "Export with format." -msgstr "Exportuj do formatu." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:42 -msgid "Export all data." -msgstr "Eksportuj wszystkie dane." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:46 -#: templates/xadmin/widgets/base.html:41 -msgid "Close" -msgstr "Zamknij" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "Układ graficzny" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "Wyczyść odświeżanie" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "Co każde %(t)s sekund" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "Null" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "Wejdź" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "Data wyboru" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "YY" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "rok" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "MM" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "miesiąc" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "DD" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "dzień" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "Zatwierdź" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "Zakres dat" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "Wybierz datę" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "Od" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "Do" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "Wyczyść" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "Wpisz numer" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr " po %(filter_title)s" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "Dostępny" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "Kliknij by wybrać wszystkie za jednym razem." - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "Wybierz wszystkie" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "Wybierz" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:40 -msgid "Remove" -msgstr "Usuń" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "Wybrane" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "Kliknij, by usunąć za jednym razem wszystkie wybrane." - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "Usuń wszystkie" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "Pokaż wszystkie" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "Zapisuję.." - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "Zapisz jako nowe" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "Zapisz i dodaj kolejne" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "Zapisz i kontynuuj edycję" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "Usuń" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "Zmień wiele obiektów" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "Zmień %(objects_name)s" -msgstr[1] "Grupowa zmiana %(counter)s %(objects_name)s" -msgstr[2] "Grupowa zmiana %(counter)s %(objects_name)s" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "Zmień wiele" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "Dodaj widget" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "" -"Something's wrong with your database installation. Make sure the appropriate " -"database tables have been created, and make sure the database is readable by " -"the appropriate user." -msgstr "" -"Coś złego dzieje się z Twoją bazą danych. Upewnij się, że konieczne tabele w " -"Twojej bazie danych zostały skreowane i mogą być czytane przez właściwych " -"użytkowników." - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "Wylogowanie zakończone sukcesem" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "Dzięki za spędzenie dzisiaj cennego czasu na naszej stronie." - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Zamknij okno" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Zaloguj się ponownie" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "Proszę, zaloguj się" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "Nazwa użytkownika" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "Hasło" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "zaloguj się" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "Edytuj" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "" -"Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting " -"related objects, but your account doesn't have permission to delete the " -"following types of objects:" -msgstr "" -"Usunięcie %(verbose_name)s '%(escaped_object)s' spowoduje usunięcie " -"powiązanych obiektów, ale Twoje konto nie ma uprawnień do usunięcia " -"następujących typów obiektów:" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "" -"Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting " -"the following protected related objects:" -msgstr "" -"Usunięcie %(verbose_name)s '%(escaped_object)s' będzie wymagać usunięcia " -"następujących, chronionych obiektów powiązanych:" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "" -"Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? " -"All of the following related items will be deleted:" -msgstr "" -"Czy jesteś pewien, że chcesz usunąć %(verbose_name)s \"%(escaped_object)s" -"\" ? Wszystkie następujące powiązane obiekty zostaną usunięte:" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "Tak, jestem pewny" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "Anuluj" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "Usuń wiele obiektów" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "" -"Deleting the selected %(objects_name)s would result in deleting related " -"objects, but your account doesn't have permission to delete the following " -"types of objects:" -msgstr "" -"Usunięcie wybranego obiektów %(objects_name)s będzie skutkowało usunięciem " -"powiązanych obiektów, ale Twoje konto nie posiada uprawnień do usunięcia " -"następujących obiektów:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "" -"Deleting the selected %(objects_name)s would require deleting the following " -"protected related objects:" -msgstr "" -"Usunięcie zaznaczonych obiektów %(objects_name)s będzie wymagało usunięcia " -"następujących zabezpieczonych powiązanych obiektów:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "" -"Are you sure you want to delete the selected %(objects_name)s? All of the " -"following objects and their related items will be deleted:" -msgstr "" -"Jesteś pewny, że chcesz usunąc zaznaczone obiekty %(objects_name)s ? " -"Wszystkie następujące obiekty i ich powiązania zostaną usunięte:" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "Różnica" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "Data/czas" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "Użytkownik" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "Komentarz" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "Róznica w wybranych wersjach" - -#: templates/xadmin/views/model_history.html:58 -msgid "" -"This object doesn't have a change history. It probably wasn't added via this " -"admin site." -msgstr "" -"Ten obiekt nie posiada historii zmian. Prawdopodobnie nie został on dodany " -"przez panel administratora." - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "Dodaj %(name)s" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "Kolumny" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "Odzyskaj wybrane" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "Pusta lista" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "Naciśnij przycisk odzyskiwania poniżej, by odzyskać tę wersję obiektu." - -#: templates/xadmin/views/recover_list.html:19 -msgid "" -"Choose a date from the list below to recover a deleted version of an object." -msgstr "" -"Wybierz datę z poniższej listy aby odzyskać usuniętą wersję danego obiektu." - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "Nie ma usuniętych obiektów, które można odzyskać." - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "Róznice %(verbose_name)s" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "Pole" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "Wersja A" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "Wersja B" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "Przywróć do" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "Przywróć" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "Przywróć %(verbose_name)s" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" -"Naciśnij przycisk przywracania poniżej, aby przywrócić obiekt do tej wersji." - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "Przywróć tę rewizję" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "Sukces" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "Dodawanie udane, kliknij edytuj aby edytować." - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "Szybkie dodaj" - -#: templates/xadmin/widgets/base.html:31 -msgid "Widget Options" -msgstr "Opcje widgetów" - -#: templates/xadmin/widgets/base.html:42 -msgid "Save changes" -msgstr "Zapisz zmiany" - -#: views/base.py:443 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/base.py:444 -msgid "my-company.inc 2013" -msgstr "moja-firma.inc 2013" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "ID widgetu" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "Tytuł widgetu" - -#: views/dashboard.py:249 -msgid "Html Content Widget, can write any html content in widget." -msgstr "Widget treści HTML, możesz wpisać dowolną treść HTMLową w ten widget." - -#: views/dashboard.py:252 -msgid "Html Content" -msgstr "Treść HTML" - -#: views/dashboard.py:315 -msgid "Target Model" -msgstr "Model docelowy" - -#: views/dashboard.py:366 -msgid "Quick button Widget, quickly open any page." -msgstr "Widget szybkich przycisków, pozwala szybko otworzyć dowolna stronę." - -#: views/dashboard.py:368 -msgid "Quick Buttons" -msgstr "Szybkie przyciski" - -#: views/dashboard.py:413 -msgid "Any Objects list Widget." -msgstr "Dowolny widget listy obiektów." - -#: views/dashboard.py:453 -msgid "Add any model object Widget." -msgstr "Dodaj dowolny widget modelu obiektu." - -#: views/dashboard.py:488 -msgid "Dashboard" -msgstr "Dashboard" - -#: views/dashboard.py:629 -#, python-format -msgid "%s Dashboard" -msgstr "%s Dashboard" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "%(name)s \"%(obj)s\" został usunięty z powodzeniem." - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "Inne pola" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "Szczegóły %s" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "%(name)s \"%(obj)s\" został dodany z sukcesem." - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "Możesz edytować to powtórnie poniżej." - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "Możesz dodać kolejny %s poniżej." - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Zmień %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "%(name)s \"%(obj)s\" został zmieniony z powodzeniem." - -#: views/form.py:164 -#, python-format -msgid "The %s was changed successfully." -msgstr "%s został z sukcesem zmieniony." - -#: views/list.py:198 -msgid "Database error" -msgstr "Błąd bazy danych" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "Lista %s" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "Sortuj ASC" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "Sortuj DESC" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "Anuluj sortowanie" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "Główny Dashboard" diff --git a/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/djangojs.po deleted file mode 100644 index b087169..0000000 --- a/pillbox-engine/xadmin/locale/pl/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,83 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR , YEAR. -# -msgid "" -msgstr "" -"Project-Id-Version: django-xadmin\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-08-12 21:07+0200\n" -"PO-Revision-Date: 2014-08-12 21:23+0100\n" -"Last-Translator: Michał Szpadzik \n" -"Language-Team: Polish translators \n" -"Language: pl\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " -"|| n%100>=20) ? 1 : 2);\n" -"X-Generator: Poedit 1.5.4\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:11 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "%(sel)s z %(cnt)s wybranych" -msgstr[1] "%(sel)s z %(cnt)s wybranych" -msgstr[2] "%(sel)s z %(cnt)s wybranych" - -#: static/xadmin/js/xadmin.plugin.quick-form.js:172 -msgid "Close" -msgstr "Zamknij" - -#: static/xadmin/js/xadmin.plugin.quick-form.js:173 -msgid "Add" -msgstr "Dodaj" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "Nowy obiekt" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "niedziela poniedziałek wtorek środa czwartek piątek sobota niedziela" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "niedz. pon. wt. śr. czw. pt. sob. niedz." - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "niedz. pn. wt. śr. czw. pt. sob. niedz." - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November " -"December" -msgstr "" -"styczeń luty marzec kwiecień maj czerwiec lipiec sierpień wrzesień " -"październik " - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "sty. lut. marz. kwie. maj czerw. lip. sier. wrze. paź. list. grudz." - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "Dzisiaj" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "%a %d %b %Y %T %Z" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "AM PM" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "am pm" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/django.po deleted file mode 100644 index e07295c..0000000 --- a/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/django.po +++ /dev/null @@ -1,1274 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# korndorfer , 2013 -# Ellison Leão, 2013 -# Gladson Simplício Brito , 2013 -# gladson , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: gladson \n" -"Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/xadmin/language/pt_BR/)\n" -"Language: pt_BR\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "Tudo" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "Sim" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "Não" - -#: filters.py:173 -msgid "Unknown" -msgstr "Desconhecido" - -#: filters.py:265 -msgid "Any date" -msgstr "Qualquer data" - -#: filters.py:266 -msgid "Has date" -msgstr "Tem data" - -#: filters.py:269 -msgid "Has no date" -msgstr "Não tem data" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "Hoje" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "Passados 7 dias" - -#: filters.py:280 -msgid "This month" -msgstr "Este mês" - -#: filters.py:284 -msgid "This year" -msgstr "Este ano" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "Por favor, insira o nome de usuário e a senha corretamente para sua conta pessoal. Perceba que ambos os campos são case-sensitive." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Por favor faça login novamente, porque a sua sessão expirou." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "O seu endereço de e-mail não é seu nome de usuário. Tente '% s' em seu lugar." - -#: models.py:47 -msgid "Title" -msgstr "Título" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "Usuário" - -#: models.py:49 -msgid "Url Name" -msgstr "Nome da Url" - -#: models.py:51 -msgid "Query String" -msgstr "String de Consulta" - -#: models.py:52 -msgid "Is Shared" -msgstr "É Compartilhada" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "Favorito" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Favoritos" - -#: models.py:88 -msgid "Settings Key" -msgstr "Configuração da chave" - -#: models.py:89 -msgid "Settings Content" -msgstr "Configurações de conteúdo" - -#: models.py:101 -msgid "User Setting" -msgstr "Configuração de usuário" - -#: models.py:102 -msgid "User Settings" -msgstr "Configurações do Usuário" - -#: models.py:107 -msgid "Page" -msgstr "Página" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Tipo de Widget" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Parâmetros do Widget" - -#: models.py:136 -msgid "User Widget" -msgstr "Widget do Usuário" - -#: models.py:137 -msgid "User Widgets" -msgstr "Widgets do Usuário" - -#: widgets.py:48 -msgid "Now" -msgstr "Agora" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Excluir selecionado %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Excluído com sucesso %(count)d %(items)s." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "Não é possível excluir %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Você tem certeza?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "Todos %(total_count)s selecionados" -msgstr[1] "Todos %(total_count)s selecionados" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "0 de %(cnt)s selecionados" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "Os itens devem ser selecionados, a fim de executar ações sobre eles. Não há itens alterados." - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "Min" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "Max" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "Médio" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "Soma" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "Contar" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "Pode ver %s" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "Alterar %s" - -#: plugins/auth.py:23 -#, fuzzy, python-format -msgid "Can edit %s" -msgstr "Pode ver %s" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "Não é possível excluir %(name)s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "Pode ver %s" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Informações pessoais" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Permissões" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Datas importantes" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Status" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "Permissões" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "Alterar Senha" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "Alterar senha: %s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "Senha alterada com sucesso." - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Alterar a senha" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "Alterar este campo" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "Alterar lote selecionado %(verbose_name_plural)s" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "Alterado com sucesso %(count)d %(items)s." - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "Lote alterado %s" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "Favorito" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "Widget de Marcador, pode mostrar a lista de marcadores do usuário no widget" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "Mostrar modelos gráfico simples." - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "%s Gráficos" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -#, fuzzy -msgid "removed" -msgid_plural "removed" -msgstr[0] "Remover" -msgstr[1] "Remover" - -#: plugins/comments.py:73 -#, fuzzy -msgid "Remove selected comments" -msgstr "Recuperar deletado %(name)s" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "Detalhes de %s" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "Entrar %s" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "%(name)s objeto com chave primária %(key)r não existe." - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "Planilha" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "Filtrar erro: %s" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "Anterior" - -#: plugins/images.py:29 -msgid "Next" -msgstr "Próximo" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "Slideshow" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Baixar" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Alterar:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "Tabela" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "Miniaturas" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "Esqueceu seu nome de usuário ou senha?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "Criar novo %s" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Objetos Relacionados" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "Pesquisar %s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "Padrão" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "Tema padrão bootstrap" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "Bootstrap2" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "Tema Bootstrap 2.x" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "Adicionar %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "Versão inicial." - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "Alterar versão." - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "Reverter versão." - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "Recuperar versão." - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "Excluídos %(verbose_name)s." - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "Recuperar" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "Histórico" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "Recuperar deletado %(name)s" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "Alterar histórico: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "É necessário selecionar 2 versões" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Por favor selecione duas versões diferentes." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "Atual: %s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "Revertido: %s" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "%(model)s \"%(name)s\" foi revertido(a) com sucesso. Você pode editá-lo(a) novamente abaixo." - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "Recuperar %s" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "%(model)s \"%(name)s\" foi recuperado(a) com sucesso. Você pode editá-lo(a) novamente abaixo." - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Página não encontrada" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "Pedimos desculpas, mas a página solicitada não foi encontrada." - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "Início" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "Erro do servidor" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "Erro do servidor (500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "Erro do Servidor (500)" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "Ocorreu um erro. E foi relatado aos administradores do site via e-mail e deve ser corrigido em breve. Obrigado por sua paciência." - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "Bem-Vindo," - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Sair" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "Você não tem permissão para editar nada." - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Redefinição de senha completada." - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "Sua senha foi definida. Você pode seguir e entrar agora." - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Entrar" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Digite a nova senha" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "Por favor forneça sua nova senha 2 vezes para que possamos verificar se a mesma foi digitada corretamente." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "Alterar minha senha" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "A senha foi redefinida com sucesso" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "O link de redefinição de senha era inválida, possivelmente porque ele já foi usado. Por favor, solicite uma nova redefinição de senha." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "Nós enviamos um e-mail com instruções para configurar sua senha para o endereço de e-mail que você solicitou. Você deve recebê-lo em breve." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "Você está recebendo este e-mail porque você pediu uma redefinição de senha para sua conta de usuário em %(site_name)s." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Por favor, vá para a página seguinte e escolha uma nova senha:" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "Seu nome de usuário, para o caso de ter esquecido:" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "Obrigado por utilizar o nosso site!" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "A equipe %(site_name)s" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "Redefinição de senha" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "Esqueceu sua senha? Forneça seu endereço de e-mail abaixo, e nós lhe enviaremos instruções para definir uma nova." - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "Endereço de e-mail:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "Redefinir minha senha" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "Primeiro, insira um nome de usuário e senha. Então, você vai ser capaz de editar mais opções do usuário." - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "Forneça um nome de usuário e uma senha." - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Por favor corrija o erro abaixo." -msgstr[1] "Por favor corrija os erros abaixo." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "Digite sua nova senha." - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "Digite uma nova senha para o usuário %(username)s." - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "Temas" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "Pesquisar" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "Adicionar" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "Passo anterior" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "Próximo passo" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "Gravar" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "Limpar Favoritos" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "Sem Favoritos" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "Novo Favorito" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "Marcar a página atual como favorito" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "Digite o título do favorito" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "Aguardando" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "Marcar Favorito" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "Filtros" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "Limpar Filtros" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "Clique aqui para selecionar os objetos através de todas as páginas" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "Selecionar todos %(total_count)s %(module_name)s" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "Limpar Seleção" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "Gráficos" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "Exportar" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "Exportar com cabeçalho da tabela" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "Exportar com o formato." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "Exportar todos os dados." - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "Fechar" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "Layout" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "Atualização Limpa" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "A cada %(t)s segundos" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "Nulo" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "Entrar" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "Data Escolhida" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "YY" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "ano" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "MM" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "mês" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "DD" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "dia" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "Aplicar" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "Intervalo de Datas" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "Selecionar Data" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "De" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "Para" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "Limpar" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "Digite o Número" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr " Por %(filter_title)s " - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "Disponível" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "Clique para selecionar tudo de uma só vez." - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "Escolher tudo" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "Escolher" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "Remover" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "Escolhido" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "Clique para remover todos os escolhidos de uma vez." - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "Remover tudo" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "Mostrar Tudo" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "Salvando..." - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "Gravar como novo" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "Gravar e adicionar outro" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "Gravar e continuar editando" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "Excluir" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "Alterar múltiplos objetos" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "Alterar um %(objects_name)s" -msgstr[1] "Alterar lote %(counter)s %(objects_name)s" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "Alterar Múltiplos" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "Adicionar Widget" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "Algo está errado com a instalação do banco de dados. Certifique-se que as tabelas foram criadas apropriadamente, e certifique-se que o banco de dados pode ser lido pelo usuário apropriado." - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "Saída com Sucesso" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "Obrigado por gastar algum tempo de qualidade com o site hoje." - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Fechar Janela" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Entrar novamente" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "Por Favor Autentique-se" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "Nome de Usuário" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "Senha" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "Entrar" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "Editar" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "Excluir o %(verbose_name)s '%(escaped_object)s' resultaria na exclusão dos objetos relacionados, mas a sua conta não tem permissão para excluir os seguintes tipos de objetos:" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "Excluir o %(verbose_name)s '%(escaped_object)s' exigiria exclusão dos seguintes objetos protegidos relacionados:" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "Tem certeza de que deseja excluir %(verbose_name)s \"%(escaped_object)s\"? Todos os seguintes itens relacionados serão excluídos:" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "Sim, tenho certeza" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "Cancelar" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "Excluir múltiplos objetos" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "Excluir o %(objects_name)s selecionado resultaria na exclusão de objetos relacionados, mas a sua conta não tem permissão para excluir os seguintes tipos de objetos:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "Excluir o %(objects_name)s selecionado exigiria eliminar os seguintes objetos protegidos relacionados:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "Tem certeza de que deseja excluir o %(objects_name)s selecionado? Todos os seguintes objetos e seus itens relacionados serão excluídos:" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "Comparar" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "Data/Hora" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "Usuário" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "Comentário" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "Comparar Versões Selecionadas" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "Este objeto não possui um histórico de mudança. Provavelmente não foi adicionado pelo site de administração." - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "Adicionar %(name)s" - -#: templates/xadmin/views/model_list.html:39 -#, fuzzy -msgid "Columns" -msgstr "Colunas" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "Restaurar Selecionados" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "Limpar lista" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "Clique no botão recuperar abaixo para recuperar esta versão do objeto." - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "Escolha a data a partir da lista abaixo para recuperar a versão excluída do objeto." - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "Não há objetos excluídos para recuperar." - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "Comparar %(verbose_name)s" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "Campo" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "Versão A" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "Versão B" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "Reverter para" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "Reverter" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "Reverter %(verbose_name)s" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "Clique no botão reverter abaixo para reverter para esta versão do objeto." - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "Reverter esta revisão" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "Sucesso" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "Sucesso na adição, clique editar para editar." - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "Adição Rápida" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "Opções do Widget" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "Gravar alterações" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "ID do Widget" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "Título do Widget" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "Widget de Conteúdo HTML, pode-se escrever qualquer conteúdo html no widget." - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "Conteúdo HTML" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "Modelo Alvo" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "Widget de Botão Rápido, abre rapidamente qualquer página." - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "Botões Rápidos" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "Widget de listagem de Qualquer Objeto" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "Widget de adição de qualquer objeto." - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "Painel" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "%s Painel" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "%(name)s \"%(obj)s\" excluído(a) com sucesso." - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "Outros Campos" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "%s Detalhes" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "%(name)s \"%(obj)s\" adicionado(a) com sucesso." - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "Você pode editar novamente abaixo." - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "Você pode adicionar outro(a) %s abaixo." - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Alterar %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "%(name)s \"%(obj)s\" alterado(a) com sucesso." - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "%(name)s \"%(obj)s\" alterado(a) com sucesso." - -#: views/list.py:198 -msgid "Database error" -msgstr "Erro da base de dados" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "Lista %s" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "Classificação Ascendente" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "Classificação Descendente" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "Cancelar Classificação" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "Painel Principal" diff --git a/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/djangojs.po deleted file mode 100644 index 8441f0a..0000000 --- a/pillbox-engine/xadmin/locale/pt_BR/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,71 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# korndorfer , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: korndorfer \n" -"Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/xadmin/language/pt_BR/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: pt_BR\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "%(sel)s de %(cnt)s selecionado" -msgstr[1] "%(sel)s de %(cnt)s selecionados" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "Novo Item" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "Domingo Segunda Terça Quarta Quinta Sexta Sábado Domingo" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "Dom Seg Ter Qua Qui Sex Sáb Dom" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "Do Sg Te Qa Qi Sx Sa Do" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "Janeiro Fevereiro Março Abril Maio Junho Julho Agosto Setembro Outubro Novembro Dezembro" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "Jan Fev Mar Abr Mai Jun Jul Ago Set Out Nov Dez" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "Hoje" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "%a %d %b %Y %T %Z" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "AM PM" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "am pm" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/django.po deleted file mode 100644 index 44584cb..0000000 --- a/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/django.po +++ /dev/null @@ -1,1275 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# crazyzubr , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-12-28 19:36+0000\n" -"Last-Translator: crazyzubr \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/xadmin/language/ru_RU/)\n" -"Language: ru_RU\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "Все" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "Да" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "Нет" - -#: filters.py:173 -msgid "Unknown" -msgstr "Неизвестно" - -#: filters.py:265 -msgid "Any date" -msgstr "Любая дата" - -#: filters.py:266 -msgid "Has date" -msgstr "" - -#: filters.py:269 -msgid "Has no date" -msgstr "" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "Сегодня" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "За последние 7 дней" - -#: filters.py:280 -msgid "This month" -msgstr "В этом месяце" - -#: filters.py:284 -msgid "This year" -msgstr "В этом году" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "Пожалуйста, введите корректные имя пользователя и пароль для аккаунта. Оба поля могут быть чувствительны к регистру." - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "Пожалуйста, войдите снова, поскольку ваша сессия устарела." - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "" - -#: models.py:47 -msgid "Title" -msgstr "Заголовок" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "" - -#: models.py:49 -msgid "Url Name" -msgstr "" - -#: models.py:51 -msgid "Query String" -msgstr "Строка запроса" - -#: models.py:52 -msgid "Is Shared" -msgstr "" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "Закладка" - -#: models.py:66 -msgid "Bookmarks" -msgstr "Закладки" - -#: models.py:88 -msgid "Settings Key" -msgstr "" - -#: models.py:89 -msgid "Settings Content" -msgstr "" - -#: models.py:101 -msgid "User Setting" -msgstr "" - -#: models.py:102 -msgid "User Settings" -msgstr "" - -#: models.py:107 -msgid "Page" -msgstr "Страница" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Тип виджета" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Параметры виджета" - -#: models.py:136 -msgid "User Widget" -msgstr "" - -#: models.py:137 -msgid "User Widgets" -msgstr "" - -#: widgets.py:48 -msgid "Now" -msgstr "Сейчас" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "Удалить выбранные %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "Успешно удалены %(count)d %(items)s." - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "Не удается удалить %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "Вы уверены?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "Выбран %(total_count)s" -msgstr[1] "Выбраны все %(total_count)s" -msgstr[2] "Выбраны все %(total_count)s" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "Выбрано 0 объектов из %(cnt)s " - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "Чтобы произвести действия над объектами, необходимо их выбрать. Объекты не были изменены." - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "Добавить %s" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "Изменить %s" - -#: plugins/auth.py:23 -#, python-format -msgid "Can edit %s" -msgstr "" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "Не удается удалить %(name)s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "Персональная информация" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "Права" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "Важные даты" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "Статус" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "Права" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "Изменить пароль" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "Изменить пароль: %s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "Пароль успешно изменен" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "Изменить пароль" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -msgid "removed" -msgid_plural "removed" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/comments.py:73 -msgid "Remove selected comments" -msgstr "" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "Детали %s" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "Лист" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "" - -#: plugins/images.py:29 -msgid "Next" -msgstr "" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "Слайдшоу" - -#: plugins/images.py:29 -msgid "Download" -msgstr "Загрузить" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "Изменить:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "Связанные объекты" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "Поиск %s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "Добавить %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "История" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "Необходимо выбрать две версии." - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "Пожалуйста, выберите две различные версии." - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "Страница не найдена" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "Главная" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "" - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "Выйти" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "Пароль успешно восстановлен" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "Войти" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "Введите новый пароль:" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "Пожалуйста, введите новый пароль дважды, чтобы мы могли убедиться в правильности написания." - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "Ошибка восстановления пароля" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "Неверная ссылка для восстановления пароля. Возможно, ей уже воспользовались. Пожалуйста, попробуйте восстановить пароль еще раз." - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "Мы отправили инструкцию по восстановлению пароля на указанный вами адрес электронной почты. Вы должны её вскоре получить." - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "Вы получили это письмо, потому что вы (или кто-то другой) запросили восстановление пароля от учётной записи на сайте %(site_name)s, которая связана с этим адресом электронной почты." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "Пожалуйста, перейдите на эту страницу и введите новый пароль:" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "Восстановление пароля" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "Пожалуйста, исправьте ошибку ниже." -msgstr[1] "Пожалуйста, исправьте ошибки ниже." -msgstr[2] "Пожалуйста, исправьте ошибки ниже." - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr "" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "" - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "Закрыть окно" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "Войти заново" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "" - -#: templates/xadmin/views/model_list.html:39 -msgid "Columns" -msgstr "" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "Изменить %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "" - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "Пароль успешно изменен" - -#: views/list.py:198 -msgid "Database error" -msgstr "" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/djangojs.po deleted file mode 100644 index baa8343..0000000 --- a/pillbox-engine/xadmin/locale/ru_RU/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,71 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Russian (Russia) (http://www.transifex.com/projects/p/xadmin/language/ru_RU/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru_RU\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "" diff --git a/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/django.po b/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/django.po deleted file mode 100644 index 404dbdd..0000000 --- a/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/django.po +++ /dev/null @@ -1,1265 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# sshwsfc , 2013 -# sshwsfc , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-01-10 10:31+0800\n" -"PO-Revision-Date: 2013-11-20 10:21+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Chinese (China) (http://www.transifex.com/projects/p/xadmin/language/zh_CN/)\n" -"Language: zh_CN\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: filters.py:157 filters.py:189 filters.py:401 filters.py:451 -msgid "All" -msgstr "全部" - -#: filters.py:158 plugins/export.py:117 -msgid "Yes" -msgstr "是" - -#: filters.py:159 plugins/export.py:117 -msgid "No" -msgstr "否" - -#: filters.py:173 -msgid "Unknown" -msgstr "未知" - -#: filters.py:265 -msgid "Any date" -msgstr "任意日期" - -#: filters.py:266 -msgid "Has date" -msgstr "有日期" - -#: filters.py:269 -msgid "Has no date" -msgstr "无日期" - -#: filters.py:272 widgets.py:30 -msgid "Today" -msgstr "今天" - -#: filters.py:276 -msgid "Past 7 days" -msgstr "过去7天" - -#: filters.py:280 -msgid "This month" -msgstr "本月" - -#: filters.py:284 -msgid "This year" -msgstr "今年" - -#: forms.py:10 -msgid "Please enter the correct username and password for a staff account. Note that both fields are case-sensitive." -msgstr "请输入正确的用户名和密码来登陆您的管理账户。请注意用户名和密码均为大小写相关。" - -#: forms.py:21 -msgid "Please log in again, because your session has expired." -msgstr "请重新登录,因为你的会话已经过期。" - -#: forms.py:41 -#, python-format -msgid "Your e-mail address is not your username. Try '%s' instead." -msgstr "你的 e-mail 地址不是你的用户名。换 '%s' 试试。" - -#: models.py:47 -msgid "Title" -msgstr "标题" - -#: models.py:48 models.py:87 models.py:106 -msgid "user" -msgstr "用户" - -#: models.py:49 -msgid "Url Name" -msgstr "URL名字" - -#: models.py:51 -msgid "Query String" -msgstr "Query参数" - -#: models.py:52 -msgid "Is Shared" -msgstr "是否共享" - -#: models.py:65 plugins/bookmark.py:49 plugins/bookmark.py:177 -msgid "Bookmark" -msgstr "书签" - -#: models.py:66 -msgid "Bookmarks" -msgstr "书签" - -#: models.py:88 -msgid "Settings Key" -msgstr "设置KEY" - -#: models.py:89 -msgid "Settings Content" -msgstr "设置内容" - -#: models.py:101 -msgid "User Setting" -msgstr "用户设置" - -#: models.py:102 -msgid "User Settings" -msgstr "用户设置" - -#: models.py:107 -msgid "Page" -msgstr "页面" - -#: models.py:108 views/dashboard.py:81 views/dashboard.py:91 -msgid "Widget Type" -msgstr "Widget类型" - -#: models.py:109 views/dashboard.py:82 -msgid "Widget Params" -msgstr "Widget参数" - -#: models.py:136 -msgid "User Widget" -msgstr "用户小组件" - -#: models.py:137 -msgid "User Widgets" -msgstr "用户小组件" - -#: widgets.py:48 -msgid "Now" -msgstr "现在" - -#: plugins/actions.py:54 -#, python-format -msgid "Delete selected %(verbose_name_plural)s" -msgstr "删除所选的 %(verbose_name_plural)s" - -#: plugins/actions.py:67 -#, python-format -msgid "Successfully deleted %(count)d %(items)s." -msgstr "成功删除了 %(count)d 个 %(items)s" - -#: plugins/actions.py:99 views/delete.py:68 -#, python-format -msgid "Cannot delete %(name)s" -msgstr "无法删除 %(name)s" - -#: plugins/actions.py:101 views/delete.py:71 -msgid "Are you sure?" -msgstr "你确定吗?" - -#: plugins/actions.py:147 -#, python-format -msgid "%(total_count)s selected" -msgid_plural "All %(total_count)s selected" -msgstr[0] "选中了 %(total_count)s 个" - -#: plugins/actions.py:151 -#, python-format -msgid "0 of %(cnt)s selected" -msgstr "%(cnt)s 个中 0 个被选" - -#: plugins/actions.py:168 plugins/actions.py:178 -msgid "Items must be selected in order to perform actions on them. No items have been changed." -msgstr "条目必须选中以对其进行操作。没有任何条目被更改。" - -#: plugins/aggregation.py:14 -msgid "Min" -msgstr "最小" - -#: plugins/aggregation.py:14 -msgid "Max" -msgstr "最大" - -#: plugins/aggregation.py:14 -msgid "Avg" -msgstr "平均" - -#: plugins/aggregation.py:14 -msgid "Sum" -msgstr "总和" - -#: plugins/aggregation.py:14 -msgid "Count" -msgstr "总数" - -#: plugins/auth.py:21 -#, fuzzy, python-format -msgid "Can add %s" -msgstr "可查看%s" - -#: plugins/auth.py:22 -#, fuzzy, python-format -msgid "Can change %s" -msgstr "修改 %s" - -#: plugins/auth.py:23 -#, fuzzy, python-format -msgid "Can edit %s" -msgstr "可查看%s" - -#: plugins/auth.py:24 -#, fuzzy, python-format -msgid "Can delete %s" -msgstr "无法删除 %(name)s" - -#: plugins/auth.py:25 -#, python-format -msgid "Can view %s" -msgstr "可查看%s" - -#: plugins/auth.py:87 -msgid "Personal info" -msgstr "个人信息" - -#: plugins/auth.py:91 -msgid "Permissions" -msgstr "权限" - -#: plugins/auth.py:94 -msgid "Important dates" -msgstr "重要日期" - -#: plugins/auth.py:99 -msgid "Status" -msgstr "状态" - -#: plugins/auth.py:111 -#, fuzzy -msgid "Permission Name" -msgstr "权限" - -#: plugins/auth.py:159 -msgid "Change Password" -msgstr "更改密码" - -#: plugins/auth.py:189 -#, python-format -msgid "Change password: %s" -msgstr "更改密码:%s" - -#: plugins/auth.py:214 plugins/auth.py:246 -msgid "Password changed successfully." -msgstr "密码更改成功" - -#: plugins/auth.py:233 templates/xadmin/auth/user/change_password.html:11 -#: templates/xadmin/auth/user/change_password.html:22 -#: templates/xadmin/auth/user/change_password.html:55 -msgid "Change password" -msgstr "修改密码" - -#: plugins/batch.py:44 -msgid "Change this field" -msgstr "修改该字段" - -#: plugins/batch.py:65 -#, python-format -msgid "Batch Change selected %(verbose_name_plural)s" -msgstr "批量修改选择的%(verbose_name_plural)s" - -#: plugins/batch.py:90 -#, python-format -msgid "Successfully change %(count)d %(items)s." -msgstr "成功修改了 %(count)d 个 %(items)s" - -#: plugins/batch.py:138 -#, python-format -msgid "Batch change %s" -msgstr "批量修改 %s" - -#: plugins/bookmark.py:171 -msgid "bookmark" -msgstr "书签" - -#: plugins/bookmark.py:173 -msgid "Bookmark Widget, can show user's bookmark list data in widget." -msgstr "书签组件,展示用户书签页内容。" - -#: plugins/chart.py:24 -msgid "Show models simple chart." -msgstr "展示简单数据图表" - -#: plugins/chart.py:49 -#, python-format -msgid "%s Charts" -msgstr "%s图表" - -#: plugins/comments.py:33 -msgid "Metadata" -msgstr "" - -#: plugins/comments.py:60 -msgid "flagged" -msgid_plural "flagged" -msgstr[0] "" - -#: plugins/comments.py:61 -msgid "Flag selected comments" -msgstr "" - -#: plugins/comments.py:66 -msgid "approved" -msgid_plural "approved" -msgstr[0] "" - -#: plugins/comments.py:67 -msgid "Approve selected comments" -msgstr "" - -#: plugins/comments.py:72 -#, fuzzy -msgid "removed" -msgid_plural "removed" -msgstr[0] "删除" - -#: plugins/comments.py:73 -#, fuzzy -msgid "Remove selected comments" -msgstr "恢复删除的%(name)s" - -#: plugins/comments.py:86 -#, python-format -msgid "1 comment was successfully %(action)s." -msgid_plural "%(count)s comments were successfully %(action)s." -msgstr[0] "" - -#: plugins/details.py:52 views/list.py:576 -#, python-format -msgid "Details of %s" -msgstr "%s详情" - -#: plugins/editable.py:47 -#, python-format -msgid "Enter %s" -msgstr "输入%s" - -#: plugins/editable.py:74 views/dashboard.py:638 views/delete.py:26 -#: views/detail.py:144 views/edit.py:428 -#, python-format -msgid "%(name)s object with primary key %(key)r does not exist." -msgstr "具有主键 %(key)r 的对象 %(name)s 不存在。" - -#: plugins/export.py:87 -msgid "Sheet" -msgstr "表" - -#: plugins/filters.py:125 -#, python-format -msgid "Filtering error: %s" -msgstr "过滤器错误: %s" - -#: plugins/images.py:29 -msgid "Previous" -msgstr "上一个" - -#: plugins/images.py:29 -msgid "Next" -msgstr "下一个" - -#: plugins/images.py:29 -msgid "Slideshow" -msgstr "幻灯片" - -#: plugins/images.py:29 -msgid "Download" -msgstr "下载" - -#: plugins/images.py:50 -msgid "Change:" -msgstr "修改:" - -#: plugins/layout.py:15 -msgid "Table" -msgstr "表格" - -#: plugins/layout.py:21 -msgid "Thumbnails" -msgstr "图标" - -#: plugins/passwords.py:64 -msgid "Forgotten your password or username?" -msgstr "忘记了您的密码或用户名?" - -#: plugins/quickform.py:77 -#, python-format -msgid "Create New %s" -msgstr "创建新的 %s" - -#: plugins/relate.py:73 -msgid "Related Objects" -msgstr "关联数据" - -#: plugins/relfield.py:29 plugins/topnav.py:35 -#, python-format -msgid "Search %s" -msgstr "搜索%s" - -#: plugins/themes.py:47 -msgid "Default" -msgstr "默认" - -#: plugins/themes.py:48 -msgid "Default bootstrap theme" -msgstr "默认Bootstrap主题" - -#: plugins/themes.py:49 -msgid "Bootstrap2" -msgstr "Bootstrap2" - -#: plugins/themes.py:49 -msgid "Bootstrap 2.x theme" -msgstr "Bootstrap2主题" - -#: plugins/topnav.py:58 views/dashboard.py:455 views/edit.py:361 -#: views/edit.py:370 -#, python-format -msgid "Add %s" -msgstr "增加 %s" - -#: plugins/xversion.py:130 -msgid "Initial version." -msgstr "初始化版本" - -#: plugins/xversion.py:132 -msgid "Change version." -msgstr "修改版本" - -#: plugins/xversion.py:134 -msgid "Revert version." -msgstr "还原版本" - -#: plugins/xversion.py:136 -msgid "Rercover version." -msgstr "恢复版本" - -#: plugins/xversion.py:138 -#, python-format -msgid "Deleted %(verbose_name)s." -msgstr "删除%(verbose_name)s。" - -#: plugins/xversion.py:166 templates/xadmin/views/recover_form.html:26 -msgid "Recover" -msgstr "还原" - -#: plugins/xversion.py:182 templates/xadmin/views/model_history.html:11 -#: templates/xadmin/views/revision_diff.html:11 -#: templates/xadmin/views/revision_form.html:15 -msgid "History" -msgstr "历史" - -#: plugins/xversion.py:225 templates/xadmin/views/recover_form.html:14 -#: templates/xadmin/views/recover_list.html:10 -#, python-format -msgid "Recover deleted %(name)s" -msgstr "恢复删除的%(name)s" - -#: plugins/xversion.py:263 -#, python-format -msgid "Change history: %s" -msgstr "变更历史: %s" - -#: plugins/xversion.py:313 -msgid "Must select two versions." -msgstr "必须选择两个版本。" - -#: plugins/xversion.py:321 -msgid "Please select two different versions." -msgstr "请选择两个不同的版本。" - -#: plugins/xversion.py:408 plugins/xversion.py:516 -#, python-format -msgid "Current: %s" -msgstr "当前:%s" - -#: plugins/xversion.py:440 -#, python-format -msgid "Revert %s" -msgstr "还原%s" - -#: plugins/xversion.py:456 -#, python-format -msgid "The %(model)s \"%(name)s\" was reverted successfully. You may edit it again below." -msgstr "%(model)s “%(name)s”成功还原,您可以继续编辑。" - -#: plugins/xversion.py:477 -#, python-format -msgid "Recover %s" -msgstr "恢复%s" - -#: plugins/xversion.py:493 -#, python-format -msgid "The %(model)s \"%(name)s\" was recovered successfully. You may edit it again below." -msgstr "%(model)s “%(name)s”成功恢复,您可以继续编辑。" - -#: templates/xadmin/404.html:4 templates/xadmin/404.html.py:8 -msgid "Page not found" -msgstr "页面没有找到" - -#: templates/xadmin/404.html:10 -msgid "We're sorry, but the requested page could not be found." -msgstr "很报歉,请求页面无法找到。" - -#: templates/xadmin/500.html:7 templates/xadmin/base_site.html:53 -#: templates/xadmin/auth/user/change_password.html:10 -#: templates/xadmin/auth/user/change_password.html:15 -#: templates/xadmin/includes/sitemenu_default.html:7 -#: templates/xadmin/views/app_index.html:9 -#: templates/xadmin/views/batch_change_form.html:9 -#: templates/xadmin/views/invalid_setup.html:7 -#: templates/xadmin/views/model_dashboard.html:7 -#: templates/xadmin/views/model_delete_selected_confirm.html:8 -#: templates/xadmin/views/model_history.html:8 -#: templates/xadmin/views/recover_form.html:8 -#: templates/xadmin/views/recover_list.html:8 -#: templates/xadmin/views/revision_diff.html:8 -#: templates/xadmin/views/revision_form.html:8 views/base.py:448 -msgid "Home" -msgstr "首页" - -#: templates/xadmin/500.html:8 -msgid "Server error" -msgstr "服务器错误" - -#: templates/xadmin/500.html:12 -msgid "Server error (500)" -msgstr "服务器错误(500)" - -#: templates/xadmin/500.html:15 -msgid "Server Error (500)" -msgstr "服务器错误 (500)" - -#: templates/xadmin/500.html:16 -msgid "There's been an error. It's been reported to the site administrators via e-mail and should be fixed shortly. Thanks for your patience." -msgstr "发生了一个错误。系统已将错误通过电子邮件报告给了站点管理员,相信问题应该会很快得到解决。感谢您的耐心。" - -#: templates/xadmin/base_site.html:19 -msgid "Welcome," -msgstr "欢迎," - -#: templates/xadmin/base_site.html:25 -msgid "Log out" -msgstr "注销" - -#: templates/xadmin/base_site.html:37 -msgid "You don't have permission to edit anything." -msgstr "你无权修改任何东西。" - -#: templates/xadmin/auth/password_reset/complete.html:11 -#: templates/xadmin/auth/password_reset/done.html:11 -msgid "Password reset successful" -msgstr "密码重设成功" - -#: templates/xadmin/auth/password_reset/complete.html:14 -msgid "Your password has been set. You may go ahead and log in now." -msgstr "你的口令己经设置。现在你可以继续进行登录。" - -#: templates/xadmin/auth/password_reset/complete.html:15 -msgid "Log in" -msgstr "登录" - -#: templates/xadmin/auth/password_reset/confirm.html:12 -msgid "Enter new password" -msgstr "输入新密码" - -#: templates/xadmin/auth/password_reset/confirm.html:17 -msgid "Please enter your new password twice so we can verify you typed it in correctly." -msgstr "请输入两遍新密码,以便我们校验你输入的是否正确。" - -#: templates/xadmin/auth/password_reset/confirm.html:19 -msgid "Change my password" -msgstr "修改我的密码" - -#: templates/xadmin/auth/password_reset/confirm.html:24 -msgid "Password reset unsuccessful" -msgstr "密码重设失败" - -#: templates/xadmin/auth/password_reset/confirm.html:27 -msgid "The password reset link was invalid, possibly because it has already been used. Please request a new password reset." -msgstr "密码重置链接无效,可能是因为它已使用。可以请求一次新的密码重置。" - -#: templates/xadmin/auth/password_reset/done.html:14 -msgid "We've e-mailed you instructions for setting your password to the e-mail address you submitted. You should be receiving it shortly." -msgstr "我们已经按你所提交的电子邮箱地址发送了密码设置说明。你应该很快就能收到这封邮件。" - -#: templates/xadmin/auth/password_reset/email.html:2 -#, python-format -msgid "You're receiving this e-mail because you requested a password reset for your user account at %(site_name)s." -msgstr "因为你要求重置 %(site_name)s 上的账户密码, 所以收到了这封邮件." - -#: templates/xadmin/auth/password_reset/email.html:4 -msgid "Please go to the following page and choose a new password:" -msgstr "请访问该页面并选择一个新密码:" - -#: templates/xadmin/auth/password_reset/email.html:8 -msgid "Your username, in case you've forgotten:" -msgstr "你的用户名,如果已忘记的话:" - -#: templates/xadmin/auth/password_reset/email.html:10 -msgid "Thanks for using our site!" -msgstr "感谢使用我们的站点!" - -#: templates/xadmin/auth/password_reset/email.html:12 -#, python-format -msgid "The %(site_name)s team" -msgstr "%(site_name)s 团队" - -#: templates/xadmin/auth/password_reset/form.html:13 -msgid "Password reset" -msgstr "密码重设" - -#: templates/xadmin/auth/password_reset/form.html:17 -msgid "Forgotten your password? Enter your e-mail address below, and we'll e-mail instructions for setting a new one." -msgstr "忘记了你的密码?请在下面输入你的 e-mail 地址,我们将把新密码设置说明通过邮件发送给你。" - -#: templates/xadmin/auth/password_reset/form.html:25 -msgid "E-mail address:" -msgstr "E-mail 地址:" - -#: templates/xadmin/auth/password_reset/form.html:33 -msgid "Reset my password" -msgstr "重设我的密码" - -#: templates/xadmin/auth/user/add_form.html:6 -msgid "First, enter a username and password. Then, you'll be able to edit more user options." -msgstr "首先,输入一个用户名和密码。然后,你就可以编辑更多的用户选项。" - -#: templates/xadmin/auth/user/add_form.html:8 -msgid "Enter a username and password." -msgstr "输入用户名和" - -#: templates/xadmin/auth/user/change_password.html:31 -#: templates/xadmin/views/batch_change_form.html:24 -#: templates/xadmin/views/form.html:18 -#: templates/xadmin/views/model_form.html:20 -msgid "Please correct the error below." -msgid_plural "Please correct the errors below." -msgstr[0] "请修正下面的错误。" - -#: templates/xadmin/auth/user/change_password.html:38 -msgid "Enter your new password." -msgstr "输入你的新密码" - -#: templates/xadmin/auth/user/change_password.html:40 -#, python-format -msgid "Enter a new password for the user %(username)s." -msgstr "为用户 %(username)s 输入一个新的密码。" - -#: templates/xadmin/blocks/comm.top.theme.html:4 -msgid "Themes" -msgstr "主题" - -#: templates/xadmin/blocks/comm.top.topnav.html:8 -#: templates/xadmin/filters/char.html:7 -#: templates/xadmin/filters/fk_search.html:7 -#: templates/xadmin/filters/fk_search.html:14 -#: templates/xadmin/filters/number.html:7 -msgid "Search" -msgstr "搜索" - -#: templates/xadmin/blocks/comm.top.topnav.html:22 -msgid "Add" -msgstr "增加" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:9 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:26 -msgid "Prev step" -msgstr "上一步" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:13 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:29 -msgid "Next step" -msgstr "下一步" - -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:15 -#: templates/xadmin/blocks/model_form.submit_line.wizard.html:31 -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Save" -msgstr "保存" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:7 -msgid "Clean Bookmarks" -msgstr "清除书签" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:18 -msgid "No Bookmarks" -msgstr "没有书签" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:22 -msgid "New Bookmark" -msgstr "新建书签" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:26 -msgid "Save current page as Bookmark" -msgstr "将当前页面保存为书签" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:32 -msgid "Enter bookmark title" -msgstr "输入书签标题" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Waiting" -msgstr "请稍侯" - -#: templates/xadmin/blocks/model_list.nav_menu.bookmarks.html:33 -msgid "Save Bookmark" -msgstr "保存书签" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:4 -msgid "Filters" -msgstr "过滤器" - -#: templates/xadmin/blocks/model_list.nav_menu.filters.html:8 -msgid "Clean Filters" -msgstr "清除过滤器" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -msgid "Click here to select the objects across all pages" -msgstr "点击此处选择所有页面中包含的对象。" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:19 -#, python-format -msgid "Select all %(total_count)s %(module_name)s" -msgstr "选中所有的 %(total_count)s 个 %(module_name)s" - -#: templates/xadmin/blocks/model_list.results_bottom.actions.html:20 -msgid "Clear selection" -msgstr "清除选中" - -#: templates/xadmin/blocks/model_list.results_top.charts.html:4 -msgid "Charts" -msgstr "图表" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:4 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:8 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:19 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:44 -msgid "Export" -msgstr "导出" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:26 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:29 -msgid "Export with table header." -msgstr "导出表头" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:32 -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:35 -msgid "Export with format." -msgstr "导出格式" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:39 -msgid "Export all data." -msgstr "导出全部数据" - -#: templates/xadmin/blocks/model_list.top_toolbar.exports.html:43 -#: templates/xadmin/widgets/base.html:40 -msgid "Close" -msgstr "关闭" - -#: templates/xadmin/blocks/model_list.top_toolbar.layouts.html:4 -msgid "Layout" -msgstr "布局" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:8 -msgid "Clean Refresh" -msgstr "清除自动刷新" - -#: templates/xadmin/blocks/model_list.top_toolbar.refresh.html:14 -#, python-format -msgid "Every %(t)s seconds" -msgstr "每 %(t)s 秒" - -#: templates/xadmin/edit_inline/blank.html:5 views/detail.py:22 -#: views/edit.py:100 views/list.py:28 -msgid "Null" -msgstr "空" - -#: templates/xadmin/filters/char.html:13 -msgid "Enter" -msgstr "输入" - -#: templates/xadmin/filters/date.html:10 templates/xadmin/filters/date.html:13 -msgid "Choice Date" -msgstr "选择日期" - -#: templates/xadmin/filters/date.html:18 -msgid "YY" -msgstr "年" - -#: templates/xadmin/filters/date.html:19 -msgid "year" -msgstr "年" - -#: templates/xadmin/filters/date.html:22 -msgid "MM" -msgstr "月" - -#: templates/xadmin/filters/date.html:23 -msgid "month" -msgstr "月" - -#: templates/xadmin/filters/date.html:26 -msgid "DD" -msgstr "日" - -#: templates/xadmin/filters/date.html:27 -msgid "day" -msgstr "日" - -#: templates/xadmin/filters/date.html:29 templates/xadmin/filters/date.html:46 -#: templates/xadmin/filters/date.html:54 -#: templates/xadmin/filters/fk_search.html:16 -#: templates/xadmin/filters/number.html:37 -msgid "Apply" -msgstr "应用" - -#: templates/xadmin/filters/date.html:34 -msgid "Date Range" -msgstr "日期范围" - -#: templates/xadmin/filters/date.html:41 -msgid "Select Date" -msgstr "选择日期" - -#: templates/xadmin/filters/date.html:42 -msgid "From" -msgstr "从" - -#: templates/xadmin/filters/date.html:44 -msgid "To" -msgstr "到" - -#: templates/xadmin/filters/fk_search.html:18 -#: templates/xadmin/filters/number.html:39 -msgid "Clean" -msgstr "清除" - -#: templates/xadmin/filters/number.html:17 -#: templates/xadmin/filters/number.html:25 -#: templates/xadmin/filters/number.html:33 -msgid "Enter Number" -msgstr "输入数字" - -#: templates/xadmin/filters/rel.html:3 -#, python-format -msgid " By %(filter_title)s " -msgstr " 以 %(filter_title)s" - -#: templates/xadmin/forms/transfer.html:4 -msgid "Available" -msgstr "可用项" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Click to choose all at once." -msgstr "点击一次性选择全部" - -#: templates/xadmin/forms/transfer.html:12 -msgid "Choose all" -msgstr "选择全部" - -#: templates/xadmin/forms/transfer.html:16 -msgid "Choose" -msgstr "选择" - -#: templates/xadmin/forms/transfer.html:19 -#: templates/xadmin/widgets/base.html:39 -msgid "Remove" -msgstr "删除" - -#: templates/xadmin/forms/transfer.html:23 -msgid "Chosen" -msgstr "已选项" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Click to remove all chosen at once." -msgstr "点击一次性删除全部" - -#: templates/xadmin/forms/transfer.html:27 -msgid "Remove all" -msgstr "删除全部" - -#: templates/xadmin/includes/pagination.html:9 -msgid "Show all" -msgstr "显示全部" - -#: templates/xadmin/includes/submit_line.html:10 -#: templates/xadmin/includes/submit_line.html:13 -#: templates/xadmin/views/form.html:30 -msgid "Saving.." -msgstr "保存中.." - -#: templates/xadmin/includes/submit_line.html:17 -msgid "Save as new" -msgstr "保存为新的" - -#: templates/xadmin/includes/submit_line.html:18 -msgid "Save and add another" -msgstr "保存并增加另一个" - -#: templates/xadmin/includes/submit_line.html:19 -msgid "Save and continue editing" -msgstr "保存并继续编辑" - -#: templates/xadmin/includes/submit_line.html:24 -#: templates/xadmin/views/model_detail.html:28 views/delete.py:91 -msgid "Delete" -msgstr "删除" - -#: templates/xadmin/views/app_index.html:13 -#, python-format -msgid "%(name)s" -msgstr "%(name)s" - -#: templates/xadmin/views/batch_change_form.html:11 -msgid "Change multiple objects" -msgstr "修改多个数据" - -#: templates/xadmin/views/batch_change_form.html:16 -#, python-format -msgid "Change one %(objects_name)s" -msgid_plural "Batch change %(counter)s %(objects_name)s" -msgstr[0] "批量修改 %(counter)s 个 %(objects_name)s" - -#: templates/xadmin/views/batch_change_form.html:38 -msgid "Change Multiple" -msgstr "修改多个数据" - -#: templates/xadmin/views/dashboard.html:15 -#: templates/xadmin/views/dashboard.html:22 -#: templates/xadmin/views/dashboard.html:23 -msgid "Add Widget" -msgstr "添加小组件" - -#: templates/xadmin/views/invalid_setup.html:13 -msgid "Something's wrong with your database installation. Make sure the appropriate database tables have been created, and make sure the database is readable by the appropriate user." -msgstr "你的数据库安装有误。确保已经创建了相应的数据库表,并确保数据库可被相关的用户读取。" - -#: templates/xadmin/views/logged_out.html:16 -msgid "Logout Success" -msgstr "成功退出" - -#: templates/xadmin/views/logged_out.html:17 -msgid "Thanks for spending some quality time with the Web site today." -msgstr "感谢您今天在本站花费了一些宝贵时间。" - -#: templates/xadmin/views/logged_out.html:19 -msgid "Close Window" -msgstr "关闭窗口" - -#: templates/xadmin/views/logged_out.html:20 -msgid "Log in again" -msgstr "重新登录" - -#: templates/xadmin/views/login.html:39 views/website.py:38 -msgid "Please Login" -msgstr "请登录" - -#: templates/xadmin/views/login.html:52 -msgid "Username" -msgstr "用户名" - -#: templates/xadmin/views/login.html:64 -msgid "Password" -msgstr "密码" - -#: templates/xadmin/views/login.html:75 -msgid "log in" -msgstr "登录" - -#: templates/xadmin/views/model_dashboard.html:26 -#: templates/xadmin/views/model_detail.html:25 -msgid "Edit" -msgstr "编辑" - -#: templates/xadmin/views/model_delete_confirm.html:11 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "要删除所选的%(verbose_name)s '%(escaped_object)s' 结果会删除相关对象, 但你的账户没有权限删除这类对象:" - -#: templates/xadmin/views/model_delete_confirm.html:19 -#, python-format -msgid "Deleting the %(verbose_name)s '%(escaped_object)s' would require deleting the following protected related objects:" -msgstr "要删除所选的%(verbose_name)s '%(escaped_object)s' 将要求删除以下受保护的相关对象:" - -#: templates/xadmin/views/model_delete_confirm.html:27 -#, python-format -msgid "Are you sure you want to delete the %(verbose_name)s \"%(escaped_object)s\"? All of the following related items will be deleted:" -msgstr "请确认要删除选中的%(verbose_name)s \"%(escaped_object)s\"吗?以下所有对象和余它们相关的条目将都会被删除:" - -#: templates/xadmin/views/model_delete_confirm.html:34 -#: templates/xadmin/views/model_delete_selected_confirm.html:49 -msgid "Yes, I'm sure" -msgstr "是的,我确定" - -#: templates/xadmin/views/model_delete_confirm.html:35 -#: templates/xadmin/views/model_delete_selected_confirm.html:50 -msgid "Cancel" -msgstr "取消" - -#: templates/xadmin/views/model_delete_selected_confirm.html:10 -msgid "Delete multiple objects" -msgstr "删除多个对象" - -#: templates/xadmin/views/model_delete_selected_confirm.html:18 -#, python-format -msgid "Deleting the selected %(objects_name)s would result in deleting related objects, but your account doesn't have permission to delete the following types of objects:" -msgstr "要删除所选的 %(objects_name)s 结果会删除相关对象, 但你的账户没有权限删除这类对象:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:26 -#, python-format -msgid "Deleting the selected %(objects_name)s would require deleting the following protected related objects:" -msgstr "要删除所选的 %(objects_name)s, 将要求删除以下受保护的相关对象:" - -#: templates/xadmin/views/model_delete_selected_confirm.html:34 -#, python-format -msgid "Are you sure you want to delete the selected %(objects_name)s? All of the following objects and their related items will be deleted:" -msgstr "请确认要删除选中的 %(objects_name)s 吗?以下所有对象和余它们相关的条目将都会被删除:" - -#: templates/xadmin/views/model_history.html:26 -msgid "Diff" -msgstr "不同" - -#: templates/xadmin/views/model_history.html:27 -#: templates/xadmin/views/recover_list.html:25 -msgid "Date/time" -msgstr "日期/时间" - -#: templates/xadmin/views/model_history.html:28 -msgid "User" -msgstr "用户" - -#: templates/xadmin/views/model_history.html:29 -msgid "Comment" -msgstr "注释" - -#: templates/xadmin/views/model_history.html:54 -msgid "Diff Select Versions" -msgstr "查看所选版本的不同" - -#: templates/xadmin/views/model_history.html:58 -msgid "This object doesn't have a change history. It probably wasn't added via this admin site." -msgstr "该对象没有变更历史记录。可能从未通过这个管理站点添加。" - -#: templates/xadmin/views/model_list.html:29 -#, python-format -msgid "Add %(name)s" -msgstr "增加 %(name)s" - -#: templates/xadmin/views/model_list.html:39 -#, fuzzy -msgid "Columns" -msgstr "列" - -#: templates/xadmin/views/model_list.html:42 -msgid "Restore Selected" -msgstr "恢复显示列" - -#: templates/xadmin/views/model_list.html:147 -#: templates/xadmin/widgets/list.html:33 -msgid "Empty list" -msgstr "空列表" - -#: templates/xadmin/views/recover_form.html:20 -msgid "Press the recover button below to recover this version of the object." -msgstr "点击下方的“还原”按钮还原到该版本。" - -#: templates/xadmin/views/recover_list.html:19 -msgid "Choose a date from the list below to recover a deleted version of an object." -msgstr "从以下列表中选择一个日期来恢复删除掉的数据。" - -#: templates/xadmin/views/recover_list.html:39 -msgid "There are no deleted objects to recover." -msgstr "没有已删除的数据。" - -#: templates/xadmin/views/revision_diff.html:12 -#: templates/xadmin/views/revision_diff.html:17 -#, python-format -msgid "Diff %(verbose_name)s" -msgstr "%(verbose_name)s的不同" - -#: templates/xadmin/views/revision_diff.html:25 -msgid "Field" -msgstr "字段" - -#: templates/xadmin/views/revision_diff.html:26 -msgid "Version A" -msgstr "版本A" - -#: templates/xadmin/views/revision_diff.html:27 -msgid "Version B" -msgstr "版本B" - -#: templates/xadmin/views/revision_diff.html:39 -msgid "Revert to" -msgstr "还原到" - -#: templates/xadmin/views/revision_diff.html:40 -#: templates/xadmin/views/revision_diff.html:41 -msgid "Revert" -msgstr "还原" - -#: templates/xadmin/views/revision_form.html:16 -#, python-format -msgid "Revert %(verbose_name)s" -msgstr "还原%(verbose_name)s" - -#: templates/xadmin/views/revision_form.html:21 -msgid "Press the revert button below to revert to this version of the object." -msgstr "点击下方的“还原”按钮还原数据到该版本。" - -#: templates/xadmin/views/revision_form.html:27 -msgid "Revert this revision" -msgstr "还原该版本" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Success" -msgstr "成功" - -#: templates/xadmin/widgets/addform.html:14 -msgid "Add success, click edit to edit." -msgstr "添加成功,点击 编辑 可以继续修改该数据。" - -#: templates/xadmin/widgets/addform.html:17 -msgid "Quick Add" -msgstr "快速添加" - -#: templates/xadmin/widgets/base.html:30 -msgid "Widget Options" -msgstr "小组件设置项" - -#: templates/xadmin/widgets/base.html:41 -msgid "Save changes" -msgstr "保存变更" - -#: views/base.py:430 -msgid "Django Xadmin" -msgstr "Django Xadmin" - -#: views/dashboard.py:185 -msgid "Widget ID" -msgstr "小组件ID" - -#: views/dashboard.py:186 -msgid "Widget Title" -msgstr "小组件标题" - -#: views/dashboard.py:248 -msgid "Html Content Widget, can write any html content in widget." -msgstr "HTML内容小组件,可以编写任意HTML内容。" - -#: views/dashboard.py:251 -msgid "Html Content" -msgstr "HTML内容" - -#: views/dashboard.py:314 -msgid "Target Model" -msgstr "目标数据" - -#: views/dashboard.py:365 -msgid "Quick button Widget, quickly open any page." -msgstr "快捷按钮小组件,可以快速打开任意页面。" - -#: views/dashboard.py:367 -msgid "Quick Buttons" -msgstr "快速按钮" - -#: views/dashboard.py:408 -msgid "Any Objects list Widget." -msgstr "数据列表小组件" - -#: views/dashboard.py:447 -msgid "Add any model object Widget." -msgstr "添加任意数据的小组件" - -#: views/dashboard.py:481 -msgid "Dashboard" -msgstr "仪表盘" - -#: views/dashboard.py:622 -#, python-format -msgid "%s Dashboard" -msgstr "%s 主页" - -#: views/delete.py:101 -#, python-format -msgid "The %(name)s \"%(obj)s\" was deleted successfully." -msgstr "%(name)s \"%(obj)s\" 删除成功。" - -#: views/detail.py:172 views/edit.py:199 views/form.py:72 -msgid "Other Fields" -msgstr "其它字段" - -#: views/detail.py:233 -#, python-format -msgid "%s Detail" -msgstr "%s详情" - -#: views/edit.py:394 -#, python-format -msgid "The %(name)s \"%(obj)s\" was added successfully." -msgstr "%(name)s \"%(obj)s\" 添加成功。" - -#: views/edit.py:399 views/edit.py:494 -msgid "You may edit it again below." -msgstr "你可以在下面再次编辑它。" - -#: views/edit.py:403 views/edit.py:497 -#, python-format -msgid "You may add another %s below." -msgstr "你可以在下面增加另一个 %s 。" - -#: views/edit.py:445 -#, python-format -msgid "Change %s" -msgstr "修改 %s" - -#: views/edit.py:490 -#, python-format -msgid "The %(name)s \"%(obj)s\" was changed successfully." -msgstr "%(name)s \"%(obj)s\" 修改成功。" - -#: views/form.py:164 -#, fuzzy, python-format -msgid "The %s was changed successfully." -msgstr "%(name)s \"%(obj)s\" 修改成功。" - -#: views/list.py:198 -msgid "Database error" -msgstr "数据库错误" - -#: views/list.py:372 -#, python-format -msgid "%s List" -msgstr "%s列表" - -#: views/list.py:500 -msgid "Sort ASC" -msgstr "正序" - -#: views/list.py:501 -msgid "Sort DESC" -msgstr "倒序" - -#: views/list.py:505 -msgid "Cancel Sort" -msgstr "取消排序" - -#: views/website.py:16 -msgid "Main Dashboard" -msgstr "主页面" diff --git a/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/djangojs.po b/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/djangojs.po deleted file mode 100644 index 0fc75bc..0000000 --- a/pillbox-engine/xadmin/locale/zh_CN/LC_MESSAGES/djangojs.po +++ /dev/null @@ -1,70 +0,0 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. -# -# Translators: -# sshwsfc , 2013 -msgid "" -msgstr "" -"Project-Id-Version: xadmin-core\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-04-30 23:11+0800\n" -"PO-Revision-Date: 2013-11-20 12:41+0000\n" -"Last-Translator: sshwsfc \n" -"Language-Team: Chinese (China) (http://www.transifex.com/projects/p/xadmin/language/zh_CN/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: static/xadmin/js/xadmin.plugin.actions.js:20 -msgid "%(sel)s of %(cnt)s selected" -msgid_plural "%(sel)s of %(cnt)s selected" -msgstr[0] "选中了 %(cnt)s 个中的 %(sel)s 个" - -#: static/xadmin/js/xadmin.plugin.revision.js:25 -msgid "New Item" -msgstr "新项目" - -#: static/xadmin/js/xadmin.widget.datetime.js:32 -msgid "Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday" -msgstr "星期日 星期一 星期二 星期三 星期四 星期五 星期六" - -#: static/xadmin/js/xadmin.widget.datetime.js:33 -msgid "Sun Mon Tue Wed Thu Fri Sat Sun" -msgstr "日 一 二 三 四 五 六" - -#: static/xadmin/js/xadmin.widget.datetime.js:34 -msgid "Su Mo Tu We Th Fr Sa Su" -msgstr "日 一 二 三 四 五 六" - -#: static/xadmin/js/xadmin.widget.datetime.js:35 -msgid "" -"January February March April May June July August September October November" -" December" -msgstr "一月 二月 三月 四月 五月 六月 七月 八月 九月 十月 十一月 十二月" - -#: static/xadmin/js/xadmin.widget.datetime.js:36 -msgid "Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" -msgstr "一月 二月 三月 四月 五月 六月 七月 八月 九月 十月 十一 十二" - -#: static/xadmin/js/xadmin.widget.datetime.js:37 -msgid "Today" -msgstr "今天" - -#: static/xadmin/js/xadmin.widget.datetime.js:38 -msgid "%a %d %b %Y %T %Z" -msgstr "" - -#: static/xadmin/js/xadmin.widget.datetime.js:39 -msgid "AM PM" -msgstr "上午 下午" - -#: static/xadmin/js/xadmin.widget.datetime.js:40 -msgid "am pm" -msgstr "上午 下午" - -#: static/xadmin/js/xadmin.widget.datetime.js:43 -msgid "%T" -msgstr "%T" diff --git a/pillbox-engine/xadmin/models.py b/pillbox-engine/xadmin/models.py deleted file mode 100644 index 614f404..0000000 --- a/pillbox-engine/xadmin/models.py +++ /dev/null @@ -1,137 +0,0 @@ -import json -import django -from django.db import models -from django.conf import settings -from django.contrib.contenttypes.models import ContentType -from django.utils.translation import ugettext_lazy as _ -from django.core.urlresolvers import reverse -from django.core.serializers.json import DjangoJSONEncoder -from django.db.models.base import ModelBase -from django.utils.encoding import smart_unicode - -from django.db.models.signals import post_syncdb -from django.contrib.auth.models import Permission - -import datetime -import decimal - -if 4 < django.VERSION[1] < 7: - AUTH_USER_MODEL = django.contrib.auth.get_user_model() -else: - AUTH_USER_MODEL = getattr(settings, 'AUTH_USER_MODEL', 'auth.User') - - -def add_view_permissions(sender, **kwargs): - """ - This syncdb hooks takes care of adding a view permission too all our - content types. - """ - # for each of our content types - for content_type in ContentType.objects.all(): - # build our permission slug - codename = "view_%s" % content_type.model - - # if it doesn't exist.. - if not Permission.objects.filter(content_type=content_type, codename=codename): - # add it - Permission.objects.create(content_type=content_type, - codename=codename, - name="Can view %s" % content_type.name) - #print "Added view permission for %s" % content_type.name - -# check for all our view permissions after a syncdb -post_syncdb.connect(add_view_permissions) - - -class Bookmark(models.Model): - title = models.CharField(_(u'Title'), max_length=128) - user = models.ForeignKey(AUTH_USER_MODEL, verbose_name=_(u"user"), blank=True, null=True) - url_name = models.CharField(_(u'Url Name'), max_length=64) - content_type = models.ForeignKey(ContentType) - query = models.CharField(_(u'Query String'), max_length=1000, blank=True) - is_share = models.BooleanField(_(u'Is Shared'), default=False) - - @property - def url(self): - base_url = reverse(self.url_name) - if self.query: - base_url = base_url + '?' + self.query - return base_url - - def __unicode__(self): - return self.title - - class Meta: - verbose_name = _(u'Bookmark') - verbose_name_plural = _('Bookmarks') - - -class JSONEncoder(DjangoJSONEncoder): - def default(self, o): - if isinstance(o, datetime.date): - return o.strftime('%Y-%m-%d') - elif isinstance(o, datetime.datetime): - return o.strftime('%Y-%m-%d %H:%M:%S') - elif isinstance(o, decimal.Decimal): - return str(o) - elif isinstance(o, ModelBase): - return '%s.%s' % (o._meta.app_label, o._meta.module_name) - else: - try: - return super(JSONEncoder, self).default(o) - except Exception: - return smart_unicode(o) - - -class UserSettings(models.Model): - user = models.ForeignKey(AUTH_USER_MODEL, verbose_name=_(u"user")) - key = models.CharField(_('Settings Key'), max_length=256) - value = models.TextField(_('Settings Content')) - - def json_value(self): - return json.loads(self.value) - - def set_json(self, obj): - self.value = json.dumps(obj, cls=JSONEncoder, ensure_ascii=False) - - def __unicode__(self): - return "%s %s" % (self.user, self.key) - - class Meta: - verbose_name = _(u'User Setting') - verbose_name_plural = _('User Settings') - - -class UserWidget(models.Model): - user = models.ForeignKey(AUTH_USER_MODEL, verbose_name=_(u"user")) - page_id = models.CharField(_(u"Page"), max_length=256) - widget_type = models.CharField(_(u"Widget Type"), max_length=50) - value = models.TextField(_(u"Widget Params")) - - def get_value(self): - value = json.loads(self.value) - value['id'] = self.id - value['type'] = self.widget_type - return value - - def set_value(self, obj): - self.value = json.dumps(obj, cls=JSONEncoder, ensure_ascii=False) - - def save(self, *args, **kwargs): - created = self.pk is None - super(UserWidget, self).save(*args, **kwargs) - if created: - try: - portal_pos = UserSettings.objects.get( - user=self.user, key="dashboard:%s:pos" % self.page_id) - portal_pos.value = "%s,%s" % (self.pk, portal_pos.value) if portal_pos.value else self.pk - portal_pos.save() - except Exception: - pass - - def __unicode__(self): - return "%s %s widget" % (self.user, self.widget_type) - - class Meta: - verbose_name = _(u'User Widget') - verbose_name_plural = _('User Widgets') diff --git a/pillbox-engine/xadmin/plugins/__init__.py b/pillbox-engine/xadmin/plugins/__init__.py deleted file mode 100644 index d6c7b28..0000000 --- a/pillbox-engine/xadmin/plugins/__init__.py +++ /dev/null @@ -1,14 +0,0 @@ - -PLUGINS = ('actions', 'filters', 'bookmark', 'export', 'layout', 'refresh', 'sortable', 'details', - 'editable', 'relate', 'chart', 'ajax', 'relfield', 'inline', 'topnav', 'portal', 'quickform', - 'wizard', 'images', 'auth', 'multiselect', 'themes', 'aggregation', 'mobile', 'passwords', - 'sitemenu', 'language', 'comments','quickfilter') - - -def register_builtin_plugins(site): - from django.utils.importlib import import_module - from django.conf import settings - - exclude_plugins = getattr(settings, 'XADMIN_EXCLUDE_PLUGINS', []) - - [import_module('xadmin.plugins.%s' % plugin) for plugin in PLUGINS if plugin not in exclude_plugins] diff --git a/pillbox-engine/xadmin/plugins/actions.py b/pillbox-engine/xadmin/plugins/actions.py deleted file mode 100644 index 6dbb4cf..0000000 --- a/pillbox-engine/xadmin/plugins/actions.py +++ /dev/null @@ -1,285 +0,0 @@ -from django import forms -from django.core.exceptions import PermissionDenied -from django.db import router -from django.http import HttpResponse, HttpResponseRedirect -from django.template import loader -from django.template.response import TemplateResponse -from django.utils.datastructures import SortedDict -from django.utils.encoding import force_unicode -from django.utils.safestring import mark_safe -from django.utils.translation import ugettext as _, ungettext -from django.utils.text import capfirst -from xadmin.sites import site -from xadmin.util import model_format_dict, get_deleted_objects, model_ngettext -from xadmin.views import BaseAdminPlugin, ListAdminView -from xadmin.views.base import filter_hook, ModelAdminView - - -ACTION_CHECKBOX_NAME = '_selected_action' -checkbox = forms.CheckboxInput({'class': 'action-select'}, lambda value: False) - - -def action_checkbox(obj): - return checkbox.render(ACTION_CHECKBOX_NAME, force_unicode(obj.pk)) -action_checkbox.short_description = mark_safe( - '') -action_checkbox.allow_tags = True -action_checkbox.allow_export = False -action_checkbox.is_column = False - - -class BaseActionView(ModelAdminView): - action_name = None - description = None - icon = 'fa fa-tasks' - - model_perm = 'change' - - @classmethod - def has_perm(cls, list_view): - return list_view.get_model_perms()[cls.model_perm] - - def init_action(self, list_view): - self.list_view = list_view - self.admin_site = list_view.admin_site - - @filter_hook - def do_action(self, queryset): - pass - - -class DeleteSelectedAction(BaseActionView): - - action_name = "delete_selected" - description = _(u'Delete selected %(verbose_name_plural)s') - - delete_confirmation_template = None - delete_selected_confirmation_template = None - - model_perm = 'delete' - icon = 'fa fa-times' - - @filter_hook - def delete_models(self, queryset): - n = queryset.count() - if n: - queryset.delete() - self.message_user(_("Successfully deleted %(count)d %(items)s.") % { - "count": n, "items": model_ngettext(self.opts, n) - }, 'success') - - @filter_hook - def do_action(self, queryset): - # Check that the user has delete permission for the actual model - if not self.has_delete_permission(): - raise PermissionDenied - - using = router.db_for_write(self.model) - - # Populate deletable_objects, a data structure of all related objects that - # will also be deleted. - deletable_objects, perms_needed, protected = get_deleted_objects( - queryset, self.opts, self.user, self.admin_site, using) - - # The user has already confirmed the deletion. - # Do the deletion and return a None to display the change list view again. - if self.request.POST.get('post'): - if perms_needed: - raise PermissionDenied - self.delete_models(queryset) - # Return None to display the change list page again. - return None - - if len(queryset) == 1: - objects_name = force_unicode(self.opts.verbose_name) - else: - objects_name = force_unicode(self.opts.verbose_name_plural) - - if perms_needed or protected: - title = _("Cannot delete %(name)s") % {"name": objects_name} - else: - title = _("Are you sure?") - - context = self.get_context() - context.update({ - "title": title, - "objects_name": objects_name, - "deletable_objects": [deletable_objects], - 'queryset': queryset, - "perms_lacking": perms_needed, - "protected": protected, - "opts": self.opts, - "app_label": self.app_label, - 'action_checkbox_name': ACTION_CHECKBOX_NAME, - }) - - # Display the confirmation page - return TemplateResponse(self.request, self.delete_selected_confirmation_template or - self.get_template_list('views/model_delete_selected_confirm.html'), context, current_app=self.admin_site.name) - - -class ActionPlugin(BaseAdminPlugin): - - # Actions - actions = [] - actions_selection_counter = True - global_actions = [DeleteSelectedAction] - - def init_request(self, *args, **kwargs): - self.actions = self.get_actions() - return bool(self.actions) - - def get_list_display(self, list_display): - if self.actions: - list_display.insert(0, 'action_checkbox') - self.admin_view.action_checkbox = action_checkbox - return list_display - - def get_list_display_links(self, list_display_links): - if self.actions: - if len(list_display_links) == 1 and list_display_links[0] == 'action_checkbox': - return list(self.admin_view.list_display[1:2]) - return list_display_links - - def get_context(self, context): - if self.actions and self.admin_view.result_count: - av = self.admin_view - selection_note_all = ungettext('%(total_count)s selected', - 'All %(total_count)s selected', av.result_count) - - new_context = { - 'selection_note': _('0 of %(cnt)s selected') % {'cnt': len(av.result_list)}, - 'selection_note_all': selection_note_all % {'total_count': av.result_count}, - 'action_choices': self.get_action_choices(), - 'actions_selection_counter': self.actions_selection_counter, - } - context.update(new_context) - return context - - def post_response(self, response, *args, **kwargs): - request = self.admin_view.request - av = self.admin_view - - # Actions with no confirmation - if self.actions and 'action' in request.POST: - action = request.POST['action'] - - if action not in self.actions: - msg = _("Items must be selected in order to perform " - "actions on them. No items have been changed.") - av.message_user(msg) - else: - ac, name, description, icon = self.actions[action] - select_across = request.POST.get('select_across', False) == '1' - selected = request.POST.getlist(ACTION_CHECKBOX_NAME) - - if not selected and not select_across: - # Reminder that something needs to be selected or nothing will happen - msg = _("Items must be selected in order to perform " - "actions on them. No items have been changed.") - av.message_user(msg) - else: - queryset = av.list_queryset._clone() - if not select_across: - # Perform the action only on the selected objects - queryset = av.list_queryset.filter(pk__in=selected) - response = self.response_action(ac, queryset) - # Actions may return an HttpResponse, which will be used as the - # response from the POST. If not, we'll be a good little HTTP - # citizen and redirect back to the changelist page. - if isinstance(response, HttpResponse): - return response - else: - return HttpResponseRedirect(request.get_full_path()) - return response - - def response_action(self, ac, queryset): - if isinstance(ac, type) and issubclass(ac, BaseActionView): - action_view = self.get_model_view(ac, self.admin_view.model) - action_view.init_action(self.admin_view) - return action_view.do_action(queryset) - else: - return ac(self.admin_view, self.request, queryset) - - def get_actions(self): - if self.actions is None: - return SortedDict() - - actions = [self.get_action(action) for action in self.global_actions] - - for klass in self.admin_view.__class__.mro()[::-1]: - class_actions = getattr(klass, 'actions', []) - if not class_actions: - continue - actions.extend( - [self.get_action(action) for action in class_actions]) - - # get_action might have returned None, so filter any of those out. - actions = filter(None, actions) - - # Convert the actions into a SortedDict keyed by name. - actions = SortedDict([ - (name, (ac, name, desc, icon)) - for ac, name, desc, icon in actions - ]) - - return actions - - def get_action_choices(self): - """ - Return a list of choices for use in a form object. Each choice is a - tuple (name, description). - """ - choices = [] - for ac, name, description, icon in self.actions.itervalues(): - choice = (name, description % model_format_dict(self.opts), icon) - choices.append(choice) - return choices - - def get_action(self, action): - if isinstance(action, type) and issubclass(action, BaseActionView): - if not action.has_perm(self.admin_view): - return None - return action, getattr(action, 'action_name'), getattr(action, 'description'), getattr(action, 'icon') - - elif callable(action): - func = action - action = action.__name__ - - elif hasattr(self.admin_view.__class__, action): - func = getattr(self.admin_view.__class__, action) - - else: - return None - - if hasattr(func, 'short_description'): - description = func.short_description - else: - description = capfirst(action.replace('_', ' ')) - - return func, action, description, getattr(func, 'icon', 'tasks') - - # View Methods - def result_header(self, item, field_name, row): - if item.attr and field_name == 'action_checkbox': - item.classes.append("action-checkbox-column") - return item - - def result_item(self, item, obj, field_name, row): - if item.field is None and field_name == u'action_checkbox': - item.classes.append("action-checkbox") - return item - - # Media - def get_media(self, media): - if self.actions and self.admin_view.result_count: - media = media + self.vendor('xadmin.plugin.actions.js', 'xadmin.plugins.css') - return media - - # Block Views - def block_results_bottom(self, context, nodes): - if self.actions and self.admin_view.result_count: - nodes.append(loader.render_to_string('xadmin/blocks/model_list.results_bottom.actions.html', context_instance=context)) - - -site.register_plugin(ActionPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/aggregation.py b/pillbox-engine/xadmin/plugins/aggregation.py deleted file mode 100644 index 16114da..0000000 --- a/pillbox-engine/xadmin/plugins/aggregation.py +++ /dev/null @@ -1,69 +0,0 @@ -from django.db.models import FieldDoesNotExist, Avg, Max, Min, Count, Sum -from django.utils.translation import ugettext as _ - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView - -from xadmin.views.list import ResultRow, ResultItem -from xadmin.util import display_for_field - -AGGREGATE_METHODS = { - 'min': Min, 'max': Max, 'avg': Avg, 'sum': Sum, 'count': Count -} -AGGREGATE_TITLE = { - 'min': _('Min'), 'max': _('Max'), 'avg': _('Avg'), 'sum': _('Sum'), 'count': _('Count') -} - - -class AggregationPlugin(BaseAdminPlugin): - - aggregate_fields = {} - - def init_request(self, *args, **kwargs): - return bool(self.aggregate_fields) - - def _get_field_aggregate(self, field_name, obj, row): - item = ResultItem(field_name, row) - item.classes = ['aggregate', ] - if field_name not in self.aggregate_fields: - item.text = "" - else: - try: - f = self.opts.get_field(field_name) - agg_method = self.aggregate_fields[field_name] - key = '%s__%s' % (field_name, agg_method) - if key not in obj: - item.text = "" - else: - item.text = display_for_field(obj[key], f) - item.wraps.append('%%s%s' % AGGREGATE_TITLE[agg_method]) - item.classes.append(agg_method) - except FieldDoesNotExist: - item.text = "" - - return item - - def _get_aggregate_row(self): - queryset = self.admin_view.list_queryset._clone() - obj = queryset.aggregate(*[AGGREGATE_METHODS[method](field_name) for field_name, method in - self.aggregate_fields.items() if method in AGGREGATE_METHODS]) - - row = ResultRow() - row['is_display_first'] = False - row.cells = [self._get_field_aggregate(field_name, obj, row) for field_name in self.admin_view.list_display] - row.css_class = 'info aggregate' - return row - - def results(self, rows): - if rows: - rows.append(self._get_aggregate_row()) - return rows - - # Media - def get_media(self, media): - media.add_css({'screen': [self.static( - 'xadmin/css/xadmin.plugin.aggregation.css'), ]}) - return media - - -site.register_plugin(AggregationPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/ajax.py b/pillbox-engine/xadmin/plugins/ajax.py deleted file mode 100644 index aa5bb32..0000000 --- a/pillbox-engine/xadmin/plugins/ajax.py +++ /dev/null @@ -1,99 +0,0 @@ -from django import forms -from django.utils.datastructures import SortedDict -from django.utils.html import escape -from django.utils.encoding import force_unicode -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView, ModelFormAdminView, DetailAdminView - - -NON_FIELD_ERRORS = '__all__' - - -class BaseAjaxPlugin(BaseAdminPlugin): - - def init_request(self, *args, **kwargs): - return bool(self.request.is_ajax() or self.request.REQUEST.get('_ajax')) - - -class AjaxListPlugin(BaseAjaxPlugin): - - def get_list_display(self,list_display): - list_fields = [field for field in self.request.GET.get('_fields',"").split(",") - if field.strip() != ""] - if list_fields: - return list_fields - return list_display - - def get_result_list(self, response): - av = self.admin_view - base_fields = self.get_list_display(av.base_list_display) - headers = dict([(c.field_name, force_unicode(c.text)) for c in av.result_headers( - ).cells if c.field_name in base_fields]) - - objects = [dict([(o.field_name, escape(str(o.value))) for i, o in - enumerate(filter(lambda c:c.field_name in base_fields, r.cells))]) - for r in av.results()] - - return self.render_response({'headers': headers, 'objects': objects, 'total_count': av.result_count, 'has_more': av.has_more}) - - -class JsonErrorDict(forms.util.ErrorDict): - - def __init__(self, errors, form): - super(JsonErrorDict, self).__init__(errors) - self.form = form - - def as_json(self): - if not self: - return u'' - return [{'id': self.form[k].auto_id if k != NON_FIELD_ERRORS else NON_FIELD_ERRORS, 'name': k, 'errors': v} for k, v in self.items()] - - -class AjaxFormPlugin(BaseAjaxPlugin): - - def post_response(self, __): - new_obj = self.admin_view.new_obj - return self.render_response({ - 'result': 'success', - 'obj_id': new_obj.pk, - 'obj_repr': str(new_obj), - 'change_url': self.admin_view.model_admin_url('change', new_obj.pk), - 'detail_url': self.admin_view.model_admin_url('detail', new_obj.pk) - }) - - def get_response(self, __): - if self.request.method.lower() != 'post': - return __() - - result = {} - form = self.admin_view.form_obj - if form.is_valid(): - result['result'] = 'success' - else: - result['result'] = 'error' - result['errors'] = JsonErrorDict(form.errors, form).as_json() - - return self.render_response(result) - - -class AjaxDetailPlugin(BaseAjaxPlugin): - - def get_response(self, __): - if self.request.GET.get('_format') == 'html': - self.admin_view.detail_template = 'xadmin/views/quick_detail.html' - return __() - - form = self.admin_view.form_obj - layout = form.helper.layout - - results = [] - - for p, f in layout.get_field_names(): - result = self.admin_view.get_field_result(f) - results.append((result.label, result.val)) - - return self.render_response(SortedDict(results)) - -site.register_plugin(AjaxListPlugin, ListAdminView) -site.register_plugin(AjaxFormPlugin, ModelFormAdminView) -site.register_plugin(AjaxDetailPlugin, DetailAdminView) diff --git a/pillbox-engine/xadmin/plugins/auth.py b/pillbox-engine/xadmin/plugins/auth.py deleted file mode 100644 index cd2dc32..0000000 --- a/pillbox-engine/xadmin/plugins/auth.py +++ /dev/null @@ -1,256 +0,0 @@ -# coding=utf-8 -from django import forms -from django.contrib.auth.forms import (UserCreationForm, UserChangeForm, - AdminPasswordChangeForm, PasswordChangeForm) -from django.contrib.auth.models import Group, Permission -from django.core.exceptions import PermissionDenied -from django.template.response import TemplateResponse -from django.utils.decorators import method_decorator -from django.http import HttpResponseRedirect -from django.utils.html import escape -from django.utils.translation import ugettext as _ -from django.views.decorators.debug import sensitive_post_parameters -from django.forms import ModelMultipleChoiceField -from xadmin.layout import Fieldset, Main, Side, Row, FormHelper -from xadmin.sites import site -from xadmin.util import unquote, User -from xadmin.views import BaseAdminPlugin, ModelFormAdminView, ModelAdminView, CommAdminView, csrf_protect_m - - -ACTION_NAME = { - 'add': _('Can add %s'), - 'change': _('Can change %s'), - 'edit': _('Can edit %s'), - 'delete': _('Can delete %s'), - 'view': _('Can view %s'), -} - - -def get_permission_name(p): - action = p.codename.split('_')[0] - if action in ACTION_NAME: - return ACTION_NAME[action] % str(p.content_type) - else: - return p.name - - -class PermissionModelMultipleChoiceField(ModelMultipleChoiceField): - - def label_from_instance(self, p): - return get_permission_name(p) - - -class GroupAdmin(object): - search_fields = ('name',) - ordering = ('name',) - style_fields = {'permissions': 'm2m_transfer'} - model_icon = 'fa fa-group' - - def get_field_attrs(self, db_field, **kwargs): - attrs = super(GroupAdmin, self).get_field_attrs(db_field, **kwargs) - if db_field.name == 'permissions': - attrs['form_class'] = PermissionModelMultipleChoiceField - return attrs - - -class UserAdmin(object): - change_user_password_template = None - list_display = ('username', 'email', 'first_name', 'last_name', 'is_staff') - list_filter = ('is_staff', 'is_superuser', 'is_active') - search_fields = ('username', 'first_name', 'last_name', 'email') - ordering = ('username',) - style_fields = {'user_permissions': 'm2m_transfer'} - model_icon = 'fa fa-user' - relfield_style = 'fk-ajax' - - def get_field_attrs(self, db_field, **kwargs): - attrs = super(UserAdmin, self).get_field_attrs(db_field, **kwargs) - if db_field.name == 'user_permissions': - attrs['form_class'] = PermissionModelMultipleChoiceField - return attrs - - def get_model_form(self, **kwargs): - if self.org_obj is None: - self.form = UserCreationForm - else: - self.form = UserChangeForm - return super(UserAdmin, self).get_model_form(**kwargs) - - def get_form_layout(self): - if self.org_obj: - self.form_layout = ( - Main( - Fieldset('', - 'username', 'password', - css_class='unsort no_title' - ), - Fieldset(_('Personal info'), - Row('first_name', 'last_name'), - 'email' - ), - Fieldset(_('Permissions'), - 'groups', 'user_permissions' - ), - Fieldset(_('Important dates'), - 'last_login', 'date_joined' - ), - ), - Side( - Fieldset(_('Status'), - 'is_active', 'is_staff', 'is_superuser', - ), - ) - ) - return super(UserAdmin, self).get_form_layout() - - -class PermissionAdmin(object): - - def show_name(self, p): - return get_permission_name(p) - show_name.short_description = _('Permission Name') - show_name.is_column = True - - model_icon = 'fa fa-lock' - list_display = ('show_name', ) - -site.register(Group, GroupAdmin) -site.register(User, UserAdmin) -site.register(Permission, PermissionAdmin) - - -class UserFieldPlugin(BaseAdminPlugin): - - user_fields = [] - - def get_field_attrs(self, __, db_field, **kwargs): - if self.user_fields and db_field.name in self.user_fields: - return {'widget': forms.HiddenInput} - return __() - - def get_form_datas(self, datas): - if self.user_fields and 'data' in datas: - if hasattr(datas['data'],'_mutable') and not datas['data']._mutable: - datas['data'] = datas['data'].copy() - for f in self.user_fields: - datas['data'][f] = self.user.id - return datas - -site.register_plugin(UserFieldPlugin, ModelFormAdminView) - - -class ModelPermissionPlugin(BaseAdminPlugin): - - user_can_access_owned_objects_only = False - user_owned_objects_field = 'user' - - def queryset(self, qs): - if self.user_can_access_owned_objects_only and \ - not self.user.is_superuser: - filters = {self.user_owned_objects_field: self.user} - qs = qs.filter(**filters) - return qs - - -site.register_plugin(ModelPermissionPlugin, ModelAdminView) - - -class AccountMenuPlugin(BaseAdminPlugin): - - def block_top_account_menu(self, context, nodes): - return '
  • %s
  • ' % (self.get_admin_url('account_password'), _('Change Password')) - -site.register_plugin(AccountMenuPlugin, CommAdminView) - - -class ChangePasswordView(ModelAdminView): - model = User - change_password_form = AdminPasswordChangeForm - change_user_password_template = None - - @csrf_protect_m - def get(self, request, object_id): - if not self.has_change_permission(request): - raise PermissionDenied - self.obj = self.get_object(unquote(object_id)) - self.form = self.change_password_form(self.obj) - - return self.get_response() - - def get_media(self): - media = super(ChangePasswordView, self).get_media() - media = media + self.vendor('xadmin.form.css', 'xadmin.page.form.js') + self.form.media - return media - - def get_context(self): - context = super(ChangePasswordView, self).get_context() - helper = FormHelper() - helper.form_tag = False - self.form.helper = helper - context.update({ - 'title': _('Change password: %s') % escape(unicode(self.obj)), - 'form': self.form, - 'has_delete_permission': False, - 'has_change_permission': True, - 'has_view_permission': True, - 'original': self.obj, - }) - return context - - def get_response(self): - return TemplateResponse(self.request, [ - self.change_user_password_template or - 'xadmin/auth/user/change_password.html' - ], self.get_context(), current_app=self.admin_site.name) - - @method_decorator(sensitive_post_parameters()) - @csrf_protect_m - def post(self, request, object_id): - if not self.has_change_permission(request): - raise PermissionDenied - self.obj = self.get_object(unquote(object_id)) - self.form = self.change_password_form(self.obj, request.POST) - - if self.form.is_valid(): - self.form.save() - self.message_user(_('Password changed successfully.'), 'success') - return HttpResponseRedirect(self.model_admin_url('change', self.obj.pk)) - else: - return self.get_response() - - -class ChangeAccountPasswordView(ChangePasswordView): - change_password_form = PasswordChangeForm - - @csrf_protect_m - def get(self, request): - self.obj = self.user - self.form = self.change_password_form(self.obj) - - return self.get_response() - - def get_context(self): - context = super(ChangeAccountPasswordView, self).get_context() - context.update({ - 'title': _('Change password'), - 'account_view': True, - }) - return context - - @method_decorator(sensitive_post_parameters()) - @csrf_protect_m - def post(self, request): - self.obj = self.user - self.form = self.change_password_form(self.obj, request.POST) - - if self.form.is_valid(): - self.form.save() - self.message_user(_('Password changed successfully.'), 'success') - return HttpResponseRedirect(self.get_admin_url('index')) - else: - return self.get_response() - -site.register_view(r'^auth/user/(.+)/update/password/$', - ChangePasswordView, name='user_change_password') -site.register_view(r'^account/password/$', ChangeAccountPasswordView, - name='account_password') diff --git a/pillbox-engine/xadmin/plugins/batch.py b/pillbox-engine/xadmin/plugins/batch.py deleted file mode 100644 index 24eadee..0000000 --- a/pillbox-engine/xadmin/plugins/batch.py +++ /dev/null @@ -1,154 +0,0 @@ - -import copy -from django import forms -from django.db import models -from django.core.exceptions import PermissionDenied -from django.forms.models import modelform_factory -from django.template.response import TemplateResponse -from django.utils.encoding import force_unicode -from django.utils.safestring import mark_safe -from django.utils.translation import ugettext as _, ugettext_lazy -from xadmin.layout import FormHelper, Layout, Fieldset, Container, Col -from xadmin.plugins.actions import BaseActionView, ACTION_CHECKBOX_NAME -from xadmin.util import model_ngettext, vendor -from xadmin.views.base import filter_hook -from xadmin.views.edit import ModelFormAdminView - -BATCH_CHECKBOX_NAME = '_batch_change_fields' - -class ChangeFieldWidgetWrapper(forms.Widget): - - def __init__(self, widget): - self.is_hidden = widget.is_hidden - self.needs_multipart_form = widget.needs_multipart_form - self.attrs = widget.attrs - self.widget = widget - - def __deepcopy__(self, memo): - obj = copy.copy(self) - obj.widget = copy.deepcopy(self.widget, memo) - obj.attrs = self.widget.attrs - memo[id(self)] = obj - return obj - - @property - def media(self): - media = self.widget.media + vendor('xadmin.plugin.batch.js') - return media - - def render(self, name, value, attrs=None): - output = [] - is_required = self.widget.is_required - output.append(u'' % - (BATCH_CHECKBOX_NAME, name, (is_required and ' checked="checked"' or ''), _('Change this field'))) - output.extend([('
    ' % - ((not is_required and 'display: none;' or ''), name)), - self.widget.render(name, value, attrs), '
    ']) - return mark_safe(u''.join(output)) - - def build_attrs(self, extra_attrs=None, **kwargs): - "Helper function for building an attribute dictionary." - self.attrs = self.widget.build_attrs(extra_attrs=None, **kwargs) - return self.attrs - - def value_from_datadict(self, data, files, name): - return self.widget.value_from_datadict(data, files, name) - - def id_for_label(self, id_): - return self.widget.id_for_label(id_) - -class BatchChangeAction(BaseActionView): - - action_name = "change_selected" - description = ugettext_lazy( - u'Batch Change selected %(verbose_name_plural)s') - - batch_change_form_template = None - - model_perm = 'change' - - batch_fields = [] - - def change_models(self, queryset, cleaned_data): - n = queryset.count() - - data = {} - for f in self.opts.fields: - if not f.editable or isinstance(f, models.AutoField) \ - or not f.name in cleaned_data: - continue - data[f] = cleaned_data[f.name] - - if n: - for obj in queryset: - for f, v in data.items(): - f.save_form_data(obj, v) - obj.save() - self.message_user(_("Successfully change %(count)d %(items)s.") % { - "count": n, "items": model_ngettext(self.opts, n) - }, 'success') - - def get_change_form(self, is_post, fields): - edit_view = self.get_model_view(ModelFormAdminView, self.model) - - def formfield_for_dbfield(db_field, **kwargs): - formfield = edit_view.formfield_for_dbfield(db_field, required=is_post, **kwargs) - formfield.widget = ChangeFieldWidgetWrapper(formfield.widget) - return formfield - - defaults = { - "form": edit_view.form, - "fields": fields, - "formfield_callback": formfield_for_dbfield, - } - return modelform_factory(self.model, **defaults) - - def do_action(self, queryset): - if not self.has_change_permission(): - raise PermissionDenied - - change_fields = [f for f in self.request.POST.getlist(BATCH_CHECKBOX_NAME) if f in self.batch_fields] - - if change_fields and self.request.POST.get('post'): - self.form_obj = self.get_change_form(True, change_fields)( - data=self.request.POST, files=self.request.FILES) - if self.form_obj.is_valid(): - self.change_models(queryset, self.form_obj.cleaned_data) - return None - else: - self.form_obj = self.get_change_form(False, self.batch_fields)() - - helper = FormHelper() - helper.form_tag = False - helper.add_layout(Layout(Container(Col('full', - Fieldset("", *self.form_obj.fields.keys(), css_class="unsort no_title"), horizontal=True, span=12) - ))) - self.form_obj.helper = helper - count = len(queryset) - if count == 1: - objects_name = force_unicode(self.opts.verbose_name) - else: - objects_name = force_unicode(self.opts.verbose_name_plural) - - context = self.get_context() - context.update({ - "title": _("Batch change %s") % objects_name, - 'objects_name': objects_name, - 'form': self.form_obj, - 'queryset': queryset, - 'count': count, - "opts": self.opts, - "app_label": self.app_label, - 'action_checkbox_name': ACTION_CHECKBOX_NAME, - }) - - return TemplateResponse(self.request, self.batch_change_form_template or - self.get_template_list('views/batch_change_form.html'), context, current_app=self.admin_site.name) - - @filter_hook - def get_media(self): - media = super(BatchChangeAction, self).get_media() - media = media + self.form_obj.media + self.vendor( - 'xadmin.page.form.js', 'xadmin.form.css') - return media diff --git a/pillbox-engine/xadmin/plugins/bookmark.py b/pillbox-engine/xadmin/plugins/bookmark.py deleted file mode 100644 index 7edb3ef..0000000 --- a/pillbox-engine/xadmin/plugins/bookmark.py +++ /dev/null @@ -1,216 +0,0 @@ - -from django.template import loader -from django.core.urlresolvers import reverse -from django.utils.translation import ugettext_lazy as _ -from django.utils.decorators import method_decorator -from django.views.decorators.csrf import csrf_protect -from django.contrib.contenttypes.models import ContentType -from django.db import transaction -from django.db.models import Q -from django.forms import ModelChoiceField -from django.http import QueryDict - -from xadmin.sites import site -from xadmin.views import ModelAdminView, BaseAdminPlugin, ListAdminView -from xadmin.views.list import COL_LIST_VAR, ORDER_VAR -from xadmin.views.dashboard import widget_manager, BaseWidget, PartialBaseWidget -from xadmin.filters import FILTER_PREFIX, SEARCH_VAR -from xadmin.plugins.relate import RELATE_PREFIX - -from xadmin.models import Bookmark - -csrf_protect_m = method_decorator(csrf_protect) - - -class BookmarkPlugin(BaseAdminPlugin): - - # [{'title': "Female", 'query': {'gender': True}, 'order': ('-age'), 'cols': ('first_name', 'age', 'phones'), 'search': 'Tom'}] - list_bookmarks = [] - show_bookmarks = True - - def has_change_permission(self, obj=None): - if not obj or self.user.is_superuser: - return True - else: - return obj.user == self.user - - def get_context(self, context): - if not self.show_bookmarks: - return context - - bookmarks = [] - - current_qs = '&'.join(['%s=%s' % (k, v) for k, v in sorted( - filter(lambda i: bool(i[1] and (i[0] in (COL_LIST_VAR, ORDER_VAR, SEARCH_VAR) or i[0].startswith(FILTER_PREFIX) - or i[0].startswith(RELATE_PREFIX))), self.request.GET.items()))]) - - model_info = (self.opts.app_label, self.opts.module_name) - has_selected = False - menu_title = _(u"Bookmark") - list_base_url = reverse('xadmin:%s_%s_changelist' % - model_info, current_app=self.admin_site.name) - - # local bookmarks - for bk in self.list_bookmarks: - title = bk['title'] - params = dict( - [(FILTER_PREFIX + k, v) for (k, v) in bk['query'].items()]) - if 'order' in bk: - params[ORDER_VAR] = '.'.join(bk['order']) - if 'cols' in bk: - params[COL_LIST_VAR] = '.'.join(bk['cols']) - if 'search' in bk: - params[SEARCH_VAR] = bk['search'] - def check_item(i): - return bool(i[1]) or i[1] == False - bk_qs = '&'.join(['%s=%s' % (k, v) for k, v in sorted(filter(check_item, params.items()))]) - - url = list_base_url + '?' + bk_qs - selected = (current_qs == bk_qs) - - bookmarks.append( - {'title': title, 'selected': selected, 'url': url}) - if selected: - menu_title = title - has_selected = True - - content_type = ContentType.objects.get_for_model(self.model) - bk_model_info = (Bookmark._meta.app_label, Bookmark._meta.module_name) - bookmarks_queryset = Bookmark.objects.filter( - content_type=content_type, - url_name='xadmin:%s_%s_changelist' % model_info - ).filter(Q(user=self.user) | Q(is_share=True)) - - for bk in bookmarks_queryset: - selected = (current_qs == bk.query) - - if self.has_change_permission(bk): - change_or_detail = 'change' - else: - change_or_detail = 'detail' - - bookmarks.append({'title': bk.title, 'selected': selected, 'url': bk.url, 'edit_url': - reverse('xadmin:%s_%s_%s' % (bk_model_info[0], bk_model_info[1], change_or_detail), - args=(bk.id,))}) - if selected: - menu_title = bk.title - has_selected = True - - post_url = reverse('xadmin:%s_%s_bookmark' % model_info, - current_app=self.admin_site.name) - - new_context = { - 'bk_menu_title': menu_title, - 'bk_bookmarks': bookmarks, - 'bk_current_qs': current_qs, - 'bk_has_selected': has_selected, - 'bk_list_base_url': list_base_url, - 'bk_post_url': post_url, - 'has_add_permission_bookmark': self.admin_view.request.user.has_perm('xadmin.add_bookmark'), - 'has_change_permission_bookmark': self.admin_view.request.user.has_perm('xadmin.change_bookmark') - } - context.update(new_context) - return context - - # Media - def get_media(self, media): - return media + self.vendor('xadmin.plugin.bookmark.js') - - # Block Views - def block_nav_menu(self, context, nodes): - if self.show_bookmarks: - nodes.insert(0, loader.render_to_string('xadmin/blocks/model_list.nav_menu.bookmarks.html', context_instance=context)) - - -class BookmarkView(ModelAdminView): - - @csrf_protect_m - @transaction.atomic - def post(self, request): - model_info = (self.opts.app_label, self.opts.module_name) - url_name = 'xadmin:%s_%s_changelist' % model_info - bookmark = Bookmark( - content_type=ContentType.objects.get_for_model(self.model), - title=request.POST[ - 'title'], user=self.user, query=request.POST.get('query', ''), - is_share=request.POST.get('is_share', 0), url_name=url_name) - bookmark.save() - content = {'title': bookmark.title, 'url': bookmark.url} - return self.render_response(content) - - -class BookmarkAdmin(object): - - model_icon = 'fa fa-book' - list_display = ('title', 'user', 'url_name', 'query') - list_display_links = ('title',) - user_fields = ['user'] - hidden_menu = True - - def queryset(self): - if self.user.is_superuser: - return Bookmark.objects.all() - return Bookmark.objects.filter(Q(user=self.user) | Q(is_share=True)) - - def get_list_display(self): - list_display = super(BookmarkAdmin, self).get_list_display() - if not self.user.is_superuser: - list_display.remove('user') - return list_display - - - def has_change_permission(self, obj=None): - if not obj or self.user.is_superuser: - return True - else: - return obj.user == self.user - - -@widget_manager.register -class BookmarkWidget(PartialBaseWidget): - widget_type = _('bookmark') - widget_icon = 'fa fa-bookmark' - description = _( - 'Bookmark Widget, can show user\'s bookmark list data in widget.') - template = "xadmin/widgets/list.html" - - bookmark = ModelChoiceField( - label=_('Bookmark'), queryset=Bookmark.objects.all(), required=False) - - def setup(self): - BaseWidget.setup(self) - - bookmark = self.cleaned_data['bookmark'] - model = bookmark.content_type.model_class() - data = QueryDict(bookmark.query) - self.bookmark = bookmark - - if not self.title: - self.title = unicode(bookmark) - - req = self.make_get_request("", data.items()) - self.list_view = self.get_view_class( - ListAdminView, model, list_per_page=10, list_editable=[])(req) - - def has_perm(self): - return True - - def context(self, context): - list_view = self.list_view - list_view.make_result_list() - - base_fields = list_view.base_list_display - if len(base_fields) > 5: - base_fields = base_fields[0:5] - - context['result_headers'] = [c for c in list_view.result_headers( - ).cells if c.field_name in base_fields] - context['results'] = [[o for i, o in - enumerate(filter(lambda c:c.field_name in base_fields, r.cells))] - for r in list_view.results()] - context['result_count'] = list_view.result_count - context['page_url'] = self.bookmark.url - -site.register(Bookmark, BookmarkAdmin) -site.register_plugin(BookmarkPlugin, ListAdminView) -site.register_modelview(r'^bookmark/$', BookmarkView, name='%s_%s_bookmark') diff --git a/pillbox-engine/xadmin/plugins/chart.py b/pillbox-engine/xadmin/plugins/chart.py deleted file mode 100644 index e83ab8c..0000000 --- a/pillbox-engine/xadmin/plugins/chart.py +++ /dev/null @@ -1,159 +0,0 @@ - -import datetime -import decimal -import calendar - -from django.template import loader -from django.http import HttpResponseNotFound -from django.core.serializers.json import DjangoJSONEncoder -from django.http import HttpResponse -from django.utils.encoding import smart_unicode -from django.db import models -from django.utils.http import urlencode -from django.utils.translation import ugettext_lazy as _, ugettext - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView -from xadmin.views.dashboard import ModelBaseWidget, widget_manager -from xadmin.util import lookup_field, label_for_field, force_unicode, json - - -@widget_manager.register -class ChartWidget(ModelBaseWidget): - widget_type = 'chart' - description = _('Show models simple chart.') - template = 'xadmin/widgets/chart.html' - widget_icon = 'fa fa-bar-chart-o' - - def convert(self, data): - self.list_params = data.pop('params', {}) - self.chart = data.pop('chart', None) - - def setup(self): - super(ChartWidget, self).setup() - - self.charts = {} - self.one_chart = False - model_admin = self.admin_site._registry[self.model] - chart = self.chart - - if hasattr(model_admin, 'data_charts'): - if chart and chart in model_admin.data_charts: - self.charts = {chart: model_admin.data_charts[chart]} - self.one_chart = True - if self.title is None: - self.title = model_admin.data_charts[chart].get('title') - else: - self.charts = model_admin.data_charts - if self.title is None: - self.title = ugettext( - "%s Charts") % self.model._meta.verbose_name_plural - - def filte_choices_model(self, model, modeladmin): - return bool(getattr(modeladmin, 'data_charts', None)) and \ - super(ChartWidget, self).filte_choices_model(model, modeladmin) - - def get_chart_url(self, name, v): - return self.model_admin_url('chart', name) + "?" + urlencode(self.list_params) - - def context(self, context): - context.update({ - 'charts': [{"name": name, "title": v['title'], 'url': self.get_chart_url(name, v)} for name, v in self.charts.items()], - }) - - # Media - def media(self): - return self.vendor('flot.js', 'xadmin.plugin.charts.js') - - -class JSONEncoder(DjangoJSONEncoder): - def default(self, o): - if isinstance(o, (datetime.date, datetime.datetime)): - return calendar.timegm(o.timetuple()) * 1000 - elif isinstance(o, decimal.Decimal): - return str(o) - else: - try: - return super(JSONEncoder, self).default(o) - except Exception: - return smart_unicode(o) - - -class ChartsPlugin(BaseAdminPlugin): - - data_charts = {} - - def init_request(self, *args, **kwargs): - return bool(self.data_charts) - - def get_chart_url(self, name, v): - return self.admin_view.model_admin_url('chart', name) + self.admin_view.get_query_string() - - # Media - def get_media(self, media): - return media + self.vendor('flot.js', 'xadmin.plugin.charts.js') - - # Block Views - def block_results_top(self, context, nodes): - context.update({ - 'charts': [{"name": name, "title": v['title'], 'url': self.get_chart_url(name, v)} for name, v in self.data_charts.items()], - }) - nodes.append(loader.render_to_string('xadmin/blocks/model_list.results_top.charts.html', context_instance=context)) - - -class ChartsView(ListAdminView): - - data_charts = {} - - def get_ordering(self): - if 'order' in self.chart: - return self.chart['order'] - else: - return super(ChartsView, self).get_ordering() - - def get(self, request, name): - if name not in self.data_charts: - return HttpResponseNotFound() - - self.chart = self.data_charts[name] - - self.x_field = self.chart['x-field'] - y_fields = self.chart['y-field'] - self.y_fields = ( - y_fields,) if type(y_fields) not in (list, tuple) else y_fields - - datas = [{"data":[], "label": force_unicode(label_for_field( - i, self.model, model_admin=self))} for i in self.y_fields] - - self.make_result_list() - - for obj in self.result_list: - xf, attrs, value = lookup_field(self.x_field, obj, self) - for i, yfname in enumerate(self.y_fields): - yf, yattrs, yv = lookup_field(yfname, obj, self) - datas[i]["data"].append((value, yv)) - - option = {'series': {'lines': {'show': True}, 'points': {'show': False}}, - 'grid': {'hoverable': True, 'clickable': True}} - try: - xfield = self.opts.get_field(self.x_field) - if type(xfield) in (models.DateTimeField, models.DateField, models.TimeField): - option['xaxis'] = {'mode': "time", 'tickLength': 5} - if type(xfield) is models.DateField: - option['xaxis']['timeformat'] = "%y/%m/%d" - elif type(xfield) is models.TimeField: - option['xaxis']['timeformat'] = "%H:%M:%S" - else: - option['xaxis']['timeformat'] = "%y/%m/%d %H:%M:%S" - except Exception: - pass - - option.update(self.chart.get('option', {})) - - content = {'data': datas, 'option': option} - result = json.dumps(content, cls=JSONEncoder, ensure_ascii=False) - - return HttpResponse(result) - -site.register_plugin(ChartsPlugin, ListAdminView) -site.register_modelview(r'^chart/(.+)/$', ChartsView, name='%s_%s_chart') diff --git a/pillbox-engine/xadmin/plugins/comments.py b/pillbox-engine/xadmin/plugins/comments.py deleted file mode 100644 index 0e90462..0000000 --- a/pillbox-engine/xadmin/plugins/comments.py +++ /dev/null @@ -1,94 +0,0 @@ -import xadmin - -from xadmin.layout import * -from xadmin.util import username_field - -from django.conf import settings -from django.contrib.comments.models import Comment -from django.utils.translation import ugettext_lazy as _, ungettext -from django.contrib.comments import get_model -from django.contrib.comments.views.moderation import perform_flag, perform_approve, perform_delete - -class UsernameSearch(object): - """The User object may not be auth.User, so we need to provide - a mechanism for issuing the equivalent of a .filter(user__username=...) - search in CommentAdmin. - """ - def __str__(self): - return 'user__%s' % username_field - - -class CommentsAdmin(object): - form_layout = ( - Main( - Fieldset(None, - 'content_type', 'object_pk', 'site', - css_class='unsort no_title' - ), - Fieldset('Content', - 'user', 'user_name', 'user_email', 'user_url', 'comment' - ), - ), - Side( - Fieldset(_('Metadata'), - 'submit_date', 'ip_address', 'is_public', 'is_removed' - ), - ) - ) - - list_display = ('name', 'content_type', 'object_pk', 'ip_address', 'submit_date', 'is_public', 'is_removed') - list_filter = ('submit_date', 'site', 'is_public', 'is_removed') - ordering = ('-submit_date',) - search_fields = ('comment', UsernameSearch(), 'user_name', 'user_email', 'user_url', 'ip_address') - actions = ["flag_comments", "approve_comments", "remove_comments"] - model_icon = 'fa fa-comment' - - def get_actions(self): - actions = super(CommentsAdmin, self).get_actions() - # Only superusers should be able to delete the comments from the DB. - if not self.user.is_superuser and 'delete_selected' in actions: - actions.pop('delete_selected') - if not self.user.has_perm('comments.can_moderate'): - if 'approve_comments' in actions: - actions.pop('approve_comments') - if 'remove_comments' in actions: - actions.pop('remove_comments') - return actions - - def flag_comments(self, request, queryset): - self._bulk_flag(queryset, perform_flag, - lambda n: ungettext('flagged', 'flagged', n)) - flag_comments.short_description = _("Flag selected comments") - flag_comments.icon = 'flag' - - def approve_comments(self, request, queryset): - self._bulk_flag(queryset, perform_approve, - lambda n: ungettext('approved', 'approved', n)) - approve_comments.short_description = _("Approve selected comments") - approve_comments.icon = 'ok' - - def remove_comments(self, request, queryset): - self._bulk_flag(queryset, perform_delete, - lambda n: ungettext('removed', 'removed', n)) - remove_comments.short_description = _("Remove selected comments") - remove_comments.icon = 'remove-circle' - - def _bulk_flag(self, queryset, action, done_message): - """ - Flag, approve, or remove some comments from an admin action. Actually - calls the `action` argument to perform the heavy lifting. - """ - n_comments = 0 - for comment in queryset: - action(self.request, comment) - n_comments += 1 - - msg = ungettext('1 comment was successfully %(action)s.', - '%(count)s comments were successfully %(action)s.', - n_comments) - self.message_user(msg % {'count': n_comments, 'action': done_message(n_comments)}, 'success') - -# Only register the default admin if the model is the built-in comment model -# (this won't be true if there's a custom comment app). -if 'django.contrib.comments' in settings.INSTALLED_APPS and (get_model() is Comment): - xadmin.site.register(Comment, CommentsAdmin) diff --git a/pillbox-engine/xadmin/plugins/details.py b/pillbox-engine/xadmin/plugins/details.py deleted file mode 100644 index 2c37fe1..0000000 --- a/pillbox-engine/xadmin/plugins/details.py +++ /dev/null @@ -1,63 +0,0 @@ - - -from django.utils.translation import ugettext as _ -from django.core.urlresolvers import reverse, NoReverseMatch -from django.db import models - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView - - -class DetailsPlugin(BaseAdminPlugin): - - show_detail_fields = [] - show_all_rel_details = True - - def result_item(self, item, obj, field_name, row): - if (self.show_all_rel_details or (field_name in self.show_detail_fields)): - rel_obj = None - if hasattr(item.field, 'rel') and isinstance(item.field.rel, models.ManyToOneRel): - rel_obj = getattr(obj, field_name) - elif field_name in self.show_detail_fields: - rel_obj = obj - - if rel_obj: - if rel_obj.__class__ in site._registry: - try: - model_admin = site._registry[rel_obj.__class__] - has_view_perm = model_admin(self.admin_view.request).has_view_permission(rel_obj) - has_change_perm = model_admin(self.admin_view.request).has_change_permission(rel_obj) - except: - has_view_perm = self.admin_view.has_model_perm(rel_obj.__class__, 'view') - has_change_perm = self.has_model_perm(rel_obj.__class__, 'change') - else: - has_view_perm = self.admin_view.has_model_perm(rel_obj.__class__, 'view') - has_change_perm = self.has_model_perm(rel_obj.__class__, 'change') - - if rel_obj and has_view_perm: - opts = rel_obj._meta - try: - item_res_uri = reverse( - '%s:%s_%s_detail' % (self.admin_site.app_name, - opts.app_label, opts.module_name), - args=(getattr(rel_obj, opts.pk.attname),)) - if item_res_uri: - if has_change_perm: - edit_url = reverse( - '%s:%s_%s_change' % (self.admin_site.app_name, opts.app_label, opts.module_name), - args=(getattr(rel_obj, opts.pk.attname),)) - else: - edit_url = '' - item.btns.append('' - % (item_res_uri, edit_url, _(u'Details of %s') % str(rel_obj))) - except NoReverseMatch: - pass - return item - - # Media - def get_media(self, media): - if self.show_all_rel_details or self.show_detail_fields: - media = media + self.vendor('xadmin.plugin.details.js', 'xadmin.form.css') - return media - -site.register_plugin(DetailsPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/editable.py b/pillbox-engine/xadmin/plugins/editable.py deleted file mode 100644 index 578aecf..0000000 --- a/pillbox-engine/xadmin/plugins/editable.py +++ /dev/null @@ -1,159 +0,0 @@ -from django import template -from django.core.exceptions import PermissionDenied, ObjectDoesNotExist -from django.db import models, transaction -from django.forms.models import modelform_factory -from django.http import Http404, HttpResponse -from django.utils.encoding import force_unicode, smart_unicode -from django.utils.html import escape, conditional_escape -from django.utils.safestring import mark_safe -from django.utils.translation import ugettext as _ -from xadmin.plugins.ajax import JsonErrorDict -from xadmin.sites import site -from xadmin.util import lookup_field, display_for_field, label_for_field, unquote, boolean_icon -from xadmin.views import BaseAdminPlugin, ModelFormAdminView, ListAdminView -from xadmin.views.base import csrf_protect_m, filter_hook -from xadmin.views.edit import ModelFormAdminUtil -from xadmin.views.list import EMPTY_CHANGELIST_VALUE -from xadmin.layout import FormHelper - - -class EditablePlugin(BaseAdminPlugin): - - list_editable = [] - - def __init__(self, admin_view): - super(EditablePlugin, self).__init__(admin_view) - self.editable_need_fields = {} - - def init_request(self, *args, **kwargs): - active = bool(self.request.method == 'GET' and self.admin_view.has_change_permission() and self.list_editable) - if active: - self.model_form = self.get_model_view(ModelFormAdminUtil, self.model).form_obj - return active - - def result_item(self, item, obj, field_name, row): - if self.list_editable and item.field and item.field.editable and (field_name in self.list_editable): - pk = getattr(obj, obj._meta.pk.attname) - field_label = label_for_field(field_name, obj, - model_admin=self.admin_view, - return_attr=False - ) - - item.wraps.insert(0, '%s') - item.btns.append(( - '' + - '') % - (_(u"Enter %s") % field_label, field_name, self.admin_view.model_admin_url('patch', pk) + '?fields=' + field_name)) - - if field_name not in self.editable_need_fields: - self.editable_need_fields[field_name] = item.field - return item - - # Media - def get_media(self, media): - if self.editable_need_fields: - media = media + self.model_form.media + \ - self.vendor( - 'xadmin.plugin.editable.js', 'xadmin.widget.editable.css') - return media - - -class EditPatchView(ModelFormAdminView, ListAdminView): - - def init_request(self, object_id, *args, **kwargs): - self.org_obj = self.get_object(unquote(object_id)) - - # For list view get new field display html - self.pk_attname = self.opts.pk.attname - - if not self.has_change_permission(self.org_obj): - raise PermissionDenied - - if self.org_obj is None: - raise Http404(_('%(name)s object with primary key %(key)r does not exist.') % - {'name': force_unicode(self.opts.verbose_name), 'key': escape(object_id)}) - - def get_new_field_html(self, f): - result = self.result_item(self.org_obj, f, {'is_display_first': - False, 'object': self.org_obj}) - return mark_safe(result.text) if result.allow_tags else conditional_escape(result.text) - - def _get_new_field_html(self, field_name): - try: - f, attr, value = lookup_field(field_name, self.org_obj, self) - except (AttributeError, ObjectDoesNotExist): - return EMPTY_CHANGELIST_VALUE - else: - allow_tags = False - if f is None: - allow_tags = getattr(attr, 'allow_tags', False) - boolean = getattr(attr, 'boolean', False) - if boolean: - allow_tags = True - text = boolean_icon(value) - else: - text = smart_unicode(value) - else: - if isinstance(f.rel, models.ManyToOneRel): - field_val = getattr(self.org_obj, f.name) - if field_val is None: - text = EMPTY_CHANGELIST_VALUE - else: - text = field_val - else: - text = display_for_field(value, f) - return mark_safe(text) if allow_tags else conditional_escape(text) - - @filter_hook - def get(self, request, object_id): - model_fields = [f.name for f in self.opts.fields] - fields = [f for f in request.GET['fields'].split(',') if f in model_fields] - defaults = { - "form": self.form, - "fields": fields, - "formfield_callback": self.formfield_for_dbfield, - } - form_class = modelform_factory(self.model, **defaults) - form = form_class(instance=self.org_obj) - - helper = FormHelper() - helper.form_tag = False - form.helper = helper - - s = '{% load i18n crispy_forms_tags %}
    {% crispy form %}' + \ - '
    ' - t = template.Template(s) - c = template.Context({'form': form, 'action_url': self.model_admin_url('patch', self.org_obj.pk)}) - - return HttpResponse(t.render(c)) - - @filter_hook - @csrf_protect_m - @transaction.atomic - def post(self, request, object_id): - model_fields = [f.name for f in self.opts.fields] - fields = [f for f in request.POST.keys() if f in model_fields] - defaults = { - "form": self.form, - "fields": fields, - "formfield_callback": self.formfield_for_dbfield, - } - form_class = modelform_factory(self.model, **defaults) - form = form_class( - instance=self.org_obj, data=request.POST, files=request.FILES) - - result = {} - if form.is_valid(): - form.save(commit=True) - result['result'] = 'success' - result['new_data'] = form.cleaned_data - result['new_html'] = dict( - [(f, self.get_new_field_html(f)) for f in fields]) - else: - result['result'] = 'error' - result['errors'] = JsonErrorDict(form.errors, form).as_json() - - return self.render_response(result) - -site.register_plugin(EditablePlugin, ListAdminView) -site.register_modelview(r'^(.+)/patch/$', EditPatchView, name='%s_%s_patch') diff --git a/pillbox-engine/xadmin/plugins/export.py b/pillbox-engine/xadmin/plugins/export.py deleted file mode 100644 index 895a30e..0000000 --- a/pillbox-engine/xadmin/plugins/export.py +++ /dev/null @@ -1,243 +0,0 @@ -import StringIO -import datetime -import sys - -from django.http import HttpResponse -from django.template import loader -from django.utils.encoding import force_unicode, smart_unicode -from django.utils.html import escape -from django.utils.translation import ugettext as _ -from django.utils.xmlutils import SimplerXMLGenerator -from django.db.models import BooleanField, NullBooleanField -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView -from xadmin.util import json -from xadmin.views.list import ALL_VAR - -try: - import xlwt - has_xlwt = True -except: - has_xlwt = False - -try: - import xlsxwriter - has_xlsxwriter = True -except: - has_xlsxwriter = False - - -class ExportMenuPlugin(BaseAdminPlugin): - - list_export = ('xlsx', 'xls', 'csv', 'xml', 'json') - export_names = {'xlsx': 'Excel 2007', 'xls': 'Excel', 'csv': 'CSV', - 'xml': 'XML', 'json': 'JSON'} - - def init_request(self, *args, **kwargs): - self.list_export = [ - f for f in self.list_export - if (f != 'xlsx' or has_xlsxwriter) and (f != 'xls' or has_xlwt)] - - def block_top_toolbar(self, context, nodes): - if self.list_export: - context.update({ - 'show_export_all': self.admin_view.paginator.count > self.admin_view.list_per_page and not ALL_VAR in self.admin_view.request.GET, - 'form_params': self.admin_view.get_form_params({'_do_': 'export'}, ('export_type',)), - 'export_types': [{'type': et, 'name': self.export_names[et]} for et in self.list_export], - }) - nodes.append(loader.render_to_string('xadmin/blocks/model_list.top_toolbar.exports.html', context_instance=context)) - - -class ExportPlugin(BaseAdminPlugin): - - export_mimes = {'xlsx': 'application/vnd.ms-excel', - 'xls': 'application/vnd.ms-excel', 'csv': 'text/csv', - 'xml': 'application/xhtml+xml', 'json': 'application/json'} - - def init_request(self, *args, **kwargs): - return self.request.GET.get('_do_') == 'export' - - def _format_value(self, o): - if (o.field is None and getattr(o.attr, 'boolean', False)) or \ - (o.field and isinstance(o.field, (BooleanField, NullBooleanField))): - value = o.value - elif str(o.text).startswith(""): - value = escape(str(o.text)[25:-7]) - else: - value = escape(str(o.text)) - return value - - def _get_objects(self, context): - headers = [c for c in context['result_headers'].cells if c.export] - rows = context['results'] - - return [dict([ - (force_unicode(headers[i].text), self._format_value(o)) for i, o in - enumerate(filter(lambda c:getattr(c, 'export', False), r.cells))]) for r in rows] - - def _get_datas(self, context): - rows = context['results'] - - new_rows = [[self._format_value(o) for o in - filter(lambda c:getattr(c, 'export', False), r.cells)] for r in rows] - new_rows.insert(0, [force_unicode(c.text) for c in context['result_headers'].cells if c.export]) - return new_rows - - def get_xlsx_export(self, context): - datas = self._get_datas(context) - output = StringIO.StringIO() - export_header = ( - self.request.GET.get('export_xlsx_header', 'off') == 'on') - - model_name = self.opts.verbose_name - book = xlsxwriter.Workbook(output) - sheet = book.add_worksheet( - u"%s %s" % (_(u'Sheet'), force_unicode(model_name))) - styles = {'datetime': book.add_format({'num_format': 'yyyy-mm-dd hh:mm:ss'}), - 'date': book.add_format({'num_format': 'yyyy-mm-dd'}), - 'time': book.add_format({'num_format': 'hh:mm:ss'}), - 'header': book.add_format({'font': 'name Times New Roman', 'color': 'red', 'bold': 'on', 'num_format': '#,##0.00'}), - 'default': book.add_format()} - - if not export_header: - datas = datas[1:] - for rowx, row in enumerate(datas): - for colx, value in enumerate(row): - if export_header and rowx == 0: - cell_style = styles['header'] - else: - if isinstance(value, datetime.datetime): - cell_style = styles['datetime'] - elif isinstance(value, datetime.date): - cell_style = styles['date'] - elif isinstance(value, datetime.time): - cell_style = styles['time'] - else: - cell_style = styles['default'] - sheet.write(rowx, colx, value, cell_style) - book.close() - - output.seek(0) - return output.getvalue() - - def get_xls_export(self, context): - datas = self._get_datas(context) - output = StringIO.StringIO() - export_header = ( - self.request.GET.get('export_xls_header', 'off') == 'on') - - model_name = self.opts.verbose_name - book = xlwt.Workbook(encoding='utf8') - sheet = book.add_sheet( - u"%s %s" % (_(u'Sheet'), force_unicode(model_name))) - styles = {'datetime': xlwt.easyxf(num_format_str='yyyy-mm-dd hh:mm:ss'), - 'date': xlwt.easyxf(num_format_str='yyyy-mm-dd'), - 'time': xlwt.easyxf(num_format_str='hh:mm:ss'), - 'header': xlwt.easyxf('font: name Times New Roman, color-index red, bold on', num_format_str='#,##0.00'), - 'default': xlwt.Style.default_style} - - if not export_header: - datas = datas[1:] - for rowx, row in enumerate(datas): - for colx, value in enumerate(row): - if export_header and rowx == 0: - cell_style = styles['header'] - else: - if isinstance(value, datetime.datetime): - cell_style = styles['datetime'] - elif isinstance(value, datetime.date): - cell_style = styles['date'] - elif isinstance(value, datetime.time): - cell_style = styles['time'] - else: - cell_style = styles['default'] - sheet.write(rowx, colx, value, style=cell_style) - book.save(output) - - output.seek(0) - return output.getvalue() - - def _format_csv_text(self, t): - if isinstance(t, bool): - return _('Yes') if t else _('No') - t = t.replace('"', '""').replace(',', '\,') - if isinstance(t, basestring): - t = '"%s"' % t - return t - - def get_csv_export(self, context): - datas = self._get_datas(context) - stream = [] - - if self.request.GET.get('export_csv_header', 'off') != 'on': - datas = datas[1:] - - for row in datas: - stream.append(','.join(map(self._format_csv_text, row))) - - return '\r\n'.join(stream) - - def _to_xml(self, xml, data): - if isinstance(data, (list, tuple)): - for item in data: - xml.startElement("row", {}) - self._to_xml(xml, item) - xml.endElement("row") - elif isinstance(data, dict): - for key, value in data.iteritems(): - key = key.replace(' ', '_') - xml.startElement(key, {}) - self._to_xml(xml, value) - xml.endElement(key) - else: - xml.characters(smart_unicode(data)) - - def get_xml_export(self, context): - results = self._get_objects(context) - stream = StringIO.StringIO() - - xml = SimplerXMLGenerator(stream, "utf-8") - xml.startDocument() - xml.startElement("objects", {}) - - self._to_xml(xml, results) - - xml.endElement("objects") - xml.endDocument() - - return stream.getvalue().split('\n')[1] - - def get_json_export(self, context): - results = self._get_objects(context) - return json.dumps({'objects': results}, ensure_ascii=False, - indent=(self.request.GET.get('export_json_format', 'off') == 'on') and 4 or None) - - def get_response(self, response, context, *args, **kwargs): - file_type = self.request.GET.get('export_type', 'csv') - response = HttpResponse( - content_type="%s; charset=UTF-8" % self.export_mimes[file_type]) - - file_name = self.opts.verbose_name.replace(' ', '_') - response['Content-Disposition'] = ('attachment; filename=%s.%s' % ( - file_name, file_type)).encode('utf-8') - - response.write(getattr(self, 'get_%s_export' % file_type)(context)) - return response - - # View Methods - def get_result_list(self, __): - if self.request.GET.get('all', 'off') == 'on': - self.admin_view.list_per_page = sys.maxint - return __() - - def result_header(self, item, field_name, row): - item.export = not item.attr or field_name == '__str__' or getattr(item.attr, 'allow_export', True) - return item - - def result_item(self, item, obj, field_name, row): - item.export = item.field or field_name == '__str__' or getattr(item.attr, 'allow_export', True) - return item - - -site.register_plugin(ExportMenuPlugin, ListAdminView) -site.register_plugin(ExportPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/filters.py b/pillbox-engine/xadmin/plugins/filters.py deleted file mode 100644 index c13dec0..0000000 --- a/pillbox-engine/xadmin/plugins/filters.py +++ /dev/null @@ -1,214 +0,0 @@ -import operator -from xadmin import widgets - -from xadmin.util import get_fields_from_path, lookup_needs_distinct -from django.core.exceptions import SuspiciousOperation, ImproperlyConfigured, ValidationError -from django.db import models -from django.db.models.fields import FieldDoesNotExist -from django.db.models.related import RelatedObject -from django.db.models.sql.query import LOOKUP_SEP, QUERY_TERMS -from django.template import loader -from django.utils.encoding import smart_str -from django.utils.translation import ugettext as _ - -from xadmin.filters import manager as filter_manager, FILTER_PREFIX, SEARCH_VAR, DateFieldListFilter, RelatedFieldSearchFilter -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView - - -class IncorrectLookupParameters(Exception): - pass - - -class FilterPlugin(BaseAdminPlugin): - list_filter = () - search_fields = () - free_query_filter = True - - def lookup_allowed(self, lookup, value): - model = self.model - # Check FKey lookups that are allowed, so that popups produced by - # ForeignKeyRawIdWidget, on the basis of ForeignKey.limit_choices_to, - # are allowed to work. - for l in model._meta.related_fkey_lookups: - for k, v in widgets.url_params_from_lookup_dict(l).items(): - if k == lookup and v == value: - return True - - parts = lookup.split(LOOKUP_SEP) - - # Last term in lookup is a query term (__exact, __startswith etc) - # This term can be ignored. - if len(parts) > 1 and parts[-1] in QUERY_TERMS: - parts.pop() - - # Special case -- foo__id__exact and foo__id queries are implied - # if foo has been specificially included in the lookup list; so - # drop __id if it is the last part. However, first we need to find - # the pk attribute name. - rel_name = None - for part in parts[:-1]: - try: - field, _, _, _ = model._meta.get_field_by_name(part) - except FieldDoesNotExist: - # Lookups on non-existants fields are ok, since they're ignored - # later. - return True - if hasattr(field, 'rel'): - model = field.rel.to - rel_name = field.rel.get_related_field().name - elif isinstance(field, RelatedObject): - model = field.model - rel_name = model._meta.pk.name - else: - rel_name = None - if rel_name and len(parts) > 1 and parts[-1] == rel_name: - parts.pop() - - if len(parts) == 1: - return True - clean_lookup = LOOKUP_SEP.join(parts) - return clean_lookup in self.list_filter - - def get_list_queryset(self, queryset): - lookup_params = dict([(smart_str(k)[len(FILTER_PREFIX):], v) for k, v in self.admin_view.params.items() - if smart_str(k).startswith(FILTER_PREFIX) and v != '']) - for p_key, p_val in lookup_params.iteritems(): - if p_val == "False": - lookup_params[p_key] = False - use_distinct = False - - # for clean filters - self.admin_view.has_query_param = bool(lookup_params) - self.admin_view.clean_query_url = self.admin_view.get_query_string(remove= - [k for k in self.request.GET.keys() if k.startswith(FILTER_PREFIX)]) - - # Normalize the types of keys - if not self.free_query_filter: - for key, value in lookup_params.items(): - if not self.lookup_allowed(key, value): - raise SuspiciousOperation( - "Filtering by %s not allowed" % key) - - self.filter_specs = [] - if self.list_filter: - for list_filter in self.list_filter: - if callable(list_filter): - # This is simply a custom list filter class. - spec = list_filter(self.request, lookup_params, - self.model, self) - else: - field_path = None - field_parts = [] - if isinstance(list_filter, (tuple, list)): - # This is a custom FieldListFilter class for a given field. - field, field_list_filter_class = list_filter - else: - # This is simply a field name, so use the default - # FieldListFilter class that has been registered for - # the type of the given field. - field, field_list_filter_class = list_filter, filter_manager.create - if not isinstance(field, models.Field): - field_path = field - field_parts = get_fields_from_path( - self.model, field_path) - field = field_parts[-1] - spec = field_list_filter_class( - field, self.request, lookup_params, - self.model, self.admin_view, field_path=field_path) - - if len(field_parts)>1: - # Add related model name to title - spec.title = "%s %s"%(field_parts[-2].name,spec.title) - - # Check if we need to use distinct() - use_distinct = (use_distinct or - lookup_needs_distinct(self.opts, field_path)) - if spec and spec.has_output(): - try: - new_qs = spec.do_filte(queryset) - except ValidationError, e: - new_qs = None - self.admin_view.message_user(_("Filtering error: %s") % e.messages[0], 'error') - if new_qs is not None: - queryset = new_qs - - self.filter_specs.append(spec) - - self.has_filters = bool(self.filter_specs) - self.admin_view.filter_specs = self.filter_specs - self.admin_view.used_filter_num = len( - filter(lambda f: f.is_used, self.filter_specs)) - - try: - for key, value in lookup_params.items(): - use_distinct = ( - use_distinct or lookup_needs_distinct(self.opts, key)) - except FieldDoesNotExist, e: - raise IncorrectLookupParameters(e) - - try: - queryset = queryset.filter(**lookup_params) - except (SuspiciousOperation, ImproperlyConfigured): - raise - except Exception, e: - raise IncorrectLookupParameters(e) - - query = self.request.GET.get(SEARCH_VAR, '') - - # Apply keyword searches. - def construct_search(field_name): - if field_name.startswith('^'): - return "%s__istartswith" % field_name[1:] - elif field_name.startswith('='): - return "%s__iexact" % field_name[1:] - elif field_name.startswith('@'): - return "%s__search" % field_name[1:] - else: - return "%s__icontains" % field_name - - if self.search_fields and query: - orm_lookups = [construct_search(str(search_field)) - for search_field in self.search_fields] - for bit in query.split(): - or_queries = [models.Q(**{orm_lookup: bit}) - for orm_lookup in orm_lookups] - queryset = queryset.filter(reduce(operator.or_, or_queries)) - if not use_distinct: - for search_spec in orm_lookups: - if lookup_needs_distinct(self.opts, search_spec): - use_distinct = True - break - self.admin_view.search_query = query - - if use_distinct: - return queryset.distinct() - else: - return queryset - - # Media - def get_media(self, media): - if bool(filter(lambda s: isinstance(s, DateFieldListFilter), self.filter_specs)): - media = media + self.vendor('datepicker.css', 'datepicker.js', - 'xadmin.widget.datetime.js') - if bool(filter(lambda s: isinstance(s, RelatedFieldSearchFilter), self.filter_specs)): - media = media + self.vendor( - 'select.js', 'select.css', 'xadmin.widget.select.js') - return media + self.vendor('xadmin.plugin.filters.js') - - # Block Views - def block_nav_menu(self, context, nodes): - if self.has_filters: - nodes.append(loader.render_to_string('xadmin/blocks/model_list.nav_menu.filters.html', context_instance=context)) - - def block_nav_form(self, context, nodes): - if self.search_fields: - nodes.append( - loader.render_to_string( - 'xadmin/blocks/model_list.nav_form.search_form.html', - {'search_var': SEARCH_VAR, - 'remove_search_url': self.admin_view.get_query_string(remove=[SEARCH_VAR]), - 'search_form_params': self.admin_view.get_form_params(remove=[SEARCH_VAR])}, - context_instance=context)) - -site.register_plugin(FilterPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/images.py b/pillbox-engine/xadmin/plugins/images.py deleted file mode 100644 index 1c92bca..0000000 --- a/pillbox-engine/xadmin/plugins/images.py +++ /dev/null @@ -1,119 +0,0 @@ -from django.db import models -from django import forms -from django.utils.translation import ugettext as _ -from django.utils.safestring import mark_safe -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ModelFormAdminView, DetailAdminView, ListAdminView - - -def get_gallery_modal(): - return """ - - - """ % (_('Previous'), _('Next'), _('Slideshow'), _('Download')) - - -class AdminImageField(forms.ImageField): - - def widget_attrs(self, widget): - return {'label': self.label} - - -class AdminImageWidget(forms.FileInput): - """ - A ImageField Widget that shows its current value if it has one. - """ - def __init__(self, attrs={}): - super(AdminImageWidget, self).__init__(attrs) - - def render(self, name, value, attrs=None): - output = [] - if value and hasattr(value, "url"): - label = self.attrs.get('label', name) - output.append('
    %s ' % - (value.url, label, value.url, _('Change:'))) - output.append(super(AdminImageWidget, self).render(name, value, attrs)) - return mark_safe(u''.join(output)) - - -class ModelDetailPlugin(BaseAdminPlugin): - - def __init__(self, admin_view): - super(ModelDetailPlugin, self).__init__(admin_view) - self.include_image = False - - def get_field_attrs(self, attrs, db_field, **kwargs): - if isinstance(db_field, models.ImageField): - attrs['widget'] = AdminImageWidget - attrs['form_class'] = AdminImageField - self.include_image = True - return attrs - - def get_field_result(self, result, field_name): - if isinstance(result.field, models.ImageField): - if result.value: - img = getattr(result.obj, field_name) - result.text = mark_safe('' % (img.url, result.label, img.url)) - self.include_image = True - return result - - # Media - def get_media(self, media): - if self.include_image: - media = media + self.vendor('image-gallery.js', - 'image-gallery.css') - return media - - def block_before_fieldsets(self, context, node): - if self.include_image: - return '" - - def block_extrabody(self, context, node): - if self.include_image: - return get_gallery_modal() - - -class ModelListPlugin(BaseAdminPlugin): - - list_gallery = False - - def init_request(self, *args, **kwargs): - return bool(self.list_gallery) - - # Media - def get_media(self, media): - return media + self.vendor('image-gallery.js', 'image-gallery.css') - - def block_results_top(self, context, node): - return '" - - def block_extrabody(self, context, node): - return get_gallery_modal() - - -site.register_plugin(ModelDetailPlugin, DetailAdminView) -site.register_plugin(ModelDetailPlugin, ModelFormAdminView) -site.register_plugin(ModelListPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/inline.py b/pillbox-engine/xadmin/plugins/inline.py deleted file mode 100644 index 56a0a5c..0000000 --- a/pillbox-engine/xadmin/plugins/inline.py +++ /dev/null @@ -1,467 +0,0 @@ -import copy -import inspect -from django import forms -from django.forms.formsets import all_valid, DELETION_FIELD_NAME -from django.forms.models import inlineformset_factory, BaseInlineFormSet -from django.contrib.contenttypes.generic import BaseGenericInlineFormSet, generic_inlineformset_factory -from django.template import loader -from django.template.loader import render_to_string -from xadmin.layout import FormHelper, Layout, flatatt, Container, Column, Field, Fieldset -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ModelFormAdminView, DetailAdminView, filter_hook - - -class ShowField(Field): - template = "xadmin/layout/field_value.html" - - def __init__(self, admin_view, *args, **kwargs): - super(ShowField, self).__init__(*args, **kwargs) - self.admin_view = admin_view - if admin_view.style == 'table': - self.template = "xadmin/layout/field_value_td.html" - - def render(self, form, form_style, context): - html = '' - detail = form.detail - for field in self.fields: - if not isinstance(form.fields[field].widget, forms.HiddenInput): - result = detail.get_field_result(field) - html += loader.render_to_string( - self.template, {'field': form[field], 'result': result}) - return html - - -class DeleteField(Field): - - def render(self, form, form_style, context): - if form.instance.pk: - self.attrs['type'] = 'hidden' - return super(DeleteField, self).render(form, form_style, context) - else: - return "" - - -class TDField(Field): - template = "xadmin/layout/td-field.html" - - -class InlineStyleManager(object): - inline_styles = {} - - def register_style(self, name, style): - self.inline_styles[name] = style - - def get_style(self, name='stacked'): - return self.inline_styles.get(name) - -style_manager = InlineStyleManager() - - -class InlineStyle(object): - template = 'xadmin/edit_inline/stacked.html' - - def __init__(self, view, formset): - self.view = view - self.formset = formset - - def update_layout(self, helper): - pass - - def get_attrs(self): - return {} -style_manager.register_style('stacked', InlineStyle) - - -class OneInlineStyle(InlineStyle): - template = 'xadmin/edit_inline/one.html' -style_manager.register_style("one", OneInlineStyle) - - -class AccInlineStyle(InlineStyle): - template = 'xadmin/edit_inline/accordion.html' -style_manager.register_style("accordion", AccInlineStyle) - - -class TabInlineStyle(InlineStyle): - template = 'xadmin/edit_inline/tab.html' -style_manager.register_style("tab", TabInlineStyle) - - -class TableInlineStyle(InlineStyle): - template = 'xadmin/edit_inline/tabular.html' - - def update_layout(self, helper): - helper.add_layout( - Layout(*[TDField(f) for f in self.formset[0].fields.keys()])) - - def get_attrs(self): - fields = [] - readonly_fields = [] - if len(self.formset): - fields = [f for k, f in self.formset[0].fields.items() if k != DELETION_FIELD_NAME] - readonly_fields = [f for f in getattr(self.formset[0], 'readonly_fields', [])] - return { - 'fields': fields, - 'readonly_fields': readonly_fields - } -style_manager.register_style("table", TableInlineStyle) - - -def replace_field_to_value(layout, av): - if layout: - for i, lo in enumerate(layout.fields): - if isinstance(lo, Field) or issubclass(lo.__class__, Field): - layout.fields[i] = ShowField(av, *lo.fields, **lo.attrs) - elif isinstance(lo, basestring): - layout.fields[i] = ShowField(av, lo) - elif hasattr(lo, 'get_field_names'): - replace_field_to_value(lo, av) - - -class InlineModelAdmin(ModelFormAdminView): - - fk_name = None - formset = BaseInlineFormSet - extra = 3 - max_num = None - can_delete = True - fields = [] - admin_view = None - style = 'stacked' - - def init(self, admin_view): - self.admin_view = admin_view - self.parent_model = admin_view.model - self.org_obj = getattr(admin_view, 'org_obj', None) - self.model_instance = self.org_obj or admin_view.model() - - return self - - @filter_hook - def get_formset(self, **kwargs): - """Returns a BaseInlineFormSet class for use in admin add/change views.""" - if self.exclude is None: - exclude = [] - else: - exclude = list(self.exclude) - exclude.extend(self.get_readonly_fields()) - if self.exclude is None and hasattr(self.form, '_meta') and self.form._meta.exclude: - # Take the custom ModelForm's Meta.exclude into account only if the - # InlineModelAdmin doesn't define its own. - exclude.extend(self.form._meta.exclude) - # if exclude is an empty list we use None, since that's the actual - # default - exclude = exclude or None - can_delete = self.can_delete and self.has_delete_permission() - defaults = { - "form": self.form, - "formset": self.formset, - "fk_name": self.fk_name, - "exclude": exclude, - "formfield_callback": self.formfield_for_dbfield, - "extra": self.extra, - "max_num": self.max_num, - "can_delete": can_delete, - } - defaults.update(kwargs) - return inlineformset_factory(self.parent_model, self.model, **defaults) - - @filter_hook - def instance_form(self, **kwargs): - formset = self.get_formset(**kwargs) - attrs = { - 'instance': self.model_instance, - 'queryset': self.queryset() - } - if self.request_method == 'post': - attrs.update({ - 'data': self.request.POST, 'files': self.request.FILES, - 'save_as_new': "_saveasnew" in self.request.POST - }) - instance = formset(**attrs) - instance.view = self - - helper = FormHelper() - helper.form_tag = False - # override form method to prevent render csrf_token in inline forms, see template 'bootstrap/whole_uni_form.html' - helper.form_method = 'get' - - style = style_manager.get_style( - 'one' if self.max_num == 1 else self.style)(self, instance) - style.name = self.style - - if len(instance): - layout = copy.deepcopy(self.form_layout) - - if layout is None: - layout = Layout(*instance[0].fields.keys()) - elif type(layout) in (list, tuple) and len(layout) > 0: - layout = Layout(*layout) - - rendered_fields = [i[1] for i in layout.get_field_names()] - layout.extend([f for f in instance[0] - .fields.keys() if f not in rendered_fields]) - - helper.add_layout(layout) - style.update_layout(helper) - - # replace delete field with Dynamic field, for hidden delete field when instance is NEW. - helper[DELETION_FIELD_NAME].wrap(DeleteField) - - instance.helper = helper - instance.style = style - - readonly_fields = self.get_readonly_fields() - if readonly_fields: - for form in instance: - form.readonly_fields = [] - inst = form.save(commit=False) - if inst: - for readonly_field in readonly_fields: - value = None - label = None - if readonly_field in inst._meta.get_all_field_names(): - label = inst._meta.get_field_by_name(readonly_field)[0].verbose_name - value = unicode(getattr(inst, readonly_field)) - elif inspect.ismethod(getattr(inst, readonly_field, None)): - value = getattr(inst, readonly_field)() - label = getattr(getattr(inst, readonly_field), 'short_description', readonly_field) - elif inspect.ismethod(getattr(self, readonly_field, None)): - value = getattr(self, readonly_field)(inst) - label = getattr(getattr(self, readonly_field), 'short_description', readonly_field) - if value: - form.readonly_fields.append({'label': label, 'contents': value}) - return instance - - def has_auto_field(self, form): - if form._meta.model._meta.has_auto_field: - return True - for parent in form._meta.model._meta.get_parent_list(): - if parent._meta.has_auto_field: - return True - return False - - def queryset(self): - queryset = super(InlineModelAdmin, self).queryset() - if not self.has_change_permission() and not self.has_view_permission(): - queryset = queryset.none() - return queryset - - def has_add_permission(self): - if self.opts.auto_created: - return self.has_change_permission() - return self.user.has_perm( - self.opts.app_label + '.' + self.opts.get_add_permission()) - - def has_change_permission(self): - opts = self.opts - if opts.auto_created: - for field in opts.fields: - if field.rel and field.rel.to != self.parent_model: - opts = field.rel.to._meta - break - return self.user.has_perm( - opts.app_label + '.' + opts.get_change_permission()) - - def has_delete_permission(self): - if self.opts.auto_created: - return self.has_change_permission() - return self.user.has_perm( - self.opts.app_label + '.' + self.opts.get_delete_permission()) - - -class GenericInlineModelAdmin(InlineModelAdmin): - ct_field = "content_type" - ct_fk_field = "object_id" - - formset = BaseGenericInlineFormSet - - def get_formset(self, **kwargs): - if self.exclude is None: - exclude = [] - else: - exclude = list(self.exclude) - exclude.extend(self.get_readonly_fields()) - if self.exclude is None and hasattr(self.form, '_meta') and self.form._meta.exclude: - # Take the custom ModelForm's Meta.exclude into account only if the - # GenericInlineModelAdmin doesn't define its own. - exclude.extend(self.form._meta.exclude) - exclude = exclude or None - can_delete = self.can_delete and self.has_delete_permission() - defaults = { - "ct_field": self.ct_field, - "fk_field": self.ct_fk_field, - "form": self.form, - "formfield_callback": self.formfield_for_dbfield, - "formset": self.formset, - "extra": self.extra, - "can_delete": can_delete, - "can_order": False, - "max_num": self.max_num, - "exclude": exclude - } - defaults.update(kwargs) - return generic_inlineformset_factory(self.model, **defaults) - - -class InlineFormset(Fieldset): - - def __init__(self, formset, allow_blank=False, **kwargs): - self.fields = [] - self.css_class = kwargs.pop('css_class', '') - self.css_id = "%s-group" % formset.prefix - self.template = formset.style.template - self.inline_style = formset.style.name - if allow_blank and len(formset) == 0: - self.template = 'xadmin/edit_inline/blank.html' - self.inline_style = 'blank' - self.formset = formset - self.model = formset.model - self.opts = formset.model._meta - self.flat_attrs = flatatt(kwargs) - self.extra_attrs = formset.style.get_attrs() - - def render(self, form, form_style, context): - return render_to_string( - self.template, dict({'formset': self, 'prefix': self.formset.prefix, 'inline_style': self.inline_style}, **self.extra_attrs), - context_instance=context) - - -class Inline(Fieldset): - - def __init__(self, rel_model): - self.model = rel_model - self.fields = [] - - def render(self, form, form_style, context): - return "" - - -def get_first_field(layout, clz): - for layout_object in layout.fields: - if issubclass(layout_object.__class__, clz): - return layout_object - elif hasattr(layout_object, 'get_field_names'): - gf = get_first_field(layout_object, clz) - if gf: - return gf - - -def replace_inline_objects(layout, fs): - if not fs: - return - for i, layout_object in enumerate(layout.fields): - if isinstance(layout_object, Inline) and layout_object.model in fs: - layout.fields[i] = fs.pop(layout_object.model) - elif hasattr(layout_object, 'get_field_names'): - replace_inline_objects(layout_object, fs) - - -class InlineFormsetPlugin(BaseAdminPlugin): - inlines = [] - - @property - def inline_instances(self): - if not hasattr(self, '_inline_instances'): - inline_instances = [] - for inline_class in self.inlines: - inline = self.admin_view.get_view( - (getattr(inline_class, 'generic_inline', False) and GenericInlineModelAdmin or InlineModelAdmin), - inline_class).init(self.admin_view) - if not (inline.has_add_permission() or - inline.has_change_permission() or - inline.has_delete_permission() or - inline.has_view_permission()): - continue - if not inline.has_add_permission(): - inline.max_num = 0 - inline_instances.append(inline) - self._inline_instances = inline_instances - return self._inline_instances - - def instance_forms(self, ret): - self.formsets = [] - for inline in self.inline_instances: - if inline.has_change_permission(): - self.formsets.append(inline.instance_form()) - else: - self.formsets.append(self._get_detail_formset_instance(inline)) - self.admin_view.formsets = self.formsets - - def valid_forms(self, result): - return all_valid(self.formsets) and result - - def save_related(self): - for formset in self.formsets: - formset.instance = self.admin_view.new_obj - formset.save() - - def get_context(self, context): - context['inline_formsets'] = self.formsets - return context - - def get_error_list(self, errors): - for fs in self.formsets: - errors.extend(fs.non_form_errors()) - for errors_in_inline_form in fs.errors: - errors.extend(errors_in_inline_form.values()) - return errors - - def get_form_layout(self, layout): - allow_blank = isinstance(self.admin_view, DetailAdminView) - # fixed #176 bug, change dict to list - fs = [(f.model, InlineFormset(f, allow_blank)) for f in self.formsets] - replace_inline_objects(layout, fs) - - if fs: - container = get_first_field(layout, Column) - if not container: - container = get_first_field(layout, Container) - if not container: - container = layout - - # fixed #176 bug, change dict to list - for key, value in fs: - container.append(value) - - return layout - - def get_media(self, media): - for fs in self.formsets: - media = media + fs.media - if self.formsets: - media = media + self.vendor( - 'xadmin.plugin.formset.js', 'xadmin.plugin.formset.css') - return media - - def _get_detail_formset_instance(self, inline): - formset = inline.instance_form(extra=0, max_num=0, can_delete=0) - formset.detail_page = True - if True: - replace_field_to_value(formset.helper.layout, inline) - model = inline.model - opts = model._meta - fake_admin_class = type(str('%s%sFakeAdmin' % (opts.app_label, opts.module_name)), (object, ), {'model': model}) - for form in formset.forms: - instance = form.instance - if instance.pk: - form.detail = self.get_view( - DetailAdminUtil, fake_admin_class, instance) - return formset - -class DetailAdminUtil(DetailAdminView): - - def init_request(self, obj): - self.obj = obj - self.org_obj = obj - - -class DetailInlineFormsetPlugin(InlineFormsetPlugin): - - def get_model_form(self, form, **kwargs): - self.formsets = [self._get_detail_formset_instance( - inline) for inline in self.inline_instances] - return form - -site.register_plugin(InlineFormsetPlugin, ModelFormAdminView) -site.register_plugin(DetailInlineFormsetPlugin, DetailAdminView) diff --git a/pillbox-engine/xadmin/plugins/language.py b/pillbox-engine/xadmin/plugins/language.py deleted file mode 100644 index fa65c7b..0000000 --- a/pillbox-engine/xadmin/plugins/language.py +++ /dev/null @@ -1,19 +0,0 @@ - -from django.conf import settings -from django.template import loader, RequestContext - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, CommAdminView - - -class SetLangNavPlugin(BaseAdminPlugin): - - def block_top_navmenu(self, context, nodes): - nodes.append( - loader.render_to_string('xadmin/blocks/comm.top.setlang.html', { - 'redirect_to': self.request.get_full_path(), - }, context_instance=RequestContext(self.request))) - -if settings.LANGUAGES and 'django.middleware.locale.LocaleMiddleware' in settings.MIDDLEWARE_CLASSES: - site.register_plugin(SetLangNavPlugin, CommAdminView) - site.register_view(r'^i18n/', lambda site: 'django.conf.urls.i18n', 'i18n') diff --git a/pillbox-engine/xadmin/plugins/layout.py b/pillbox-engine/xadmin/plugins/layout.py deleted file mode 100644 index 2e45d1a..0000000 --- a/pillbox-engine/xadmin/plugins/layout.py +++ /dev/null @@ -1,79 +0,0 @@ -# coding=utf-8 -from django.template import loader -from django.utils.translation import ugettext_lazy as _ - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView -from xadmin.util import label_for_field - -LAYOUT_VAR = '_layout' - -DEFAULT_LAYOUTS = { - 'table': { - 'key': 'table', - 'icon': 'fa fa-table', - 'name': _(u'Table'), - 'template': 'views/model_list.html', - }, - 'thumbnails': { - 'key': 'thumbnails', - 'icon': 'fa fa-th-large', - 'name': _(u'Thumbnails'), - 'template': 'grids/thumbnails.html', - }, -} - - -class GridLayoutPlugin(BaseAdminPlugin): - - grid_layouts = [] - - _active_layouts = [] - _current_layout = None - _current_icon = 'table' - - def get_layout(self, l): - item = (type(l) is dict) and l or DEFAULT_LAYOUTS[l] - return dict({'url': self.admin_view.get_query_string({LAYOUT_VAR: item['key']}), 'selected': False}, **item) - - def init_request(self, *args, **kwargs): - active = bool(self.request.method == 'GET' and self.grid_layouts) - if active: - layouts = (type(self.grid_layouts) in (list, tuple)) and self.grid_layouts or (self.grid_layouts,) - self._active_layouts = [self.get_layout(l) for l in layouts] - self._current_layout = self.request.GET.get(LAYOUT_VAR, self._active_layouts[0]['key']) - for layout in self._active_layouts: - if self._current_layout == layout['key']: - self._current_icon = layout['icon'] - layout['selected'] = True - self.admin_view.object_list_template = self.admin_view.get_template_list(layout['template']) - return active - - def result_item(self, item, obj, field_name, row): - if self._current_layout == 'thumbnails': - if getattr(item.attr, 'is_column', True): - item.field_label = label_for_field( - field_name, self.model, - model_admin=self.admin_view, - return_attr=False - ) - if getattr(item.attr, 'thumbnail_img', False): - setattr(item, 'thumbnail_hidden', True) - row['thumbnail_img'] = item - elif item.is_display_link: - setattr(item, 'thumbnail_hidden', True) - row['thumbnail_label'] = item - - return item - - # Block Views - def block_top_toolbar(self, context, nodes): - if len(self._active_layouts) > 1: - context.update({ - 'layouts': self._active_layouts, - 'current_icon': self._current_icon, - }) - nodes.append(loader.render_to_string('xadmin/blocks/model_list.top_toolbar.layouts.html', context_instance=context)) - - -site.register_plugin(GridLayoutPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/mobile.py b/pillbox-engine/xadmin/plugins/mobile.py deleted file mode 100644 index 4c6a566..0000000 --- a/pillbox-engine/xadmin/plugins/mobile.py +++ /dev/null @@ -1,30 +0,0 @@ -#coding:utf-8 -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, CommAdminView - - -class MobilePlugin(BaseAdminPlugin): - - def _test_mobile(self): - try: - return self.request.META['HTTP_USER_AGENT'].find('Android') >= 0 or \ - self.request.META['HTTP_USER_AGENT'].find('iPhone') >= 0 - except Exception: - return False - - def init_request(self, *args, **kwargs): - return self._test_mobile() - - def get_context(self, context): - #context['base_template'] = 'xadmin/base_mobile.html' - context['is_mob'] = True - return context - - # Media - # def get_media(self, media): - # return media + self.vendor('xadmin.mobile.css', ) - - def block_extrahead(self, context, nodes): - nodes.append('') - -site.register_plugin(MobilePlugin, CommAdminView) diff --git a/pillbox-engine/xadmin/plugins/multiselect.py b/pillbox-engine/xadmin/plugins/multiselect.py deleted file mode 100644 index 954f6b8..0000000 --- a/pillbox-engine/xadmin/plugins/multiselect.py +++ /dev/null @@ -1,107 +0,0 @@ -#coding:utf-8 -from itertools import chain - -import xadmin -from django import forms -from django.db.models import ManyToManyField -from django.forms.util import flatatt -from django.template import loader -from django.utils.encoding import force_unicode -from django.utils.html import escape, conditional_escape -from django.utils.safestring import mark_safe -from xadmin.util import vendor -from xadmin.views import BaseAdminPlugin, ModelFormAdminView - - -class SelectMultipleTransfer(forms.SelectMultiple): - - @property - def media(self): - return vendor('xadmin.widget.select-transfer.js', 'xadmin.widget.select-transfer.css') - - def __init__(self, verbose_name, is_stacked, attrs=None, choices=()): - self.verbose_name = verbose_name - self.is_stacked = is_stacked - super(SelectMultipleTransfer, self).__init__(attrs, choices) - - def render_opt(self, selected_choices, option_value, option_label): - option_value = force_unicode(option_value) - return u'' % ( - escape(option_value), conditional_escape(force_unicode(option_label))), bool(option_value in selected_choices) - - def render(self, name, value, attrs=None, choices=()): - if attrs is None: - attrs = {} - attrs['class'] = '' - if self.is_stacked: - attrs['class'] += 'stacked' - if value is None: - value = [] - final_attrs = self.build_attrs(attrs, name=name) - - selected_choices = set(force_unicode(v) for v in value) - available_output = [] - chosen_output = [] - - for option_value, option_label in chain(self.choices, choices): - if isinstance(option_label, (list, tuple)): - available_output.append(u'' % - escape(force_unicode(option_value))) - for option in option_label: - output, selected = self.render_opt( - selected_choices, *option) - if selected: - chosen_output.append(output) - else: - available_output.append(output) - available_output.append(u'') - else: - output, selected = self.render_opt( - selected_choices, option_value, option_label) - if selected: - chosen_output.append(output) - else: - available_output.append(output) - - context = { - 'verbose_name': self.verbose_name, - 'attrs': attrs, - 'field_id': attrs['id'], - 'flatatts': flatatt(final_attrs), - 'available_options': u'\n'.join(available_output), - 'chosen_options': u'\n'.join(chosen_output), - } - return mark_safe(loader.render_to_string('xadmin/forms/transfer.html', context)) - - -class SelectMultipleDropdown(forms.SelectMultiple): - - @property - def media(self): - return vendor('multiselect.js', 'multiselect.css', 'xadmin.widget.multiselect.js') - - def render(self, name, value, attrs=None, choices=()): - if attrs is None: - attrs = {} - attrs['class'] = 'selectmultiple selectdropdown' - return super(SelectMultipleDropdown, self).render(name, value, attrs, choices) - - -class M2MSelectPlugin(BaseAdminPlugin): - - def init_request(self, *args, **kwargs): - return hasattr(self.admin_view, 'style_fields') and \ - ( - 'm2m_transfer' in self.admin_view.style_fields.values() or - 'm2m_dropdown' in self.admin_view.style_fields.values() - ) - - def get_field_style(self, attrs, db_field, style, **kwargs): - if style == 'm2m_transfer' and isinstance(db_field, ManyToManyField): - return {'widget': SelectMultipleTransfer(db_field.verbose_name, False), 'help_text': ''} - if style == 'm2m_dropdown' and isinstance(db_field, ManyToManyField): - return {'widget': SelectMultipleDropdown, 'help_text': ''} - return attrs - - -xadmin.site.register_plugin(M2MSelectPlugin, ModelFormAdminView) diff --git a/pillbox-engine/xadmin/plugins/passwords.py b/pillbox-engine/xadmin/plugins/passwords.py deleted file mode 100644 index 9395d1e..0000000 --- a/pillbox-engine/xadmin/plugins/passwords.py +++ /dev/null @@ -1,114 +0,0 @@ -# coding=utf-8 -from django.contrib.auth.forms import PasswordResetForm, SetPasswordForm -from django.contrib.auth.tokens import default_token_generator -from django.contrib.auth.views import password_reset_confirm -from django.template.response import TemplateResponse -from django.utils.translation import ugettext as _ - -from xadmin.sites import site -from xadmin.views.base import BaseAdminPlugin, BaseAdminView, csrf_protect_m -from xadmin.views.website import LoginView - - -class ResetPasswordSendView(BaseAdminView): - - need_site_permission = False - - password_reset_form = PasswordResetForm - password_reset_template = 'xadmin/auth/password_reset/form.html' - password_reset_done_template = 'xadmin/auth/password_reset/done.html' - password_reset_token_generator = default_token_generator - - password_reset_from_email = None - password_reset_email_template = 'xadmin/auth/password_reset/email.html' - password_reset_subject_template = None - - def get(self, request, *args, **kwargs): - context = super(ResetPasswordSendView, self).get_context() - context['form'] = kwargs.get('form', self.password_reset_form()) - - return TemplateResponse(request, self.password_reset_template, context, - current_app=self.admin_site.name) - - @csrf_protect_m - def post(self, request, *args, **kwargs): - form = self.password_reset_form(request.POST) - - if form.is_valid(): - opts = { - 'use_https': request.is_secure(), - 'token_generator': self.password_reset_token_generator, - 'email_template_name': self.password_reset_email_template, - 'request': request, - 'domain_override': request.get_host() - } - - if self.password_reset_from_email: - opts['from_email'] = self.password_reset_from_email - if self.password_reset_subject_template: - opts['subject_template_name'] = self.password_reset_subject_template - - form.save(**opts) - context = super(ResetPasswordSendView, self).get_context() - return TemplateResponse(request, self.password_reset_done_template, context, - current_app=self.admin_site.name) - else: - return self.get(request, form=form) - -site.register_view(r'^xadmin/password_reset/$', ResetPasswordSendView, name='xadmin_password_reset') - -class ResetLinkPlugin(BaseAdminPlugin): - - def block_form_bottom(self, context, nodes): - reset_link = self.get_admin_url('xadmin_password_reset') - return '' % (reset_link, _('Forgotten your password or username?')) - -site.register_plugin(ResetLinkPlugin, LoginView) - - -class ResetPasswordComfirmView(BaseAdminView): - - need_site_permission = False - - password_reset_set_form = SetPasswordForm - password_reset_confirm_template = 'xadmin/auth/password_reset/confirm.html' - password_reset_token_generator = default_token_generator - - def do_view(self, request, uidb36, token, *args, **kwargs): - context = super(ResetPasswordComfirmView, self).get_context() - return password_reset_confirm(request, uidb36, token, - template_name=self.password_reset_confirm_template, - token_generator=self.password_reset_token_generator, - set_password_form=self.password_reset_set_form, - post_reset_redirect=self.get_admin_url('xadmin_password_reset_complete'), - current_app=self.admin_site.name, extra_context=context) - - def get(self, request, uidb36, token, *args, **kwargs): - return self.do_view(request, uidb36, token) - - def post(self, request, uidb36, token, *args, **kwargs): - return self.do_view(request, uidb36, token) - - def get_media(self): - return super(ResetPasswordComfirmView, self).get_media() + \ - self.vendor('xadmin.page.form.js', 'xadmin.form.css') - -site.register_view(r'^xadmin/password_reset/(?P[0-9A-Za-z]{1,13})-(?P[0-9A-Za-z]{1,13}-[0-9A-Za-z]{1,20})/$', - ResetPasswordComfirmView, name='xadmin_password_reset_confirm') - - -class ResetPasswordCompleteView(BaseAdminView): - - need_site_permission = False - - password_reset_complete_template = 'xadmin/auth/password_reset/complete.html' - - def get(self, request, *args, **kwargs): - context = super(ResetPasswordCompleteView, self).get_context() - context['login_url'] = self.get_admin_url('index') - - return TemplateResponse(request, self.password_reset_complete_template, context, - current_app=self.admin_site.name) - -site.register_view(r'^xadmin/password_reset/complete/$', ResetPasswordCompleteView, name='xadmin_password_reset_complete') - diff --git a/pillbox-engine/xadmin/plugins/portal.py b/pillbox-engine/xadmin/plugins/portal.py deleted file mode 100644 index de433a5..0000000 --- a/pillbox-engine/xadmin/plugins/portal.py +++ /dev/null @@ -1,74 +0,0 @@ -#coding:utf-8 -from xadmin.sites import site -from xadmin.models import UserSettings -from xadmin.views import BaseAdminPlugin, ModelFormAdminView, DetailAdminView -from xadmin.layout import Fieldset, Column - - -class BasePortalPlugin(BaseAdminPlugin): - - # Media - def get_media(self, media): - return media + self.vendor('xadmin.plugin.portal.js') - - -def get_layout_objects(layout, clz, objects): - for i, layout_object in enumerate(layout.fields): - if layout_object.__class__ is clz or issubclass(layout_object.__class__, clz): - objects.append(layout_object) - elif hasattr(layout_object, 'get_field_names'): - get_layout_objects(layout_object, clz, objects) - - -class ModelFormPlugin(BasePortalPlugin): - - def _portal_key(self): - return '%s_%s_editform_portal' % (self.opts.app_label, self.opts.module_name) - - def get_form_helper(self, helper): - cs = [] - layout = helper.layout - get_layout_objects(layout, Column, cs) - for i, c in enumerate(cs): - if not getattr(c, 'css_id', None): - c.css_id = 'column-%d' % i - - # make fieldset index - fs = [] - get_layout_objects(layout, Fieldset, fs) - fs_map = {} - for i, f in enumerate(fs): - if not getattr(f, 'css_id', None): - f.css_id = 'box-%d' % i - fs_map[f.css_id] = f - - try: - layout_pos = UserSettings.objects.get( - user=self.user, key=self._portal_key()).value - layout_cs = layout_pos.split('|') - for i, c in enumerate(cs): - c.fields = [fs_map.pop(j) for j in layout_cs[i].split( - ',') if j in fs_map] if len(layout_cs) > i else [] - if fs_map and cs: - cs[0].fields.extend(fs_map.values()) - except Exception: - pass - - return helper - - def block_form_top(self, context, node): - # put portal key and submit url to page - return "" % self._portal_key() - - -class ModelDetailPlugin(ModelFormPlugin): - - def _portal_key(self): - return '%s_%s_detail_portal' % (self.opts.app_label, self.opts.module_name) - - def block_after_fieldsets(self, context, node): - # put portal key and submit url to page - return "" % self._portal_key() - -site.register_plugin(ModelFormPlugin, ModelFormAdminView) -site.register_plugin(ModelDetailPlugin, DetailAdminView) diff --git a/pillbox-engine/xadmin/plugins/quickfilter.py b/pillbox-engine/xadmin/plugins/quickfilter.py deleted file mode 100644 index 928d4eb..0000000 --- a/pillbox-engine/xadmin/plugins/quickfilter.py +++ /dev/null @@ -1,158 +0,0 @@ -''' -Created on Mar 26, 2014 - -@author: LAB_ADM -''' -from django.utils.translation import ugettext_lazy as _ -from xadmin.filters import manager,MultiSelectFieldListFilter -from xadmin.plugins.filters import * - -@manager.register -class QuickFilterMultiSelectFieldListFilter(MultiSelectFieldListFilter): - """ Delegates the filter to the default filter and ors the results of each - - Lists the distinct values of each field as a checkbox - Uses the default spec for each - - """ - template = 'xadmin/filters/quickfilter.html' - -class QuickFilterPlugin(BaseAdminPlugin): - """ Add a filter menu to the left column of the page """ - list_quick_filter = () # these must be a subset of list_filter to work - quickfilter = {} - search_fields = () - free_query_filter = True - - def init_request(self, *args, **kwargs): - menu_style_accordian = hasattr(self.admin_view,'menu_style') and self.admin_view.menu_style == 'accordion' - return bool(self.list_quick_filter) and not menu_style_accordian - - # Media - def get_media(self, media): - return media + self.vendor('xadmin.plugin.quickfilter.js','xadmin.plugin.quickfilter.css') - - def lookup_allowed(self, lookup, value): - model = self.model - # Check FKey lookups that are allowed, so that popups produced by - # ForeignKeyRawIdWidget, on the basis of ForeignKey.limit_choices_to, - # are allowed to work. - for l in model._meta.related_fkey_lookups: - for k, v in widgets.url_params_from_lookup_dict(l).items(): - if k == lookup and v == value: - return True - - parts = lookup.split(LOOKUP_SEP) - - # Last term in lookup is a query term (__exact, __startswith etc) - # This term can be ignored. - if len(parts) > 1 and parts[-1] in QUERY_TERMS: - parts.pop() - - # Special case -- foo__id__exact and foo__id queries are implied - # if foo has been specificially included in the lookup list; so - # drop __id if it is the last part. However, first we need to find - # the pk attribute name. - rel_name = None - for part in parts[:-1]: - try: - field, _, _, _ = model._meta.get_field_by_name(part) - except FieldDoesNotExist: - # Lookups on non-existants fields are ok, since they're ignored - # later. - return True - if hasattr(field, 'rel'): - model = field.rel.to - rel_name = field.rel.get_related_field().name - elif isinstance(field, RelatedObject): - model = field.model - rel_name = model._meta.pk.name - else: - rel_name = None - if rel_name and len(parts) > 1 and parts[-1] == rel_name: - parts.pop() - - if len(parts) == 1: - return True - clean_lookup = LOOKUP_SEP.join(parts) - return clean_lookup in self.list_quick_filter - - def get_list_queryset(self, queryset): - lookup_params = dict([(smart_str(k)[len(FILTER_PREFIX):], v) for k, v in self.admin_view.params.items() if smart_str(k).startswith(FILTER_PREFIX) and v != '']) - for p_key, p_val in lookup_params.iteritems(): - if p_val == "False": - lookup_params[p_key] = False - use_distinct = False - - if not hasattr(self.admin_view,'quickfilter'): - self.admin_view.quickfilter = {} - - # for clean filters - self.admin_view.quickfilter['has_query_param'] = bool(lookup_params) - self.admin_view.quickfilter['clean_query_url'] = self.admin_view.get_query_string(remove=[k for k in self.request.GET.keys() if k.startswith(FILTER_PREFIX)]) - - # Normalize the types of keys - if not self.free_query_filter: - for key, value in lookup_params.items(): - if not self.lookup_allowed(key, value): - raise SuspiciousOperation("Filtering by %s not allowed" % key) - - self.filter_specs = [] - if self.list_quick_filter: - for list_quick_filter in self.list_quick_filter: - field_path = None - field_order_by = None - field_limit = None - field_parts = [] - sort_key = None - cache_config = None - - if type(list_quick_filter)==dict and 'field' in list_quick_filter: - field = list_quick_filter['field'] - if 'order_by' in list_quick_filter: - field_order_by = list_quick_filter['order_by'] - if 'limit' in list_quick_filter: - field_limit = list_quick_filter['limit'] - if 'sort' in list_quick_filter and callable(list_quick_filter['sort']): - sort_key = list_quick_filter['sort'] - if 'cache' in list_quick_filter and type(list_quick_filter)==dict: - cache_config = list_quick_filter['cache'] - - else: - field = list_quick_filter # This plugin only uses MultiselectFieldListFilter - - if not isinstance(field, models.Field): - field_path = field - field_parts = get_fields_from_path(self.model, field_path) - field = field_parts[-1] - spec = QuickFilterMultiSelectFieldListFilter(field, self.request, lookup_params,self.model, self.admin_view, field_path=field_path,field_order_by=field_order_by,field_limit=field_limit,sort_key=sort_key,cache_config=cache_config) - - if len(field_parts)>1: - spec.title = "%s %s"%(field_parts[-2].name,spec.title) - - # Check if we need to use distinct() - use_distinct = True#(use_distinct orlookup_needs_distinct(self.opts, field_path)) - if spec and spec.has_output(): - try: - new_qs = spec.do_filte(queryset) - except ValidationError, e: - new_qs = None - self.admin_view.message_user(_("Filtering error: %s") % e.messages[0], 'error') - if new_qs is not None: - queryset = new_qs - - self.filter_specs.append(spec) - - self.has_filters = bool(self.filter_specs) - self.admin_view.quickfilter['filter_specs'] = self.filter_specs - self.admin_view.quickfilter['used_filter_num'] = len(filter(lambda f: f.is_used, self.filter_specs)) - - if use_distinct: - return queryset.distinct() - else: - return queryset - - def block_left_navbar(self, context, nodes): - nodes.append(loader.render_to_string('xadmin/blocks/modal_list.left_navbar.quickfilter.html',context)) - -site.register_plugin(QuickFilterPlugin, ListAdminView) \ No newline at end of file diff --git a/pillbox-engine/xadmin/plugins/quickform.py b/pillbox-engine/xadmin/plugins/quickform.py deleted file mode 100644 index 823965a..0000000 --- a/pillbox-engine/xadmin/plugins/quickform.py +++ /dev/null @@ -1,107 +0,0 @@ -from django.db import models -from django import forms -from django.utils.safestring import mark_safe -from django.utils.translation import ugettext as _ -from django.forms.models import modelform_factory -import copy -from xadmin.sites import site -from xadmin.util import get_model_from_relation, vendor -from xadmin.views import BaseAdminPlugin, ModelFormAdminView -from xadmin.layout import Layout - - -class QuickFormPlugin(BaseAdminPlugin): - - def init_request(self, *args, **kwargs): - if self.request.method == 'GET' and self.request.is_ajax() or self.request.GET.get('_ajax'): - self.admin_view.add_form_template = 'xadmin/views/quick_form.html' - self.admin_view.change_form_template = 'xadmin/views/quick_form.html' - return True - return False - - def get_model_form(self, __, **kwargs): - if '_field' in self.request.GET: - defaults = { - "form": self.admin_view.form, - "fields": self.request.GET['_field'].split(','), - "formfield_callback": self.admin_view.formfield_for_dbfield, - } - return modelform_factory(self.model, **defaults) - return __() - - def get_form_layout(self, __): - if '_field' in self.request.GET: - return Layout(*self.request.GET['_field'].split(',')) - return __() - - def get_context(self, context): - context['form_url'] = self.request.path - return context - - -class RelatedFieldWidgetWrapper(forms.Widget): - """ - This class is a wrapper to a given widget to add the add icon for the - admin interface. - """ - def __init__(self, widget, rel, add_url, rel_add_url): - self.is_hidden = widget.is_hidden - self.needs_multipart_form = widget.needs_multipart_form - self.attrs = widget.attrs - self.choices = widget.choices - self.is_required = widget.is_required - self.widget = widget - self.rel = rel - - self.add_url = add_url - self.rel_add_url = rel_add_url - - def __deepcopy__(self, memo): - obj = copy.copy(self) - obj.widget = copy.deepcopy(self.widget, memo) - obj.attrs = self.widget.attrs - memo[id(self)] = obj - return obj - - @property - def media(self): - media = self.widget.media + vendor('xadmin.plugin.quick-form.js') - return media - - def render(self, name, value, *args, **kwargs): - self.widget.choices = self.choices - output = [] - if self.add_url: - output.append(u'' - % ( - self.add_url, (_('Create New %s') % self.rel.to._meta.verbose_name), name, - "%s?_field=%s&%s=" % (self.rel_add_url, name, name))) - output.extend(['
    ' % name, - self.widget.render(name, value, *args, **kwargs), '
    ']) - return mark_safe(u''.join(output)) - - def build_attrs(self, extra_attrs=None, **kwargs): - "Helper function for building an attribute dictionary." - self.attrs = self.widget.build_attrs(extra_attrs=None, **kwargs) - return self.attrs - - def value_from_datadict(self, data, files, name): - return self.widget.value_from_datadict(data, files, name) - - def id_for_label(self, id_): - return self.widget.id_for_label(id_) - - -class QuickAddBtnPlugin(BaseAdminPlugin): - - def formfield_for_dbfield(self, formfield, db_field, **kwargs): - if formfield and self.model in self.admin_site._registry and isinstance(db_field, (models.ForeignKey, models.ManyToManyField)): - rel_model = get_model_from_relation(db_field) - if rel_model in self.admin_site._registry and self.has_model_perm(rel_model, 'add'): - add_url = self.get_model_url(rel_model, 'add') - formfield.widget = RelatedFieldWidgetWrapper( - formfield.widget, db_field.rel, add_url, self.get_model_url(self.model, 'add')) - return formfield - -site.register_plugin(QuickFormPlugin, ModelFormAdminView) -site.register_plugin(QuickAddBtnPlugin, ModelFormAdminView) diff --git a/pillbox-engine/xadmin/plugins/refresh.py b/pillbox-engine/xadmin/plugins/refresh.py deleted file mode 100644 index 8c1a0fa..0000000 --- a/pillbox-engine/xadmin/plugins/refresh.py +++ /dev/null @@ -1,37 +0,0 @@ -# coding=utf-8 -from django.template import loader - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView - -REFRESH_VAR = '_refresh' - - -class RefreshPlugin(BaseAdminPlugin): - - refresh_times = [] - - # Media - def get_media(self, media): - if self.refresh_times and self.request.GET.get(REFRESH_VAR): - media = media + self.vendor('xadmin.plugin.refresh.js') - return media - - # Block Views - def block_top_toolbar(self, context, nodes): - if self.refresh_times: - current_refresh = self.request.GET.get(REFRESH_VAR) - context.update({ - 'has_refresh': bool(current_refresh), - 'clean_refresh_url': self.admin_view.get_query_string(remove=(REFRESH_VAR,)), - 'current_refresh': current_refresh, - 'refresh_times': [{ - 'time': r, - 'url': self.admin_view.get_query_string({REFRESH_VAR: r}), - 'selected': str(r) == current_refresh, - } for r in self.refresh_times], - }) - nodes.append(loader.render_to_string('xadmin/blocks/model_list.top_toolbar.refresh.html', context_instance=context)) - - -site.register_plugin(RefreshPlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/relate.py b/pillbox-engine/xadmin/plugins/relate.py deleted file mode 100644 index 37b8aee..0000000 --- a/pillbox-engine/xadmin/plugins/relate.py +++ /dev/null @@ -1,210 +0,0 @@ -# coding=UTF-8 -from django.core.urlresolvers import reverse -from django.utils.encoding import force_unicode -from django.utils.encoding import smart_str -from django.utils.safestring import mark_safe -from django.db.models.sql.query import LOOKUP_SEP -from django.db.models.related import RelatedObject -from django.utils.translation import ugettext as _ -from django.db import models - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView, CreateAdminView, UpdateAdminView, DeleteAdminView - -RELATE_PREFIX = '_rel_' - - -class RelateMenuPlugin(BaseAdminPlugin): - - related_list = [] - use_related_menu = True - - def get_related_list(self): - if hasattr(self, '_related_acts'): - return self._related_acts - - _related_acts = [] - for r in self.opts.get_all_related_objects() + self.opts.get_all_related_many_to_many_objects(): - if self.related_list and (r.get_accessor_name() not in self.related_list): - continue - if r.model not in self.admin_site._registry.keys(): - continue - has_view_perm = self.has_model_perm(r.model, 'view') - has_add_perm = self.has_model_perm(r.model, 'add') - if not (has_view_perm or has_add_perm): - continue - - _related_acts.append((r, has_view_perm, has_add_perm)) - - self._related_acts = _related_acts - return self._related_acts - - def related_link(self, instance): - links = [] - for r, view_perm, add_perm in self.get_related_list(): - label = r.opts.app_label - model_name = r.opts.module_name - f = r.field - rel_name = f.rel.get_related_field().name - - verbose_name = force_unicode(r.opts.verbose_name) - lookup_name = '%s__%s__exact' % (f.name, rel_name) - - link = ''.join(('
  • ', - - ' %s' % - ( - reverse('%s:%s_%s_changelist' % ( - self.admin_site.app_name, label, model_name)), - RELATE_PREFIX + lookup_name, str(instance.pk), verbose_name, verbose_name) if view_perm else - ' %s' % verbose_name, - - '' % - ( - reverse('%s:%s_%s_add' % ( - self.admin_site.app_name, label, model_name)), - RELATE_PREFIX + lookup_name, str( - instance.pk)) if add_perm else "", - - '
  • ')) - links.append(link) - ul_html = '' % ''.join( - links) - return '' % (_('Related Objects'), ul_html) - related_link.short_description = ' ' - related_link.allow_tags = True - related_link.allow_export = False - related_link.is_column = False - - def get_list_display(self, list_display): - if self.use_related_menu and len(self.get_related_list()): - list_display.append('related_link') - self.admin_view.related_link = self.related_link - return list_display - - -class RelateObject(object): - - def __init__(self, admin_view, lookup, value): - self.admin_view = admin_view - self.org_model = admin_view.model - self.opts = admin_view.opts - self.lookup = lookup - self.value = value - - parts = lookup.split(LOOKUP_SEP) - field = self.opts.get_field_by_name(parts[0])[0] - - if not hasattr(field, 'rel') and not isinstance(field, RelatedObject): - raise Exception(u'Relate Lookup field must a related field') - - if hasattr(field, 'rel'): - self.to_model = field.rel.to - self.rel_name = field.rel.get_related_field().name - self.is_m2m = isinstance(field.rel, models.ManyToManyRel) - else: - self.to_model = field.model - self.rel_name = self.to_model._meta.pk.name - self.is_m2m = False - - to_qs = self.to_model._default_manager.get_query_set() - self.to_objs = to_qs.filter(**{self.rel_name: value}).all() - - self.field = field - - def filter(self, queryset): - return queryset.filter(**{self.lookup: self.value}) - - def get_brand_name(self): - if len(self.to_objs) == 1: - to_model_name = str(self.to_objs[0]) - else: - to_model_name = force_unicode(self.to_model._meta.verbose_name) - - return mark_safe(u"%s %s" % (to_model_name, force_unicode(self.opts.verbose_name_plural))) - - -class BaseRelateDisplayPlugin(BaseAdminPlugin): - - def init_request(self, *args, **kwargs): - self.relate_obj = None - for k, v in self.request.REQUEST.items(): - if smart_str(k).startswith(RELATE_PREFIX): - self.relate_obj = RelateObject( - self.admin_view, smart_str(k)[len(RELATE_PREFIX):], v) - break - return bool(self.relate_obj) - - def _get_relate_params(self): - return RELATE_PREFIX + self.relate_obj.lookup, self.relate_obj.value - - def _get_input(self): - return '' % self._get_relate_params() - - def _get_url(self, url): - return url + ('&' if url.find('?') > 0 else '?') + ('%s=%s' % self._get_relate_params()) - - -class ListRelateDisplayPlugin(BaseRelateDisplayPlugin): - - def get_list_queryset(self, queryset): - if self.relate_obj: - queryset = self.relate_obj.filter(queryset) - return queryset - - def url_for_result(self, url, result): - return self._get_url(url) - - def get_context(self, context): - context['brand_name'] = self.relate_obj.get_brand_name() - context['rel_objs'] = self.relate_obj.to_objs - if 'add_url' in context: - context['add_url'] = self._get_url(context['add_url']) - return context - - def get_list_display(self, list_display): - if not self.relate_obj.is_m2m: - try: - list_display.remove(self.relate_obj.field.name) - except Exception: - pass - return list_display - - -class EditRelateDisplayPlugin(BaseRelateDisplayPlugin): - - def get_form_datas(self, datas): - if self.admin_view.org_obj is None and self.admin_view.request_method == 'get': - datas['initial'][ - self.relate_obj.field.name] = self.relate_obj.value - return datas - - def post_response(self, response): - if isinstance(response, basestring) and response != self.get_admin_url('index'): - return self._get_url(response) - return response - - def get_context(self, context): - if 'delete_url' in context: - context['delete_url'] = self._get_url(context['delete_url']) - return context - - def block_after_fieldsets(self, context, nodes): - return self._get_input() - - -class DeleteRelateDisplayPlugin(BaseRelateDisplayPlugin): - - def post_response(self, response): - if isinstance(response, basestring) and response != self.get_admin_url('index'): - return self._get_url(response) - return response - - def block_form_fields(self, context, nodes): - return self._get_input() - -site.register_plugin(RelateMenuPlugin, ListAdminView) -site.register_plugin(ListRelateDisplayPlugin, ListAdminView) -site.register_plugin(EditRelateDisplayPlugin, CreateAdminView) -site.register_plugin(EditRelateDisplayPlugin, UpdateAdminView) -site.register_plugin(DeleteRelateDisplayPlugin, DeleteAdminView) diff --git a/pillbox-engine/xadmin/plugins/relfield.py b/pillbox-engine/xadmin/plugins/relfield.py deleted file mode 100644 index 14248b4..0000000 --- a/pillbox-engine/xadmin/plugins/relfield.py +++ /dev/null @@ -1,65 +0,0 @@ -from django.db import models -from django.utils.html import escape, format_html -from django.utils.text import Truncator -from django.utils.translation import ugettext as _ -from django import forms -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ModelFormAdminView -from xadmin.util import vendor - - -class ForeignKeySearchWidget(forms.TextInput): - - def __init__(self, rel, admin_view, attrs=None, using=None): - self.rel = rel - self.admin_view = admin_view - self.db = using - super(ForeignKeySearchWidget, self).__init__(attrs) - - def render(self, name, value, attrs=None): - to_opts = self.rel.to._meta - if attrs is None: - attrs = {} - if "class" not in attrs: - attrs['class'] = 'select-search' - else: - attrs['class'] = attrs['class'] + ' select-search' - attrs['data-search-url'] = self.admin_view.get_admin_url( - '%s_%s_changelist' % (to_opts.app_label, to_opts.module_name)) - attrs['data-placeholder'] = _('Search %s') % to_opts.verbose_name - attrs['data-choices'] = '?' - if self.rel.limit_choices_to: - for i in list(self.rel.limit_choices_to): - attrs['data-choices'] += "&_p_%s=%s" % (i, self.rel.limit_choices_to[i]) - attrs['data-choices'] = format_html(attrs['data-choices']) - if value: - attrs['data-label'] = self.label_for_value(value) - - return super(ForeignKeySearchWidget, self).render(name, value, attrs) - - def label_for_value(self, value): - key = self.rel.get_related_field().name - try: - obj = self.rel.to._default_manager.using( - self.db).get(**{key: value}) - return '%s' % escape(Truncator(obj).words(14, truncate='...')) - except (ValueError, self.rel.to.DoesNotExist): - return "" - - @property - def media(self): - return vendor('select.js', 'select.css', 'xadmin.widget.select.js') - - -class RelateFieldPlugin(BaseAdminPlugin): - - def get_field_style(self, attrs, db_field, style, **kwargs): - # search able fk field - if style == 'fk-ajax' and isinstance(db_field, models.ForeignKey): - if (db_field.rel.to in self.admin_view.admin_site._registry) and \ - self.has_model_perm(db_field.rel.to, 'view'): - db = kwargs.get('using') - return dict(attrs or {}, widget=ForeignKeySearchWidget(db_field.rel, self.admin_view, using=db)) - return attrs - -site.register_plugin(RelateFieldPlugin, ModelFormAdminView) diff --git a/pillbox-engine/xadmin/plugins/sitemenu.py b/pillbox-engine/xadmin/plugins/sitemenu.py deleted file mode 100644 index 02acdd1..0000000 --- a/pillbox-engine/xadmin/plugins/sitemenu.py +++ /dev/null @@ -1,22 +0,0 @@ - -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, CommAdminView - -BUILDIN_STYLES = { - 'default': 'xadmin/includes/sitemenu_default.html', - 'accordion': 'xadmin/includes/sitemenu_accordion.html', -} - - -class SiteMenuStylePlugin(BaseAdminPlugin): - - menu_style = None - - def init_request(self, *args, **kwargs): - return bool(self.menu_style) and self.menu_style in BUILDIN_STYLES - - def get_context(self, context): - context['menu_template'] = BUILDIN_STYLES[self.menu_style] - return context - -site.register_plugin(SiteMenuStylePlugin, CommAdminView) diff --git a/pillbox-engine/xadmin/plugins/sortable.py b/pillbox-engine/xadmin/plugins/sortable.py deleted file mode 100644 index 8806eea..0000000 --- a/pillbox-engine/xadmin/plugins/sortable.py +++ /dev/null @@ -1,36 +0,0 @@ -#coding:utf-8 -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ListAdminView - -SORTBY_VAR = '_sort_by' - - -class SortablePlugin(BaseAdminPlugin): - - sortable_fields = ['sort'] - - # Media - def get_media(self, media): - if self.sortable_fields and self.request.GET.get(SORTBY_VAR): - media = media + self.vendor('xadmin.plugin.sortable.js') - return media - - # Block Views - def block_top_toolbar(self, context, nodes): - if self.sortable_fields: - pass - # current_refresh = self.request.GET.get(REFRESH_VAR) - # context.update({ - # 'has_refresh': bool(current_refresh), - # 'clean_refresh_url': self.admin_view.get_query_string(remove=(REFRESH_VAR,)), - # 'current_refresh': current_refresh, - # 'refresh_times': [{ - # 'time': r, - # 'url': self.admin_view.get_query_string({REFRESH_VAR: r}), - # 'selected': str(r) == current_refresh, - # } for r in self.refresh_times], - # }) - # nodes.append(loader.render_to_string('xadmin/blocks/refresh.html', context_instance=context)) - - -site.register_plugin(SortablePlugin, ListAdminView) diff --git a/pillbox-engine/xadmin/plugins/themes.py b/pillbox-engine/xadmin/plugins/themes.py deleted file mode 100644 index cc202e2..0000000 --- a/pillbox-engine/xadmin/plugins/themes.py +++ /dev/null @@ -1,78 +0,0 @@ -#coding:utf-8 -import urllib -from django.template import loader -from django.core.cache import cache -from django.utils.translation import ugettext as _ -from xadmin.sites import site -from xadmin.models import UserSettings -from xadmin.views import BaseAdminPlugin, BaseAdminView -from xadmin.util import static, json - -THEME_CACHE_KEY = 'xadmin_themes' - - -class ThemePlugin(BaseAdminPlugin): - - enable_themes = False - # {'name': 'Blank Theme', 'description': '...', 'css': 'http://...', 'thumbnail': '...'} - user_themes = None - use_bootswatch = False - default_theme = static('xadmin/css/themes/bootstrap-xadmin.css') - bootstrap2_theme = static('xadmin/css/themes/bootstrap-theme.css') - - def init_request(self, *args, **kwargs): - return self.enable_themes - - def _get_theme(self): - if self.user: - try: - return UserSettings.objects.get(user=self.user, key="site-theme").value - except Exception: - pass - if '_theme' in self.request.COOKIES: - return urllib.unquote(self.request.COOKIES['_theme']) - return self.default_theme - - def get_context(self, context): - context['site_theme'] = self._get_theme() - return context - - # Media - def get_media(self, media): - return media + self.vendor('jquery-ui-effect.js', 'xadmin.plugin.themes.js') - - # Block Views - def block_top_navmenu(self, context, nodes): - - themes = [{'name': _(u"Default"), 'description': _( - u"Default bootstrap theme"), 'css': self.default_theme}, - {'name': _(u"Bootstrap2"), 'description': _(u"Bootstrap 2.x theme"), - 'css': self.bootstrap2_theme}] - select_css = context.get('site_theme', self.default_theme) - - if self.user_themes: - themes.extend(self.user_themes) - - if self.use_bootswatch: - ex_themes = cache.get(THEME_CACHE_KEY) - if ex_themes: - themes.extend(json.loads(ex_themes)) - else: - ex_themes = [] - try: - watch_themes = json.loads(urllib.urlopen( - 'http://api.bootswatch.com/3/').read())['themes'] - ex_themes.extend([ - {'name': t['name'], 'description': t['description'], - 'css': t['cssMin'], 'thumbnail': t['thumbnail']} - for t in watch_themes]) - except Exception: - pass - - cache.set(THEME_CACHE_KEY, json.dumps(ex_themes), 24 * 3600) - themes.extend(ex_themes) - - nodes.append(loader.render_to_string('xadmin/blocks/comm.top.theme.html', {'themes': themes, 'select_css': select_css})) - - -site.register_plugin(ThemePlugin, BaseAdminView) diff --git a/pillbox-engine/xadmin/plugins/topnav.py b/pillbox-engine/xadmin/plugins/topnav.py deleted file mode 100644 index d7a81dd..0000000 --- a/pillbox-engine/xadmin/plugins/topnav.py +++ /dev/null @@ -1,74 +0,0 @@ - -from django.template import loader -from django.utils.text import capfirst -from django.core.urlresolvers import reverse, NoReverseMatch -from django.utils.translation import ugettext as _ - -from xadmin.sites import site -from xadmin.filters import SEARCH_VAR -from xadmin.views import BaseAdminPlugin, CommAdminView - - -class TopNavPlugin(BaseAdminPlugin): - - global_search_models = None - global_add_models = None - - def get_context(self, context): - return context - - # Block Views - def block_top_navbar(self, context, nodes): - search_models = [] - - site_name = self.admin_site.name - if self.global_search_models == None: - models = self.admin_site._registry.keys() - else: - models = self.global_search_models - - for model in models: - app_label = model._meta.app_label - - if self.has_model_perm(model, "view"): - info = (app_label, model._meta.module_name) - if getattr(self.admin_site._registry[model], 'search_fields', None): - try: - search_models.append({ - 'title': _('Search %s') % capfirst(model._meta.verbose_name_plural), - 'url': reverse('xadmin:%s_%s_changelist' % info, current_app=site_name), - 'model': model - }) - except NoReverseMatch: - pass - - nodes.append(loader.render_to_string('xadmin/blocks/comm.top.topnav.html', {'search_models': search_models, 'search_name': SEARCH_VAR})) - - def block_top_navmenu(self, context, nodes): - add_models = [] - - site_name = self.admin_site.name - - if self.global_add_models == None: - models = self.admin_site._registry.keys() - else: - models = self.global_add_models - for model in models: - app_label = model._meta.app_label - - if self.has_model_perm(model, "add"): - info = (app_label, model._meta.module_name) - try: - add_models.append({ - 'title': _('Add %s') % capfirst(model._meta.verbose_name), - 'url': reverse('xadmin:%s_%s_add' % info, current_app=site_name), - 'model': model - }) - except NoReverseMatch: - pass - - nodes.append( - loader.render_to_string('xadmin/blocks/comm.top.topnav.html', {'add_models': add_models})) - - -site.register_plugin(TopNavPlugin, CommAdminView) diff --git a/pillbox-engine/xadmin/plugins/wizard.py b/pillbox-engine/xadmin/plugins/wizard.py deleted file mode 100644 index d354f69..0000000 --- a/pillbox-engine/xadmin/plugins/wizard.py +++ /dev/null @@ -1,318 +0,0 @@ -import re -from django import forms -from django.db import models -from django.template import loader -from django.contrib.formtools.wizard.storage import get_storage -from django.contrib.formtools.wizard.forms import ManagementForm -from django.contrib.formtools.wizard.views import StepsHelper -from django.utils.datastructures import SortedDict -from django.forms import ValidationError -from django.forms.models import modelform_factory -from xadmin.sites import site -from xadmin.views import BaseAdminPlugin, ModelFormAdminView - - -def normalize_name(name): - new = re.sub('(((?<=[a-z])[A-Z])|([A-Z](?![A-Z]|$)))', '_\\1', name) - return new.lower().strip('_') - - -class WizardFormPlugin(BaseAdminPlugin): - - wizard_form_list = None - wizard_for_update = False - - storage_name = 'django.contrib.formtools.wizard.storage.session.SessionStorage' - form_list = None - initial_dict = None - instance_dict = None - condition_dict = None - file_storage = None - - def _get_form_prefix(self, step=None): - if step is None: - step = self.steps.current - return 'step_%d' % self.get_form_list().keys().index(step) - - def get_form_list(self): - if not hasattr(self, '_form_list'): - init_form_list = SortedDict() - - assert len( - self.wizard_form_list) > 0, 'at least one form is needed' - - for i, form in enumerate(self.wizard_form_list): - init_form_list[unicode(form[0])] = form[1] - - self._form_list = init_form_list - - return self._form_list - - # Plugin replace methods - def init_request(self, *args, **kwargs): - if self.request.is_ajax() or ("_ajax" in self.request.GET) or not hasattr(self.request, 'session') or (args and not self.wizard_for_update): - #update view - return False - return bool(self.wizard_form_list) - - def prepare_form(self, __): - # init storage and step helper - self.prefix = normalize_name(self.__class__.__name__) - self.storage = get_storage( - self.storage_name, self.prefix, self.request, - getattr(self, 'file_storage', None)) - self.steps = StepsHelper(self) - self.wizard_goto_step = False - - if self.request.method == 'GET': - self.storage.reset() - self.storage.current_step = self.steps.first - - self.admin_view.model_form = self.get_step_form() - else: - # Look for a wizard_goto_step element in the posted data which - # contains a valid step name. If one was found, render the requested - # form. (This makes stepping back a lot easier). - wizard_goto_step = self.request.POST.get('wizard_goto_step', None) - if wizard_goto_step and int(wizard_goto_step) < len(self.get_form_list()): - self.storage.current_step = self.get_form_list( - ).keys()[int(wizard_goto_step)] - self.admin_view.model_form = self.get_step_form() - self.wizard_goto_step = True - return - - # Check if form was refreshed - management_form = ManagementForm( - self.request.POST, prefix=self.prefix) - if not management_form.is_valid(): - raise ValidationError( - 'ManagementForm data is missing or has been tampered.') - - form_current_step = management_form.cleaned_data['current_step'] - if (form_current_step != self.steps.current and - self.storage.current_step is not None): - # form refreshed, change current step - self.storage.current_step = form_current_step - - # get the form for the current step - self.admin_view.model_form = self.get_step_form() - - def get_form_layout(self, __): - attrs = self.get_form_list()[self.steps.current] - if type(attrs) is dict and 'layout' in attrs: - self.admin_view.form_layout = attrs['layout'] - else: - self.admin_view.form_layout = None - return __() - - def get_step_form(self, step=None): - if step is None: - step = self.steps.current - attrs = self.get_form_list()[step] - if type(attrs) in (list, tuple): - return modelform_factory(self.model, form=forms.ModelForm, - fields=attrs, formfield_callback=self.admin_view.formfield_for_dbfield) - elif type(attrs) is dict: - if attrs.get('fields', None): - return modelform_factory(self.model, form=forms.ModelForm, - fields=attrs['fields'], formfield_callback=self.admin_view.formfield_for_dbfield) - if attrs.get('callback', None): - callback = attrs['callback'] - if callable(callback): - return callback(self) - elif hasattr(self.admin_view, str(callback)): - return getattr(self.admin_view, str(callback))(self) - elif issubclass(attrs, forms.BaseForm): - return attrs - return None - - def get_step_form_obj(self, step=None): - if step is None: - step = self.steps.current - form = self.get_step_form(step) - return form(prefix=self._get_form_prefix(step), - data=self.storage.get_step_data(step), - files=self.storage.get_step_files(step)) - - def get_form_datas(self, datas): - datas['prefix'] = self._get_form_prefix() - if self.request.method == 'POST' and self.wizard_goto_step: - datas.update({ - 'data': self.storage.get_step_data(self.steps.current), - 'files': self.storage.get_step_files(self.steps.current) - }) - return datas - - def valid_forms(self, __): - if self.wizard_goto_step: - # goto get_response directly - return False - return __() - - def _done(self): - cleaned_data = self.get_all_cleaned_data() - exclude = self.admin_view.exclude - - opts = self.admin_view.opts - instance = self.admin_view.org_obj or self.admin_view.model() - - file_field_list = [] - for f in opts.fields: - if not f.editable or isinstance(f, models.AutoField) \ - or not f.name in cleaned_data: - continue - if exclude and f.name in exclude: - continue - # Defer saving file-type fields until after the other fields, so a - # callable upload_to can use the values from other fields. - if isinstance(f, models.FileField): - file_field_list.append(f) - else: - f.save_form_data(instance, cleaned_data[f.name]) - - for f in file_field_list: - f.save_form_data(instance, cleaned_data[f.name]) - - instance.save() - - for f in opts.many_to_many: - if f.name in cleaned_data: - f.save_form_data(instance, cleaned_data[f.name]) - - self.admin_view.new_obj = instance - - def save_forms(self, __): - # if the form is valid, store the cleaned data and files. - form_obj = self.admin_view.form_obj - self.storage.set_step_data(self.steps.current, form_obj.data) - self.storage.set_step_files(self.steps.current, form_obj.files) - - # check if the current step is the last step - if self.steps.current == self.steps.last: - # no more steps, render done view - return self._done() - - def save_models(self, __): - pass - - def save_related(self, __): - pass - - def get_context(self, context): - context.update({ - "show_save": False, - "show_save_as_new": False, - "show_save_and_add_another": False, - "show_save_and_continue": False, - }) - return context - - def get_response(self, response): - self.storage.update_response(response) - return response - - def post_response(self, __): - if self.steps.current == self.steps.last: - self.storage.reset() - return __() - - # change the stored current step - self.storage.current_step = self.steps.next - - self.admin_view.form_obj = self.get_step_form_obj() - self.admin_view.setup_forms() - - return self.admin_view.get_response() - - def get_all_cleaned_data(self): - """ - Returns a merged dictionary of all step cleaned_data dictionaries. - If a step contains a `FormSet`, the key will be prefixed with formset - and contain a list of the formset cleaned_data dictionaries. - """ - cleaned_data = {} - for form_key, attrs in self.get_form_list().items(): - form_obj = self.get_step_form_obj(form_key) - if form_obj.is_valid(): - if type(attrs) is dict and 'convert' in attrs: - callback = attrs['convert'] - if callable(callback): - callback(self, cleaned_data, form_obj) - elif hasattr(self.admin_view, str(callback)): - getattr(self.admin_view, - str(callback))(self, cleaned_data, form_obj) - elif isinstance(form_obj.cleaned_data, (tuple, list)): - cleaned_data.update({ - 'formset-%s' % form_key: form_obj.cleaned_data - }) - else: - cleaned_data.update(form_obj.cleaned_data) - return cleaned_data - - def get_cleaned_data_for_step(self, step): - """ - Returns the cleaned data for a given `step`. Before returning the - cleaned data, the stored values are being revalidated through the - form. If the data doesn't validate, None will be returned. - """ - if step in self.get_form_list(): - form_obj = self.get_step_form_obj(step) - if form_obj.is_valid(): - return form_obj.cleaned_data - return None - - def get_next_step(self, step=None): - """ - Returns the next step after the given `step`. If no more steps are - available, None will be returned. If the `step` argument is None, the - current step will be determined automatically. - """ - if step is None: - step = self.steps.current - form_list = self.get_form_list() - key = form_list.keyOrder.index(step) + 1 - if len(form_list.keyOrder) > key: - return form_list.keyOrder[key] - return None - - def get_prev_step(self, step=None): - """ - Returns the previous step before the given `step`. If there are no - steps available, None will be returned. If the `step` argument is - None, the current step will be determined automatically. - """ - if step is None: - step = self.steps.current - form_list = self.get_form_list() - key = form_list.keyOrder.index(step) - 1 - if key >= 0: - return form_list.keyOrder[key] - return None - - def get_step_index(self, step=None): - """ - Returns the index for the given `step` name. If no step is given, - the current step will be used to get the index. - """ - if step is None: - step = self.steps.current - return self.get_form_list().keyOrder.index(step) - - def block_before_fieldsets(self, context, nodes): - context.update(dict(self.storage.extra_data)) - context['wizard'] = { - 'steps': self.steps, - 'management_form': ManagementForm(prefix=self.prefix, initial={ - 'current_step': self.steps.current, - }), - } - nodes.append(loader.render_to_string('xadmin/blocks/model_form.before_fieldsets.wizard.html', context_instance=context)) - - def block_submit_line(self, context, nodes): - context.update(dict(self.storage.extra_data)) - context['wizard'] = { - 'steps': self.steps - } - nodes.append(loader.render_to_string('xadmin/blocks/model_form.submit_line.wizard.html', context_instance=context)) - -site.register_plugin(WizardFormPlugin, ModelFormAdminView) diff --git a/pillbox-engine/xadmin/plugins/xversion.py b/pillbox-engine/xadmin/plugins/xversion.py deleted file mode 100644 index d4ff5f7..0000000 --- a/pillbox-engine/xadmin/plugins/xversion.py +++ /dev/null @@ -1,655 +0,0 @@ -from django.contrib.contenttypes.generic import GenericRelation -from django.contrib.contenttypes.models import ContentType -from django.core.exceptions import PermissionDenied -from django.db import models -from django.db.models.query import QuerySet -from django.db.models.related import RelatedObject -from django.forms.models import model_to_dict -from django.http import HttpResponseRedirect -from django.shortcuts import get_object_or_404 -from django.template.response import TemplateResponse -from django.utils.encoding import force_unicode -from django.utils.safestring import mark_safe -from django.utils.text import capfirst -from django.utils.translation import ugettext as _ -from xadmin.layout import Field, render_field -from xadmin.plugins.inline import Inline -from xadmin.plugins.actions import BaseActionView -from xadmin.plugins.inline import InlineModelAdmin -from xadmin.sites import site -from xadmin.util import unquote, quote, model_format_dict -from xadmin.views import BaseAdminPlugin, ModelAdminView, CreateAdminView, UpdateAdminView, DetailAdminView, ModelFormAdminView, DeleteAdminView, ListAdminView -from xadmin.views.base import csrf_protect_m, filter_hook -from xadmin.views.detail import DetailAdminUtil -from reversion.models import Revision, Version -from reversion.revisions import default_revision_manager, RegistrationError -from functools import partial - - -def _autoregister(admin, model, follow=None): - """Registers a model with reversion, if required.""" - if model._meta.proxy: - raise RegistrationError("Proxy models cannot be used with django-reversion, register the parent class instead") - if not admin.revision_manager.is_registered(model): - follow = follow or [] - for parent_cls, field in model._meta.parents.items(): - follow.append(field.name) - _autoregister(admin, parent_cls) - admin.revision_manager.register( - model, follow=follow, format=admin.reversion_format) - - -def _register_model(admin, model): - if not hasattr(admin, 'revision_manager'): - admin.revision_manager = default_revision_manager - if not hasattr(admin, 'reversion_format'): - admin.reversion_format = 'json' - - if not admin.revision_manager.is_registered(model): - inline_fields = [] - for inline in getattr(admin, 'inlines', []): - inline_model = inline.model - if getattr(inline, 'generic_inline', False): - ct_field = getattr(inline, 'ct_field', 'content_type') - ct_fk_field = getattr(inline, 'ct_fk_field', 'object_id') - for field in model._meta.many_to_many: - if isinstance(field, GenericRelation) and field.rel.to == inline_model and field.object_id_field_name == ct_fk_field and field.content_type_field_name == ct_field: - inline_fields.append(field.name) - _autoregister(admin, inline_model) - else: - fk_name = getattr(inline, 'fk_name', None) - if not fk_name: - for field in inline_model._meta.fields: - if isinstance(field, (models.ForeignKey, models.OneToOneField)) and issubclass(model, field.rel.to): - fk_name = field.name - _autoregister(admin, inline_model, follow=[fk_name]) - if not inline_model._meta.get_field(fk_name).rel.is_hidden(): - accessor = inline_model._meta.get_field( - fk_name).related.get_accessor_name() - inline_fields.append(accessor) - _autoregister(admin, model, inline_fields) - - -def register_models(admin_site=None): - if admin_site is None: - admin_site = site - - for model, admin in admin_site._registry.items(): - if getattr(admin, 'reversion_enable', False): - _register_model(admin, model) - - -class ReversionPlugin(BaseAdminPlugin): - - # The revision manager instance used to manage revisions. - revision_manager = default_revision_manager - - # The serialization format to use when registering models with reversion. - reversion_format = "json" - - # Whether to ignore duplicate revision data. - ignore_duplicate_revisions = False - - reversion_enable = False - - def init_request(self, *args, **kwargs): - return self.reversion_enable - - @property - def revision_context_manager(self): - """The revision context manager for this VersionAdmin.""" - return self.revision_manager._revision_context_manager - - def get_revision_instances(self, obj): - """Returns all the instances to be used in the object's revision.""" - return [obj] - - def get_revision_data(self, obj, flag): - """Returns all the revision data to be used in the object's revision.""" - return dict( - (o, self.revision_manager.get_adapter( - o.__class__).get_version_data(o, flag)) - for o in self.get_revision_instances(obj) - ) - - def save_revision(self, obj, tag, comment): - self.revision_manager.save_revision( - self.get_revision_data(obj, tag), - user=self.user, - comment=comment, - ignore_duplicates=self.ignore_duplicate_revisions, - db=self.revision_context_manager.get_db(), - ) - - def do_post(self, __): - def _method(): - self.revision_context_manager.set_user(self.user) - comment = '' - admin_view = self.admin_view - if isinstance(admin_view, CreateAdminView): - comment = _(u"Initial version.") - elif isinstance(admin_view, UpdateAdminView): - comment = _(u"Change version.") - elif isinstance(admin_view, RevisionView): - comment = _(u"Revert version.") - elif isinstance(admin_view, RecoverView): - comment = _(u"Rercover version.") - elif isinstance(admin_view, DeleteAdminView): - comment = _(u"Deleted %(verbose_name)s.") % { - "verbose_name": self.opts.verbose_name} - self.revision_context_manager.set_comment(comment) - return __() - return _method - - def post(self, __, request, *args, **kwargs): - return self.revision_context_manager.create_revision(manage_manually=False)(self.do_post(__))() - - # def save_models(self, __): - # self.revision_context_manager.create_revision(manage_manually=True)(__)() - - # if self.admin_view.org_obj is None: - # self.save_revision(self.admin_view.new_obj, VERSION_ADD, _(u"Initial version.")) - # else: - # self.save_revision(self.admin_view.new_obj, VERSION_CHANGE, _(u"Change version.")) - - # def save_related(self, __): - # self.revision_context_manager.create_revision(manage_manually=True)(__)() - - # def delete_model(self, __): - # self.save_revision(self.admin_view.obj, VERSION_DELETE, \ - # _(u"Deleted %(verbose_name)s.") % {"verbose_name": self.opts.verbose_name}) - # self.revision_context_manager.create_revision(manage_manually=True)(__)() - - # Block Views - def block_top_toolbar(self, context, nodes): - recoverlist_url = self.admin_view.model_admin_url('recoverlist') - nodes.append(mark_safe('' % (recoverlist_url, _(u"Recover")))) - - def block_nav_toggles(self, context, nodes): - obj = getattr( - self.admin_view, 'org_obj', getattr(self.admin_view, 'obj', None)) - if obj: - revisionlist_url = self.admin_view.model_admin_url( - 'revisionlist', quote(obj.pk)) - nodes.append(mark_safe('' % revisionlist_url)) - - def block_nav_btns(self, context, nodes): - obj = getattr( - self.admin_view, 'org_obj', getattr(self.admin_view, 'obj', None)) - if obj: - revisionlist_url = self.admin_view.model_admin_url( - 'revisionlist', quote(obj.pk)) - nodes.append(mark_safe(' %s' % (revisionlist_url, _(u'History')))) - - -class BaseReversionView(ModelAdminView): - - # The revision manager instance used to manage revisions. - revision_manager = default_revision_manager - - # The serialization format to use when registering models with reversion. - reversion_format = "json" - - # Whether to ignore duplicate revision data. - ignore_duplicate_revisions = False - - # If True, then the default ordering of object_history and recover lists will be reversed. - history_latest_first = False - - reversion_enable = False - - def init_request(self, *args, **kwargs): - if not self.has_change_permission() and not self.has_add_permission(): - raise PermissionDenied - - def _order_version_queryset(self, queryset): - """Applies the correct ordering to the given version queryset.""" - if self.history_latest_first: - return queryset.order_by("-pk") - return queryset.order_by("pk") - - -class RecoverListView(BaseReversionView): - - recover_list_template = None - - def get_context(self): - context = super(RecoverListView, self).get_context() - opts = self.opts - deleted = self._order_version_queryset( - self.revision_manager.get_deleted(self.model)) - context.update({ - "opts": opts, - "app_label": opts.app_label, - "module_name": capfirst(opts.verbose_name), - "title": _("Recover deleted %(name)s") % {"name": force_unicode(opts.verbose_name_plural)}, - "deleted": deleted, - "changelist_url": self.model_admin_url("changelist"), - }) - return context - - @csrf_protect_m - def get(self, request, *args, **kwargs): - context = self.get_context() - - return TemplateResponse( - request, self.recover_list_template or self.get_template_list( - "views/recover_list.html"), - context, current_app=self.admin_site.name) - - -class RevisionListView(BaseReversionView): - - object_history_template = None - revision_diff_template = None - - def get_context(self): - context = super(RevisionListView, self).get_context() - - opts = self.opts - action_list = [ - { - "revision": version.revision, - "url": self.model_admin_url('revision', quote(version.object_id), version.id), - "version": version - } - for version - in self._order_version_queryset(self.revision_manager.get_for_object_reference( - self.model, - self.obj.pk, - ).select_related("revision__user")) - ] - context.update({ - 'title': _('Change history: %s') % force_unicode(self.obj), - 'action_list': action_list, - 'module_name': capfirst(force_unicode(opts.verbose_name_plural)), - 'object': self.obj, - 'app_label': opts.app_label, - "changelist_url": self.model_admin_url("changelist"), - "update_url": self.model_admin_url("change", self.obj.pk), - 'opts': opts, - }) - return context - - def get(self, request, object_id, *args, **kwargs): - object_id = unquote(object_id) - self.obj = self.get_object(object_id) - - if not self.has_change_permission(self.obj): - raise PermissionDenied - - return self.get_response() - - def get_response(self): - context = self.get_context() - - return TemplateResponse(self.request, self.object_history_template or - self.get_template_list('views/model_history.html'), context, current_app=self.admin_site.name) - - def get_version_object(self, version): - obj_version = version.object_version - obj = obj_version.object - obj._state.db = self.obj._state.db - - for field_name, pks in obj_version.m2m_data.items(): - f = self.opts.get_field(field_name) - if f.rel and isinstance(f.rel, models.ManyToManyRel): - setattr(obj, f.name, f.rel.to._default_manager.get_query_set( - ).filter(pk__in=pks).all()) - - detail = self.get_model_view(DetailAdminUtil, self.model, obj) - - return obj, detail - - def post(self, request, object_id, *args, **kwargs): - object_id = unquote(object_id) - self.obj = self.get_object(object_id) - - if not self.has_change_permission(self.obj): - raise PermissionDenied - - params = self.request.POST - if 'version_a' not in params or 'version_b' not in params: - self.message_user(_("Must select two versions."), 'error') - return self.get_response() - - version_a_id = params['version_a'] - version_b_id = params['version_b'] - - if version_a_id == version_b_id: - self.message_user( - _("Please select two different versions."), 'error') - return self.get_response() - - version_a = get_object_or_404(Version, pk=version_a_id) - version_b = get_object_or_404(Version, pk=version_b_id) - - diffs = [] - - obj_a, detail_a = self.get_version_object(version_a) - obj_b, detail_b = self.get_version_object(version_b) - - for f in (self.opts.fields + self.opts.many_to_many): - if isinstance(f, RelatedObject): - label = f.opts.verbose_name - else: - label = f.verbose_name - - value_a = f.value_from_object(obj_a) - value_b = f.value_from_object(obj_b) - is_diff = value_a != value_b - - if type(value_a) in (list, tuple) and type(value_b) in (list, tuple) \ - and len(value_a) == len(value_b) and is_diff: - is_diff = False - for i in xrange(len(value_a)): - if value_a[i] != value_a[i]: - is_diff = True - break - if type(value_a) is QuerySet and type(value_b) is QuerySet: - is_diff = list(value_a) != list(value_b) - - diffs.append((label, detail_a.get_field_result( - f.name).val, detail_b.get_field_result(f.name).val, is_diff)) - - context = super(RevisionListView, self).get_context() - context.update({ - 'object': self.obj, - 'opts': self.opts, - 'version_a': version_a, - 'version_b': version_b, - 'revision_a_url': self.model_admin_url('revision', quote(version_a.object_id), version_a.id), - 'revision_b_url': self.model_admin_url('revision', quote(version_b.object_id), version_b.id), - 'diffs': diffs - }) - - return TemplateResponse( - self.request, self.revision_diff_template or self.get_template_list('views/revision_diff.html'), - context, current_app=self.admin_site.name) - - @filter_hook - def get_media(self): - return super(RevisionListView, self).get_media() + self.vendor('xadmin.plugin.revision.js', 'xadmin.form.css') - - -class BaseRevisionView(ModelFormAdminView): - - @filter_hook - def get_revision(self): - return self.version.field_dict - - @filter_hook - def get_form_datas(self): - datas = {"instance": self.org_obj, "initial": self.get_revision()} - if self.request_method == 'post': - datas.update( - {'data': self.request.POST, 'files': self.request.FILES}) - return datas - - @filter_hook - def get_context(self): - context = super(BaseRevisionView, self).get_context() - context.update({ - 'object': self.org_obj - }) - return context - - @filter_hook - def get_media(self): - return super(BaseRevisionView, self).get_media() + self.vendor('xadmin.plugin.revision.js') - - -class DiffField(Field): - - def render(self, form, form_style, context): - html = '' - for field in self.fields: - html += ('
    %s
    ' % - (_('Current: %s') % self.attrs.pop('orgdata', ''), render_field(field, form, form_style, context, template=self.template, attrs=self.attrs))) - return html - - -class RevisionView(BaseRevisionView): - - revision_form_template = None - - def init_request(self, object_id, version_id): - self.detail = self.get_model_view( - DetailAdminView, self.model, object_id) - self.org_obj = self.detail.obj - self.version = get_object_or_404( - Version, pk=version_id, object_id=unicode(self.org_obj.pk)) - - self.prepare_form() - - def get_form_helper(self): - helper = super(RevisionView, self).get_form_helper() - diff_fields = {} - version_data = self.version.field_dict - for f in self.opts.fields: - if f.value_from_object(self.org_obj) != version_data.get(f.name, None): - diff_fields[f.name] = self.detail.get_field_result(f.name).val - for k, v in diff_fields.items(): - helper[k].wrap(DiffField, orgdata=v) - return helper - - @filter_hook - def get_context(self): - context = super(RevisionView, self).get_context() - context["title"] = _( - "Revert %s") % force_unicode(self.model._meta.verbose_name) - return context - - @filter_hook - def get_response(self): - context = self.get_context() - context.update(self.kwargs or {}) - - form_template = self.revision_form_template - return TemplateResponse( - self.request, form_template or self.get_template_list( - 'views/revision_form.html'), - context, current_app=self.admin_site.name) - - @filter_hook - def post_response(self): - self.message_user(_('The %(model)s "%(name)s" was reverted successfully. You may edit it again below.') % - {"model": force_unicode(self.opts.verbose_name), "name": unicode(self.new_obj)}, 'success') - return HttpResponseRedirect(self.model_admin_url('change', self.new_obj.pk)) - - -class RecoverView(BaseRevisionView): - - recover_form_template = None - - def init_request(self, version_id): - if not self.has_change_permission() and not self.has_add_permission(): - raise PermissionDenied - - self.version = get_object_or_404(Version, pk=version_id) - self.org_obj = self.version.object_version.object - - self.prepare_form() - - @filter_hook - def get_context(self): - context = super(RecoverView, self).get_context() - context["title"] = _("Recover %s") % self.version.object_repr - return context - - @filter_hook - def get_response(self): - context = self.get_context() - context.update(self.kwargs or {}) - - form_template = self.recover_form_template - return TemplateResponse( - self.request, form_template or self.get_template_list( - 'views/recover_form.html'), - context, current_app=self.admin_site.name) - - @filter_hook - def post_response(self): - self.message_user(_('The %(model)s "%(name)s" was recovered successfully. You may edit it again below.') % - {"model": force_unicode(self.opts.verbose_name), "name": unicode(self.new_obj)}, 'success') - return HttpResponseRedirect(self.model_admin_url('change', self.new_obj.pk)) - - -class InlineDiffField(Field): - - def render(self, form, form_style, context): - html = '' - instance = form.instance - if not instance.pk: - return super(InlineDiffField, self).render(form, form_style, context) - - initial = form.initial - opts = instance._meta - detail = form.detail - for field in self.fields: - f = opts.get_field(field) - f_html = render_field(field, form, form_style, context, - template=self.template, attrs=self.attrs) - if f.value_from_object(instance) != initial.get(field, None): - current_val = detail.get_field_result(f.name).val - html += ('
    %s
    ' - % (_('Current: %s') % current_val, f_html)) - else: - html += f_html - return html - -# inline hack plugin - - -class InlineRevisionPlugin(BaseAdminPlugin): - - def get_related_versions(self, obj, version, formset): - """Retreives all the related Version objects for the given FormSet.""" - object_id = obj.pk - # Get the fk name. - try: - fk_name = formset.fk.name - except AttributeError: - # This is a GenericInlineFormset, or similar. - fk_name = formset.ct_fk_field.name - # Look up the revision data. - revision_versions = version.revision.version_set.all() - related_versions = dict([(related_version.object_id, related_version) - for related_version in revision_versions - if ContentType.objects.get_for_id(related_version.content_type_id).model_class() == formset.model - and unicode(related_version.field_dict[fk_name]) == unicode(object_id)]) - return related_versions - - def _hack_inline_formset_initial(self, revision_view, formset): - """Hacks the given formset to contain the correct initial data.""" - # Now we hack it to push in the data from the revision! - initial = [] - related_versions = self.get_related_versions( - revision_view.org_obj, revision_view.version, formset) - formset.related_versions = related_versions - for related_obj in formset.queryset: - if unicode(related_obj.pk) in related_versions: - initial.append( - related_versions.pop(unicode(related_obj.pk)).field_dict) - else: - initial_data = model_to_dict(related_obj) - initial_data["DELETE"] = True - initial.append(initial_data) - for related_version in related_versions.values(): - initial_row = related_version.field_dict - pk_name = ContentType.objects.get_for_id( - related_version.content_type_id).model_class()._meta.pk.name - del initial_row[pk_name] - initial.append(initial_row) - # Reconstruct the forms with the new revision data. - formset.initial = initial - formset.forms = [formset._construct_form( - n) for n in xrange(len(initial))] - # Hack the formset to force a save of everything. - - def get_changed_data(form): - return [field.name for field in form.fields] - for form in formset.forms: - form.has_changed = lambda: True - form._get_changed_data = partial(get_changed_data, form=form) - - def total_form_count_hack(count): - return lambda: count - formset.total_form_count = total_form_count_hack(len(initial)) - - if self.request.method == 'GET' and formset.helper and formset.helper.layout: - helper = formset.helper - helper.filter(basestring).wrap(InlineDiffField) - fake_admin_class = type(str('%s%sFakeAdmin' % (self.opts.app_label, self.opts.module_name)), (object, ), {'model': self.model}) - for form in formset.forms: - instance = form.instance - if instance.pk: - form.detail = self.get_view( - DetailAdminUtil, fake_admin_class, instance) - - def instance_form(self, formset, **kwargs): - admin_view = self.admin_view.admin_view - if hasattr(admin_view, 'version') and hasattr(admin_view, 'org_obj'): - self._hack_inline_formset_initial(admin_view, formset) - return formset - -# action revision - - -class ActionRevisionPlugin(BaseAdminPlugin): - - revision_manager = default_revision_manager - reversion_enable = False - - def init_request(self, *args, **kwargs): - return self.reversion_enable - - @property - def revision_context_manager(self): - return self.revision_manager._revision_context_manager - - def do_action_func(self, __): - def _method(): - self.revision_context_manager.set_user(self.user) - action_view = self.admin_view - comment = action_view.description % model_format_dict(self.opts) - - self.revision_context_manager.set_comment(comment) - return __() - return _method - - def do_action(self, __, queryset): - return self.revision_context_manager.create_revision(manage_manually=False)(self.do_action_func(__))() - - -class VersionInline(object): - model = Version - extra = 0 - style = 'accordion' - -class ReversionAdmin(object): - model_icon = 'fa fa-exchange' - - list_display = ('__str__', 'date_created', 'user', 'comment') - list_display_links = ('__str__',) - - list_filter = ('date_created', 'user') - inlines = [VersionInline] - -site.register(Revision, ReversionAdmin) - -site.register_modelview( - r'^recover/$', RecoverListView, name='%s_%s_recoverlist') -site.register_modelview( - r'^recover/([^/]+)/$', RecoverView, name='%s_%s_recover') -site.register_modelview( - r'^([^/]+)/revision/$', RevisionListView, name='%s_%s_revisionlist') -site.register_modelview( - r'^([^/]+)/revision/([^/]+)/$', RevisionView, name='%s_%s_revision') - -site.register_plugin(ReversionPlugin, ListAdminView) -site.register_plugin(ReversionPlugin, ModelFormAdminView) -site.register_plugin(ReversionPlugin, DeleteAdminView) - -site.register_plugin(InlineRevisionPlugin, InlineModelAdmin) -site.register_plugin(ActionRevisionPlugin, BaseActionView) diff --git a/pillbox-engine/xadmin/sites.py b/pillbox-engine/xadmin/sites.py deleted file mode 100644 index 222dbaf..0000000 --- a/pillbox-engine/xadmin/sites.py +++ /dev/null @@ -1,342 +0,0 @@ -import sys -from functools import update_wrapper -from django.conf import settings -from django.core.exceptions import ImproperlyConfigured -from django.db.models.base import ModelBase -from django.views.decorators.cache import never_cache - -reload(sys) -sys.setdefaultencoding("utf-8") - - -class AlreadyRegistered(Exception): - pass - - -class NotRegistered(Exception): - pass - - -class MergeAdminMetaclass(type): - def __new__(cls, name, bases, attrs): - return type.__new__(cls, str(name), bases, attrs) - - -class AdminSite(object): - - def __init__(self, name='xadmin'): - self.name = name - self.app_name = 'xadmin' - - self._registry = {} # model_class class -> admin_class class - self._registry_avs = {} # admin_view_class class -> admin_class class - self._registry_settings = {} # settings name -> admin_class class - self._registry_views = [] - # url instance contains (path, admin_view class, name) - self._registry_modelviews = [] - # url instance contains (path, admin_view class, name) - self._registry_plugins = {} # view_class class -> plugin_class class - - self._admin_view_cache = {} - - self.check_dependencies() - - self.model_admins_order = 0 - - def copy_registry(self): - import copy - return { - 'models': copy.copy(self._registry), - 'avs': copy.copy(self._registry_avs), - 'views': copy.copy(self._registry_views), - 'settings': copy.copy(self._registry_settings), - 'modelviews': copy.copy(self._registry_modelviews), - 'plugins': copy.copy(self._registry_plugins), - } - - def restore_registry(self, data): - self._registry = data['models'] - self._registry_avs = data['avs'] - self._registry_views = data['views'] - self._registry_settings = data['settings'] - self._registry_modelviews = data['modelviews'] - self._registry_plugins = data['plugins'] - - def register_modelview(self, path, admin_view_class, name): - from xadmin.views.base import BaseAdminView - if issubclass(admin_view_class, BaseAdminView): - self._registry_modelviews.append((path, admin_view_class, name)) - else: - raise ImproperlyConfigured(u'The registered view class %s isn\'t subclass of %s' % - (admin_view_class.__name__, BaseAdminView.__name__)) - - def register_view(self, path, admin_view_class, name): - self._registry_views.append((path, admin_view_class, name)) - - def register_plugin(self, plugin_class, admin_view_class): - from xadmin.views.base import BaseAdminPlugin - if issubclass(plugin_class, BaseAdminPlugin): - self._registry_plugins.setdefault( - admin_view_class, []).append(plugin_class) - else: - raise ImproperlyConfigured(u'The registered plugin class %s isn\'t subclass of %s' % - (plugin_class.__name__, BaseAdminPlugin.__name__)) - - def register_settings(self, name, admin_class): - self._registry_settings[name.lower()] = admin_class - - def register(self, model_or_iterable, admin_class=object, **options): - from xadmin.views.base import BaseAdminView - if isinstance(model_or_iterable, ModelBase) or issubclass(model_or_iterable, BaseAdminView): - model_or_iterable = [model_or_iterable] - for model in model_or_iterable: - if isinstance(model, ModelBase): - if model._meta.abstract: - raise ImproperlyConfigured('The model %s is abstract, so it ' - 'cannot be registered with admin.' % model.__name__) - - if model in self._registry: - raise AlreadyRegistered( - 'The model %s is already registered' % model.__name__) - - # If we got **options then dynamically construct a subclass of - # admin_class with those **options. - if options: - # For reasons I don't quite understand, without a __module__ - # the created class appears to "live" in the wrong place, - # which causes issues later on. - options['__module__'] = __name__ - - admin_class = type(str("%s%sAdmin" % (model._meta.app_label, model._meta.model_name)), (admin_class,), options or {}) - admin_class.model = model - admin_class.order = self.model_admins_order - self.model_admins_order += 1 - self._registry[model] = admin_class - else: - if model in self._registry_avs: - raise AlreadyRegistered('The admin_view_class %s is already registered' % model.__name__) - if options: - options['__module__'] = __name__ - admin_class = type(str( - "%sAdmin" % model.__name__), (admin_class,), options) - - # Instantiate the admin class to save in the registry - self._registry_avs[model] = admin_class - - def unregister(self, model_or_iterable): - """ - Unregisters the given model(s). - - If a model isn't already registered, this will raise NotRegistered. - """ - from xadmin.views.base import BaseAdminView - if isinstance(model_or_iterable, (ModelBase, BaseAdminView)): - model_or_iterable = [model_or_iterable] - for model in model_or_iterable: - if isinstance(model, ModelBase): - if model not in self._registry: - raise NotRegistered( - 'The model %s is not registered' % model.__name__) - del self._registry[model] - else: - if model not in self._registry_avs: - raise NotRegistered('The admin_view_class %s is not registered' % model.__name__) - del self._registry_avs[model] - - def set_loginview(self, login_view): - self.login_view = login_view - - def has_permission(self, request): - """ - Returns True if the given HttpRequest has permission to view - *at least one* page in the admin site. - """ - return request.user.is_active and request.user.is_staff - - def check_dependencies(self): - """ - Check that all things needed to run the admin have been correctly installed. - - The default implementation checks that LogEntry, ContentType and the - auth context processor are installed. - """ - from django.contrib.contenttypes.models import ContentType - - if not ContentType._meta.installed: - raise ImproperlyConfigured("Put 'django.contrib.contenttypes' in " - "your INSTALLED_APPS setting in order to use the admin application.") - if not ('django.contrib.auth.context_processors.auth' in settings.TEMPLATE_CONTEXT_PROCESSORS or - 'django.core.context_processors.auth' in settings.TEMPLATE_CONTEXT_PROCESSORS): - raise ImproperlyConfigured("Put 'django.contrib.auth.context_processors.auth' " - "in your TEMPLATE_CONTEXT_PROCESSORS setting in order to use the admin application.") - - def admin_view(self, view, cacheable=False): - """ - Decorator to create an admin view attached to this ``AdminSite``. This - wraps the view and provides permission checking by calling - ``self.has_permission``. - - You'll want to use this from within ``AdminSite.get_urls()``: - - class MyAdminSite(AdminSite): - - def get_urls(self): - from django.conf.urls import patterns, url - - urls = super(MyAdminSite, self).get_urls() - urls += patterns('', - url(r'^my_view/$', self.admin_view(some_view)) - ) - return urls - - By default, admin_views are marked non-cacheable using the - ``never_cache`` decorator. If the view can be safely cached, set - cacheable=True. - """ - def inner(request, *args, **kwargs): - if not self.has_permission(request) and getattr(view, 'need_site_permission', True): - return self.create_admin_view(self.login_view)(request, *args, **kwargs) - return view(request, *args, **kwargs) - if not cacheable: - inner = never_cache(inner) - return update_wrapper(inner, view) - - def _get_merge_attrs(self, option_class, plugin_class): - return dict([(name, getattr(option_class, name)) for name in dir(option_class) - if name[0] != '_' and not callable(getattr(option_class, name)) and hasattr(plugin_class, name)]) - - def _get_settings_class(self, admin_view_class): - name = admin_view_class.__name__.lower() - - if name in self._registry_settings: - return self._registry_settings[name] - elif name.endswith('admin') and name[0:-5] in self._registry_settings: - return self._registry_settings[name[0:-5]] - elif name.endswith('adminview') and name[0:-9] in self._registry_settings: - return self._registry_settings[name[0:-9]] - - return None - - def _create_plugin(self, option_classes): - def merge_class(plugin_class): - if option_classes: - attrs = {} - bases = [plugin_class] - for oc in option_classes: - attrs.update(self._get_merge_attrs(oc, plugin_class)) - meta_class = getattr(oc, plugin_class.__name__, getattr(oc, plugin_class.__name__.replace('Plugin', ''), None)) - if meta_class: - bases.insert(0, meta_class) - if attrs: - plugin_class = MergeAdminMetaclass( - '%s%s' % (''.join([oc.__name__ for oc in option_classes]), plugin_class.__name__), - tuple(bases), attrs) - return plugin_class - return merge_class - - def get_plugins(self, admin_view_class, *option_classes): - from xadmin.views import BaseAdminView - plugins = [] - opts = [oc for oc in option_classes if oc] - for klass in admin_view_class.mro(): - if klass == BaseAdminView or issubclass(klass, BaseAdminView): - merge_opts = [] - reg_class = self._registry_avs.get(klass) - if reg_class: - merge_opts.append(reg_class) - settings_class = self._get_settings_class(klass) - if settings_class: - merge_opts.append(settings_class) - merge_opts.extend(opts) - ps = self._registry_plugins.get(klass, []) - plugins.extend(map(self._create_plugin( - merge_opts), ps) if merge_opts else ps) - return plugins - - def get_view_class(self, view_class, option_class=None, **opts): - merges = [option_class] if option_class else [] - for klass in view_class.mro(): - reg_class = self._registry_avs.get(klass) - if reg_class: - merges.append(reg_class) - settings_class = self._get_settings_class(klass) - if settings_class: - merges.append(settings_class) - merges.append(klass) - new_class_name = ''.join([c.__name__ for c in merges]) - - if new_class_name not in self._admin_view_cache: - plugins = self.get_plugins(view_class, option_class) - self._admin_view_cache[new_class_name] = MergeAdminMetaclass( - new_class_name, tuple(merges), - dict({'plugin_classes': plugins, 'admin_site': self}, **opts)) - - return self._admin_view_cache[new_class_name] - - def create_admin_view(self, admin_view_class): - return self.get_view_class(admin_view_class).as_view() - - def create_model_admin_view(self, admin_view_class, model, option_class): - return self.get_view_class(admin_view_class, option_class).as_view() - - def get_urls(self): - from django.conf.urls import patterns, url, include - from xadmin.views.base import BaseAdminView - - if settings.DEBUG: - self.check_dependencies() - - def wrap(view, cacheable=False): - def wrapper(*args, **kwargs): - return self.admin_view(view, cacheable)(*args, **kwargs) - return update_wrapper(wrapper, view) - - # Admin-site-wide views. - urlpatterns = patterns('', - url(r'^jsi18n/$', wrap(self.i18n_javascript, - cacheable=True), name='jsi18n') - ) - - # Registed admin views - urlpatterns += patterns('', - *[url( - path, wrap(self.create_admin_view(clz_or_func)) if type(clz_or_func) == type and issubclass(clz_or_func, BaseAdminView) else include(clz_or_func(self)), - name=name) for path, clz_or_func, name in self._registry_views] - ) - - # Add in each model's views. - for model, admin_class in self._registry.iteritems(): - view_urls = [url( - path, wrap( - self.create_model_admin_view(clz, model, admin_class)), - name=name % (model._meta.app_label, model._meta.model_name)) - for path, clz, name in self._registry_modelviews] - urlpatterns += patterns('', - url( - r'^%s/%s/' % ( - model._meta.app_label, model._meta.model_name), - include(patterns('', *view_urls))) - ) - - return urlpatterns - - @property - def urls(self): - return self.get_urls(), self.name, self.app_name - - def i18n_javascript(self, request): - """ - Displays the i18n JavaScript that the Django admin requires. - - This takes into account the USE_I18N setting. If it's set to False, the - generated JavaScript will be leaner and faster. - """ - if settings.USE_I18N: - from django.views.i18n import javascript_catalog - else: - from django.views.i18n import null_javascript_catalog as javascript_catalog - return javascript_catalog(request, packages=['django.conf', 'xadmin']) - -# This global object represents the default admin site, for the common case. -# You can instantiate AdminSite in your own code to create a custom admin site. -site = AdminSite() diff --git a/pillbox-engine/xadmin/static/xadmin/component.json b/pillbox-engine/xadmin/static/xadmin/component.json deleted file mode 100644 index a81adb9..0000000 --- a/pillbox-engine/xadmin/static/xadmin/component.json +++ /dev/null @@ -1,20 +0,0 @@ -{ - "name": "xadmin", - "version": "0.1.0", - "dependencies": { - "jquery": ">=1.8.3", - "jquery-ui": ">=1.10.0", - "bootstrap": "http://twitter.github.io/bootstrap/assets/bootstrap.zip", - "bootstrap-timepicker": ">=0.2.3", - "bootstrap-datepicker": ">=1.0.0", - "bootstrap-modal": ">=2.1", - "flot": ">=0.8", - "font-awesome": ">=3.0.2", - "load-image": "blueimp/JavaScript-Load-Image", - "bootstrap-image-gallery": "blueimp/Bootstrap-Image-Gallery", - "select2": ">=3.3.2", - "selectize": ">=0.8.4", - "datejs": "datejs/Datejs", - "bootstrap-multiselect": "davidstutz/bootstrap-multiselect" - } -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.css b/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.css deleted file mode 100644 index c9c347e..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.css +++ /dev/null @@ -1,459 +0,0 @@ -/*! - * Bootstrap v3.0.2 by @fat and @mdo - * Copyright 2013 Twitter, Inc. - * Licensed under http://www.apache.org/licenses/LICENSE-2.0 - * - * Designed and built with all the love in the world by @mdo and @fat. - */ - -.btn-default, -.btn-primary, -.btn-success, -.btn-info, -.btn-warning, -.btn-danger { - text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.2); - -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075); - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075); -} - -.btn-default:active, -.btn-primary:active, -.btn-success:active, -.btn-info:active, -.btn-warning:active, -.btn-danger:active, -.btn-default.active, -.btn-primary.active, -.btn-success.active, -.btn-info.active, -.btn-warning.active, -.btn-danger.active { - -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125); - box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125); -} - -.btn:active, -.btn.active { - background-image: none; -} - -.btn-default { - text-shadow: 0 1px 0 #fff; - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#ffffff), to(#e0e0e0)); - background-image: -webkit-linear-gradient(top, #ffffff 0%, #e0e0e0 100%); - background-image: -moz-linear-gradient(top, #ffffff 0%, #e0e0e0 100%); - background-image: linear-gradient(to bottom, #ffffff 0%, #e0e0e0 100%); - background-repeat: repeat-x; - border-color: #dbdbdb; - border-color: #ccc; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-default:hover, -.btn-default:focus { - background-color: #e0e0e0; - background-position: 0 -15px; -} - -.btn-default:active, -.btn-default.active { - background-color: #e0e0e0; - border-color: #dbdbdb; -} - -.btn-primary { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#428bca), to(#2d6ca2)); - background-image: -webkit-linear-gradient(top, #428bca 0%, #2d6ca2 100%); - background-image: -moz-linear-gradient(top, #428bca 0%, #2d6ca2 100%); - background-image: linear-gradient(to bottom, #428bca 0%, #2d6ca2 100%); - background-repeat: repeat-x; - border-color: #2b669a; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca', endColorstr='#ff2d6ca2', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-primary:hover, -.btn-primary:focus { - background-color: #2d6ca2; - background-position: 0 -15px; -} - -.btn-primary:active, -.btn-primary.active { - background-color: #2d6ca2; - border-color: #2b669a; -} - -.btn-success { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#5cb85c), to(#419641)); - background-image: -webkit-linear-gradient(top, #5cb85c 0%, #419641 100%); - background-image: -moz-linear-gradient(top, #5cb85c 0%, #419641 100%); - background-image: linear-gradient(to bottom, #5cb85c 0%, #419641 100%); - background-repeat: repeat-x; - border-color: #3e8f3e; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-success:hover, -.btn-success:focus { - background-color: #419641; - background-position: 0 -15px; -} - -.btn-success:active, -.btn-success.active { - background-color: #419641; - border-color: #3e8f3e; -} - -.btn-warning { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f0ad4e), to(#eb9316)); - background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #eb9316 100%); - background-image: -moz-linear-gradient(top, #f0ad4e 0%, #eb9316 100%); - background-image: linear-gradient(to bottom, #f0ad4e 0%, #eb9316 100%); - background-repeat: repeat-x; - border-color: #e38d13; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-warning:hover, -.btn-warning:focus { - background-color: #eb9316; - background-position: 0 -15px; -} - -.btn-warning:active, -.btn-warning.active { - background-color: #eb9316; - border-color: #e38d13; -} - -.btn-danger { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#d9534f), to(#c12e2a)); - background-image: -webkit-linear-gradient(top, #d9534f 0%, #c12e2a 100%); - background-image: -moz-linear-gradient(top, #d9534f 0%, #c12e2a 100%); - background-image: linear-gradient(to bottom, #d9534f 0%, #c12e2a 100%); - background-repeat: repeat-x; - border-color: #b92c28; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-danger:hover, -.btn-danger:focus { - background-color: #c12e2a; - background-position: 0 -15px; -} - -.btn-danger:active, -.btn-danger.active { - background-color: #c12e2a; - border-color: #b92c28; -} - -.btn-info { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#5bc0de), to(#2aabd2)); - background-image: -webkit-linear-gradient(top, #5bc0de 0%, #2aabd2 100%); - background-image: -moz-linear-gradient(top, #5bc0de 0%, #2aabd2 100%); - background-image: linear-gradient(to bottom, #5bc0de 0%, #2aabd2 100%); - background-repeat: repeat-x; - border-color: #28a4c9; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.btn-info:hover, -.btn-info:focus { - background-color: #2aabd2; - background-position: 0 -15px; -} - -.btn-info:active, -.btn-info.active { - background-color: #2aabd2; - border-color: #28a4c9; -} - -.thumbnail, -.img-thumbnail { - -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075); - box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075); -} - -.dropdown-menu > li > a:hover, -.dropdown-menu > li > a:focus { - background-color: #e8e8e8; - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f5f5f5), to(#e8e8e8)); - background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%); - background-image: -moz-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%); - background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0); -} - -.dropdown-menu > .active > a, -.dropdown-menu > .active > a:hover, -.dropdown-menu > .active > a:focus { - background-color: #357ebd; - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#428bca), to(#357ebd)); - background-image: -webkit-linear-gradient(top, #428bca 0%, #357ebd 100%); - background-image: -moz-linear-gradient(top, #428bca 0%, #357ebd 100%); - background-image: linear-gradient(to bottom, #428bca 0%, #357ebd 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca', endColorstr='#ff357ebd', GradientType=0); -} - -.navbar-default { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#ffffff), to(#f8f8f8)); - background-image: -webkit-linear-gradient(top, #ffffff 0%, #f8f8f8 100%); - background-image: -moz-linear-gradient(top, #ffffff 0%, #f8f8f8 100%); - background-image: linear-gradient(to bottom, #ffffff 0%, #f8f8f8 100%); - background-repeat: repeat-x; - border-radius: 4px; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); - -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075); - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075); -} - -.navbar-default .navbar-nav > .active > a { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#ebebeb), to(#f3f3f3)); - background-image: -webkit-linear-gradient(top, #ebebeb 0%, #f3f3f3 100%); - background-image: -moz-linear-gradient(top, #ebebeb 0%, #f3f3f3 100%); - background-image: linear-gradient(to bottom, #ebebeb 0%, #f3f3f3 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff3f3f3', GradientType=0); - -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075); - box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075); -} - -.navbar-brand, -.navbar-nav > li > a { - text-shadow: 0 1px 0 rgba(255, 255, 255, 0.25); -} - -.navbar-inverse { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#3c3c3c), to(#222222)); - background-image: -webkit-linear-gradient(top, #3c3c3c 0%, #222222 100%); - background-image: -moz-linear-gradient(top, #3c3c3c 0%, #222222 100%); - background-image: linear-gradient(to bottom, #3c3c3c 0%, #222222 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); -} - -.navbar-inverse .navbar-nav > .active > a { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#222222), to(#282828)); - background-image: -webkit-linear-gradient(top, #222222 0%, #282828 100%); - background-image: -moz-linear-gradient(top, #222222 0%, #282828 100%); - background-image: linear-gradient(to bottom, #222222 0%, #282828 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff222222', endColorstr='#ff282828', GradientType=0); - -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25); - box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25); -} - -.navbar-inverse .navbar-brand, -.navbar-inverse .navbar-nav > li > a { - text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); -} - -.navbar-static-top, -.navbar-fixed-top, -.navbar-fixed-bottom { - border-radius: 0; -} - -.alert { - text-shadow: 0 1px 0 rgba(255, 255, 255, 0.2); - -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05); - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05); -} - -.alert-success { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#dff0d8), to(#c8e5bc)); - background-image: -webkit-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%); - background-image: -moz-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%); - background-image: linear-gradient(to bottom, #dff0d8 0%, #c8e5bc 100%); - background-repeat: repeat-x; - border-color: #b2dba1; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0); -} - -.alert-info { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#d9edf7), to(#b9def0)); - background-image: -webkit-linear-gradient(top, #d9edf7 0%, #b9def0 100%); - background-image: -moz-linear-gradient(top, #d9edf7 0%, #b9def0 100%); - background-image: linear-gradient(to bottom, #d9edf7 0%, #b9def0 100%); - background-repeat: repeat-x; - border-color: #9acfea; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0); -} - -.alert-warning { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#fcf8e3), to(#f8efc0)); - background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%); - background-image: -moz-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%); - background-image: linear-gradient(to bottom, #fcf8e3 0%, #f8efc0 100%); - background-repeat: repeat-x; - border-color: #f5e79e; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0); -} - -.alert-danger { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f2dede), to(#e7c3c3)); - background-image: -webkit-linear-gradient(top, #f2dede 0%, #e7c3c3 100%); - background-image: -moz-linear-gradient(top, #f2dede 0%, #e7c3c3 100%); - background-image: linear-gradient(to bottom, #f2dede 0%, #e7c3c3 100%); - background-repeat: repeat-x; - border-color: #dca7a7; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0); -} - -.progress { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#ebebeb), to(#f5f5f5)); - background-image: -webkit-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%); - background-image: -moz-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%); - background-image: linear-gradient(to bottom, #ebebeb 0%, #f5f5f5 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0); -} - -.progress-bar { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#428bca), to(#3071a9)); - background-image: -webkit-linear-gradient(top, #428bca 0%, #3071a9 100%); - background-image: -moz-linear-gradient(top, #428bca 0%, #3071a9 100%); - background-image: linear-gradient(to bottom, #428bca 0%, #3071a9 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca', endColorstr='#ff3071a9', GradientType=0); -} - -.progress-bar-success { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#5cb85c), to(#449d44)); - background-image: -webkit-linear-gradient(top, #5cb85c 0%, #449d44 100%); - background-image: -moz-linear-gradient(top, #5cb85c 0%, #449d44 100%); - background-image: linear-gradient(to bottom, #5cb85c 0%, #449d44 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0); -} - -.progress-bar-info { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#5bc0de), to(#31b0d5)); - background-image: -webkit-linear-gradient(top, #5bc0de 0%, #31b0d5 100%); - background-image: -moz-linear-gradient(top, #5bc0de 0%, #31b0d5 100%); - background-image: linear-gradient(to bottom, #5bc0de 0%, #31b0d5 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0); -} - -.progress-bar-warning { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f0ad4e), to(#ec971f)); - background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #ec971f 100%); - background-image: -moz-linear-gradient(top, #f0ad4e 0%, #ec971f 100%); - background-image: linear-gradient(to bottom, #f0ad4e 0%, #ec971f 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0); -} - -.progress-bar-danger { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#d9534f), to(#c9302c)); - background-image: -webkit-linear-gradient(top, #d9534f 0%, #c9302c 100%); - background-image: -moz-linear-gradient(top, #d9534f 0%, #c9302c 100%); - background-image: linear-gradient(to bottom, #d9534f 0%, #c9302c 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0); -} - -.list-group { - border-radius: 4px; - -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075); - box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075); -} - -.list-group-item.active, -.list-group-item.active:hover, -.list-group-item.active:focus { - text-shadow: 0 -1px 0 #3071a9; - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#428bca), to(#3278b3)); - background-image: -webkit-linear-gradient(top, #428bca 0%, #3278b3 100%); - background-image: -moz-linear-gradient(top, #428bca 0%, #3278b3 100%); - background-image: linear-gradient(to bottom, #428bca 0%, #3278b3 100%); - background-repeat: repeat-x; - border-color: #3278b3; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca', endColorstr='#ff3278b3', GradientType=0); -} - -.panel { - -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05); - box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05); -} - -.panel-default > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f5f5f5), to(#e8e8e8)); - background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%); - background-image: -moz-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%); - background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0); -} - -.panel-primary > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#428bca), to(#357ebd)); - background-image: -webkit-linear-gradient(top, #428bca 0%, #357ebd 100%); - background-image: -moz-linear-gradient(top, #428bca 0%, #357ebd 100%); - background-image: linear-gradient(to bottom, #428bca 0%, #357ebd 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca', endColorstr='#ff357ebd', GradientType=0); -} - -.panel-success > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#dff0d8), to(#d0e9c6)); - background-image: -webkit-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%); - background-image: -moz-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%); - background-image: linear-gradient(to bottom, #dff0d8 0%, #d0e9c6 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0); -} - -.panel-info > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#d9edf7), to(#c4e3f3)); - background-image: -webkit-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%); - background-image: -moz-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%); - background-image: linear-gradient(to bottom, #d9edf7 0%, #c4e3f3 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0); -} - -.panel-warning > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#fcf8e3), to(#faf2cc)); - background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%); - background-image: -moz-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%); - background-image: linear-gradient(to bottom, #fcf8e3 0%, #faf2cc 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0); -} - -.panel-danger > .panel-heading { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#f2dede), to(#ebcccc)); - background-image: -webkit-linear-gradient(top, #f2dede 0%, #ebcccc 100%); - background-image: -moz-linear-gradient(top, #f2dede 0%, #ebcccc 100%); - background-image: linear-gradient(to bottom, #f2dede 0%, #ebcccc 100%); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0); -} - -.well { - background-image: -webkit-gradient(linear, left 0%, left 100%, from(#e8e8e8), to(#f5f5f5)); - background-image: -webkit-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%); - background-image: -moz-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%); - background-image: linear-gradient(to bottom, #e8e8e8 0%, #f5f5f5 100%); - background-repeat: repeat-x; - border-color: #dcdcdc; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0); - -webkit-box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1); - box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1); -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.min.css b/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.min.css deleted file mode 100644 index 9164277..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-theme.min.css +++ /dev/null @@ -1,9 +0,0 @@ -/*! - * Bootstrap v3.0.2 by @fat and @mdo - * Copyright 2013 Twitter, Inc. - * Licensed under http://www.apache.org/licenses/LICENSE-2.0 - * - * Designed and built with all the love in the world by @mdo and @fat. - */ - -.btn-default,.btn-primary,.btn-success,.btn-info,.btn-warning,.btn-danger{text-shadow:0 -1px 0 rgba(0,0,0,0.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,0.15),0 1px 1px rgba(0,0,0,0.075);box-shadow:inset 0 1px 0 rgba(255,255,255,0.15),0 1px 1px rgba(0,0,0,0.075)}.btn-default:active,.btn-primary:active,.btn-success:active,.btn-info:active,.btn-warning:active,.btn-danger:active,.btn-default.active,.btn-primary.active,.btn-success.active,.btn-info.active,.btn-warning.active,.btn-danger.active{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,0.125);box-shadow:inset 0 3px 5px rgba(0,0,0,0.125)}.btn:active,.btn.active{background-image:none}.btn-default{text-shadow:0 1px 0 #fff;background-image:-webkit-gradient(linear,left 0,left 100%,from(#fff),to(#e0e0e0));background-image:-webkit-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-moz-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:linear-gradient(to bottom,#fff 0,#e0e0e0 100%);background-repeat:repeat-x;border-color:#dbdbdb;border-color:#ccc;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff',endColorstr='#ffe0e0e0',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-default:hover,.btn-default:focus{background-color:#e0e0e0;background-position:0 -15px}.btn-default:active,.btn-default.active{background-color:#e0e0e0;border-color:#dbdbdb}.btn-primary{background-image:-webkit-gradient(linear,left 0,left 100%,from(#428bca),to(#2d6ca2));background-image:-webkit-linear-gradient(top,#428bca 0,#2d6ca2 100%);background-image:-moz-linear-gradient(top,#428bca 0,#2d6ca2 100%);background-image:linear-gradient(to bottom,#428bca 0,#2d6ca2 100%);background-repeat:repeat-x;border-color:#2b669a;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca',endColorstr='#ff2d6ca2',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-primary:hover,.btn-primary:focus{background-color:#2d6ca2;background-position:0 -15px}.btn-primary:active,.btn-primary.active{background-color:#2d6ca2;border-color:#2b669a}.btn-success{background-image:-webkit-gradient(linear,left 0,left 100%,from(#5cb85c),to(#419641));background-image:-webkit-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-moz-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:linear-gradient(to bottom,#5cb85c 0,#419641 100%);background-repeat:repeat-x;border-color:#3e8f3e;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c',endColorstr='#ff419641',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-success:hover,.btn-success:focus{background-color:#419641;background-position:0 -15px}.btn-success:active,.btn-success.active{background-color:#419641;border-color:#3e8f3e}.btn-warning{background-image:-webkit-gradient(linear,left 0,left 100%,from(#f0ad4e),to(#eb9316));background-image:-webkit-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-moz-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:linear-gradient(to bottom,#f0ad4e 0,#eb9316 100%);background-repeat:repeat-x;border-color:#e38d13;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e',endColorstr='#ffeb9316',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-warning:hover,.btn-warning:focus{background-color:#eb9316;background-position:0 -15px}.btn-warning:active,.btn-warning.active{background-color:#eb9316;border-color:#e38d13}.btn-danger{background-image:-webkit-gradient(linear,left 0,left 100%,from(#d9534f),to(#c12e2a));background-image:-webkit-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-moz-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:linear-gradient(to bottom,#d9534f 0,#c12e2a 100%);background-repeat:repeat-x;border-color:#b92c28;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f',endColorstr='#ffc12e2a',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-danger:hover,.btn-danger:focus{background-color:#c12e2a;background-position:0 -15px}.btn-danger:active,.btn-danger.active{background-color:#c12e2a;border-color:#b92c28}.btn-info{background-image:-webkit-gradient(linear,left 0,left 100%,from(#5bc0de),to(#2aabd2));background-image:-webkit-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-moz-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:linear-gradient(to bottom,#5bc0de 0,#2aabd2 100%);background-repeat:repeat-x;border-color:#28a4c9;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de',endColorstr='#ff2aabd2',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.btn-info:hover,.btn-info:focus{background-color:#2aabd2;background-position:0 -15px}.btn-info:active,.btn-info.active{background-color:#2aabd2;border-color:#28a4c9}.thumbnail,.img-thumbnail{-webkit-box-shadow:0 1px 2px rgba(0,0,0,0.075);box-shadow:0 1px 2px rgba(0,0,0,0.075)}.dropdown-menu>li>a:hover,.dropdown-menu>li>a:focus{background-color:#e8e8e8;background-image:-webkit-gradient(linear,left 0,left 100%,from(#f5f5f5),to(#e8e8e8));background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-moz-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5',endColorstr='#ffe8e8e8',GradientType=0)}.dropdown-menu>.active>a,.dropdown-menu>.active>a:hover,.dropdown-menu>.active>a:focus{background-color:#357ebd;background-image:-webkit-gradient(linear,left 0,left 100%,from(#428bca),to(#357ebd));background-image:-webkit-linear-gradient(top,#428bca 0,#357ebd 100%);background-image:-moz-linear-gradient(top,#428bca 0,#357ebd 100%);background-image:linear-gradient(to bottom,#428bca 0,#357ebd 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca',endColorstr='#ff357ebd',GradientType=0)}.navbar-default{background-image:-webkit-gradient(linear,left 0,left 100%,from(#fff),to(#f8f8f8));background-image:-webkit-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-moz-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:linear-gradient(to bottom,#fff 0,#f8f8f8 100%);background-repeat:repeat-x;border-radius:4px;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff',endColorstr='#fff8f8f8',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,0.15),0 1px 5px rgba(0,0,0,0.075);box-shadow:inset 0 1px 0 rgba(255,255,255,0.15),0 1px 5px rgba(0,0,0,0.075)}.navbar-default .navbar-nav>.active>a{background-image:-webkit-gradient(linear,left 0,left 100%,from(#ebebeb),to(#f3f3f3));background-image:-webkit-linear-gradient(top,#ebebeb 0,#f3f3f3 100%);background-image:-moz-linear-gradient(top,#ebebeb 0,#f3f3f3 100%);background-image:linear-gradient(to bottom,#ebebeb 0,#f3f3f3 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb',endColorstr='#fff3f3f3',GradientType=0);-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,0.075);box-shadow:inset 0 3px 9px rgba(0,0,0,0.075)}.navbar-brand,.navbar-nav>li>a{text-shadow:0 1px 0 rgba(255,255,255,0.25)}.navbar-inverse{background-image:-webkit-gradient(linear,left 0,left 100%,from(#3c3c3c),to(#222));background-image:-webkit-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-moz-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:linear-gradient(to bottom,#3c3c3c 0,#222 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c',endColorstr='#ff222222',GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.navbar-inverse .navbar-nav>.active>a{background-image:-webkit-gradient(linear,left 0,left 100%,from(#222),to(#282828));background-image:-webkit-linear-gradient(top,#222 0,#282828 100%);background-image:-moz-linear-gradient(top,#222 0,#282828 100%);background-image:linear-gradient(to bottom,#222 0,#282828 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff222222',endColorstr='#ff282828',GradientType=0);-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,0.25);box-shadow:inset 0 3px 9px rgba(0,0,0,0.25)}.navbar-inverse .navbar-brand,.navbar-inverse .navbar-nav>li>a{text-shadow:0 -1px 0 rgba(0,0,0,0.25)}.navbar-static-top,.navbar-fixed-top,.navbar-fixed-bottom{border-radius:0}.alert{text-shadow:0 1px 0 rgba(255,255,255,0.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,0.25),0 1px 2px rgba(0,0,0,0.05);box-shadow:inset 0 1px 0 rgba(255,255,255,0.25),0 1px 2px rgba(0,0,0,0.05)}.alert-success{background-image:-webkit-gradient(linear,left 0,left 100%,from(#dff0d8),to(#c8e5bc));background-image:-webkit-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-moz-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:linear-gradient(to bottom,#dff0d8 0,#c8e5bc 100%);background-repeat:repeat-x;border-color:#b2dba1;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8',endColorstr='#ffc8e5bc',GradientType=0)}.alert-info{background-image:-webkit-gradient(linear,left 0,left 100%,from(#d9edf7),to(#b9def0));background-image:-webkit-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-moz-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:linear-gradient(to bottom,#d9edf7 0,#b9def0 100%);background-repeat:repeat-x;border-color:#9acfea;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7',endColorstr='#ffb9def0',GradientType=0)}.alert-warning{background-image:-webkit-gradient(linear,left 0,left 100%,from(#fcf8e3),to(#f8efc0));background-image:-webkit-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-moz-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:linear-gradient(to bottom,#fcf8e3 0,#f8efc0 100%);background-repeat:repeat-x;border-color:#f5e79e;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3',endColorstr='#fff8efc0',GradientType=0)}.alert-danger{background-image:-webkit-gradient(linear,left 0,left 100%,from(#f2dede),to(#e7c3c3));background-image:-webkit-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-moz-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:linear-gradient(to bottom,#f2dede 0,#e7c3c3 100%);background-repeat:repeat-x;border-color:#dca7a7;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede',endColorstr='#ffe7c3c3',GradientType=0)}.progress{background-image:-webkit-gradient(linear,left 0,left 100%,from(#ebebeb),to(#f5f5f5));background-image:-webkit-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-moz-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:linear-gradient(to bottom,#ebebeb 0,#f5f5f5 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb',endColorstr='#fff5f5f5',GradientType=0)}.progress-bar{background-image:-webkit-gradient(linear,left 0,left 100%,from(#428bca),to(#3071a9));background-image:-webkit-linear-gradient(top,#428bca 0,#3071a9 100%);background-image:-moz-linear-gradient(top,#428bca 0,#3071a9 100%);background-image:linear-gradient(to bottom,#428bca 0,#3071a9 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca',endColorstr='#ff3071a9',GradientType=0)}.progress-bar-success{background-image:-webkit-gradient(linear,left 0,left 100%,from(#5cb85c),to(#449d44));background-image:-webkit-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-moz-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:linear-gradient(to bottom,#5cb85c 0,#449d44 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c',endColorstr='#ff449d44',GradientType=0)}.progress-bar-info{background-image:-webkit-gradient(linear,left 0,left 100%,from(#5bc0de),to(#31b0d5));background-image:-webkit-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-moz-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:linear-gradient(to bottom,#5bc0de 0,#31b0d5 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de',endColorstr='#ff31b0d5',GradientType=0)}.progress-bar-warning{background-image:-webkit-gradient(linear,left 0,left 100%,from(#f0ad4e),to(#ec971f));background-image:-webkit-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-moz-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:linear-gradient(to bottom,#f0ad4e 0,#ec971f 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e',endColorstr='#ffec971f',GradientType=0)}.progress-bar-danger{background-image:-webkit-gradient(linear,left 0,left 100%,from(#d9534f),to(#c9302c));background-image:-webkit-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-moz-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:linear-gradient(to bottom,#d9534f 0,#c9302c 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f',endColorstr='#ffc9302c',GradientType=0)}.list-group{border-radius:4px;-webkit-box-shadow:0 1px 2px rgba(0,0,0,0.075);box-shadow:0 1px 2px rgba(0,0,0,0.075)}.list-group-item.active,.list-group-item.active:hover,.list-group-item.active:focus{text-shadow:0 -1px 0 #3071a9;background-image:-webkit-gradient(linear,left 0,left 100%,from(#428bca),to(#3278b3));background-image:-webkit-linear-gradient(top,#428bca 0,#3278b3 100%);background-image:-moz-linear-gradient(top,#428bca 0,#3278b3 100%);background-image:linear-gradient(to bottom,#428bca 0,#3278b3 100%);background-repeat:repeat-x;border-color:#3278b3;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca',endColorstr='#ff3278b3',GradientType=0)}.panel{-webkit-box-shadow:0 1px 2px rgba(0,0,0,0.05);box-shadow:0 1px 2px rgba(0,0,0,0.05)}.panel-default>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#f5f5f5),to(#e8e8e8));background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-moz-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5',endColorstr='#ffe8e8e8',GradientType=0)}.panel-primary>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#428bca),to(#357ebd));background-image:-webkit-linear-gradient(top,#428bca 0,#357ebd 100%);background-image:-moz-linear-gradient(top,#428bca 0,#357ebd 100%);background-image:linear-gradient(to bottom,#428bca 0,#357ebd 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff428bca',endColorstr='#ff357ebd',GradientType=0)}.panel-success>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#dff0d8),to(#d0e9c6));background-image:-webkit-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-moz-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:linear-gradient(to bottom,#dff0d8 0,#d0e9c6 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8',endColorstr='#ffd0e9c6',GradientType=0)}.panel-info>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#d9edf7),to(#c4e3f3));background-image:-webkit-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-moz-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:linear-gradient(to bottom,#d9edf7 0,#c4e3f3 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7',endColorstr='#ffc4e3f3',GradientType=0)}.panel-warning>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#fcf8e3),to(#faf2cc));background-image:-webkit-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-moz-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:linear-gradient(to bottom,#fcf8e3 0,#faf2cc 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3',endColorstr='#fffaf2cc',GradientType=0)}.panel-danger>.panel-heading{background-image:-webkit-gradient(linear,left 0,left 100%,from(#f2dede),to(#ebcccc));background-image:-webkit-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-moz-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:linear-gradient(to bottom,#f2dede 0,#ebcccc 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede',endColorstr='#ffebcccc',GradientType=0)}.well{background-image:-webkit-gradient(linear,left 0,left 100%,from(#e8e8e8),to(#f5f5f5));background-image:-webkit-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-moz-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:linear-gradient(to bottom,#e8e8e8 0,#f5f5f5 100%);background-repeat:repeat-x;border-color:#dcdcdc;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8',endColorstr='#fff5f5f5',GradientType=0);-webkit-box-shadow:inset 0 1px 3px rgba(0,0,0,0.05),0 1px 0 rgba(255,255,255,0.1);box-shadow:inset 0 1px 3px rgba(0,0,0,0.05),0 1px 0 rgba(255,255,255,0.1)} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-xadmin.css b/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-xadmin.css deleted file mode 100644 index 4f98d57..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/themes/bootstrap-xadmin.css +++ /dev/null @@ -1,62 +0,0 @@ - -/* results table */ -.table th { - background-color: #FAFAFA; - background-image: -moz-linear-gradient(top, white, #F2F2F2); - background-image: -webkit-gradient(linear, 0 0, 0 100%, from(white), to(#F2F2F2)); - background-image: -webkit-linear-gradient(top, white, #F2F2F2); - background-image: -o-linear-gradient(top, white, #F2F2F2); - background-image: linear-gradient(to bottom, white, #F2F2F2); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff2f2f2', GradientType=0); - -webkit-box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); - -moz-box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); - box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); - border-bottom-width: 1px !important; -} - -/** panel **/ -.panel-default { - border-radius: 2px; -} -.panel-default > .panel-heading { - background-color: #F8F8F8; - background-image: -moz-linear-gradient(top, #FDFDFD, #F6F6F6); - background-image: -ms-linear-gradient(top, #FDFDFD, #F6F6F6); - background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#FDFDFD), to(#F6F6F6)); - background-image: -webkit-linear-gradient(top, #FDFDFD, #F6F6F6); - background-image: -o-linear-gradient(top, #FDFDFD, #F6F6F6); - background-image: linear-gradient(top, #FDFDFD, #F6F6F6); -} - -.form-group { - border-bottom: 1px solid #EEE; - background-color: #FBFBFB; - margin-top: 0px !important; - margin-bottom: 0px !important; -} -.controls { - background-color: white; - padding: 15px !important; -} -.control-label { - margin-bottom: 0px !important; -} -.fieldset .panel-body { - padding-top: 0px !important; - padding-bottom: 0px !important; -} -.form-inline .form-group { - background: transparent; - border: none; -} - -/** fieldset **/ -@media (min-width: 768px) { - .form-horizontal .controls{ - border-left: 1px solid #EEE; - } - .form-horizontal .control-label { - padding-top: 22px !important; - } -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.form.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.form.css deleted file mode 100644 index dd96107..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.form.css +++ /dev/null @@ -1,190 +0,0 @@ - -/* CUSTOM FORM FIELDS */ -select.selectmultiple { - width: 100%; - height: 120px; -} -.select2-container{ - width: 100%; -} -.select2-container.form-control{ - padding: 0px; - border: 0px; -} -.select2-container .select2-choice { - height: 35px; - padding-top: 3px; -} - -/* form css */ -.form-container .column{ - min-height: 60px; -} -.form-group { - margin-right: -15px; - margin-left: -15px; -} -.control-label { - padding: 7px 10px; - font-weight: bold; -} -.form-horizontal .control-label { - margin-bottom: 5px; -} -.controls { - padding: 0px 15px 0px 15px; -} -.controls:before, -.controls:after { - display: table; - content: " "; -} -.controls:after { - clear: both; -} -.control-wrap { - display: block; - width: 100%; - padding-right: 45px; -} -.asteriskField, .asterisk-field { - color: red; -} -.controls > .radio:first-child, -.controls > .checkbox:first-child, -.control-wrap > .radio:first-child, -.control-wrap > .checkbox:first-child { - margin-top: -7px; -} -.controls > span { - padding: 5px 0; - display: inline-block; -} - -.help-block { - margin-bottom: 0px; -} - -.form-row .row { - margin: 0px !important; -} - -.fieldset .panel-body { - padding-bottom: 0px; -} - -@media (min-width: 768px) { - - .text-field, - .textinput, - .url-field, - select, - .input-group ~ .text-field, - .input-group ~ .textinput, - .input-group ~ .url-field - { - max-width: 300px; - } - .input-group.date{ max-width: 220px;} - .input-group.time{ max-width: 180px;} - .int-field { - max-width: 100px; - } - .datetime > .input-group { - float: left; - margin-right: 5px; - } - .datetime > .input-group:last-child { - margin-right: 0px; - } - select.selectmultiple { - max-width: 350px; - } - .select2-container, .selectize-control{ - max-width: 300px; - } - - .form-actions.fixed{ - position:fixed; - _position:absolute; - bottom:0px; - z-index:295; - margin-left: -10px; - -webkit-box-shadow: 2px 2px 16px rgba(0, 0, 0, 0.5); - -moz-box-shadow: 2px 2px 16px rgba(0, 0, 0, 0.5); - box-shadow: 2px 2px 16px rgba(0, 0, 0, 0.5); - right: 10px; - } - - .form-actions.fixed .pull-right{ - float: none !important; - margin-left: 10px; - } - - .form-horizontal .control-label { - width: 170px; - float: left; - } - .form-horizontal .controls { - margin-left: 175px; - } - .form-horizontal.short_label .control-label, - .form-horizontal .short_label .control-label { - width: 120px; - } - .form-horizontal.short_label .controls, - .form-horizontal .short_label .controls { - margin-left: 120px; - } - .form-horizontal .form-group { - margin-bottom: 24px; - } - .form-horizontal .form-inline .form-group { - margin: 0px; - padding-left: 0px; - padding-right: 0px; - } - .form-horizontal .fieldset .panel-body { - padding-top: 24px; - } -} -@media (min-width: 768px) and (max-width: 991px) { - .form-horizontal .control-label { - width: 150px; - } - .form-horizontal .controls { - margin-left: 155px; - } - .form-horizontal.short_label .control-label, - .form-horizontal .short_label .control-label { - width: 100px; - } - .form-horizontal.short_label .controls, - .form-horizontal .short_label .controls { - margin-left: 100px; - } -} -@media (max-width: 767px) { - .btn-toolbar.top-toolbar { - margin: 0 10px 10px; - text-align: right; - } -} - -/** detail page **/ -img.field_img { - max-height: 100px; -} - -/** revision form **/ -.diff_field .control-label { - color: #FF8040; -} -.diff_field .controls{ - background-color: #FCF8E3; -} - -/** tabs **/ -.nav.nav-tabs { - margin-bottom: 15px; -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.main.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.main.css deleted file mode 100644 index 2113276..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.main.css +++ /dev/null @@ -1,426 +0,0 @@ - -a { cursor: pointer;} - -#body-content { - margin-top: 65px; - margin-left: 0px; - margin-right: 0px; -} - -.popover{ - width: auto; -} -.dropdown-submenu .popover { - padding: 0px; - max-width: none; - left: 100%; -} -.dropdown-submenu .popover.right { - margin-top: -35px; - margin-left: -10px; -} -.dropdown-submenu .popover.left { - margin-top: -35px; -} -.dropdown-submenu .popover.right .arrow, .dropdown-submenu .popover.left .arrow{ - top: 47px; -} -.dropdown-submenu .popover form{ - margin: 6px 0; -} -.dropdown-submenu .popover form input { - min-width: 120px; -} -.dropdown-submenu .popover form > .input-group { - width: 100%; -} -.dropdown-submenu .popover form > .btn { - margin-top: 10px; -} -.dropdown-submenu .popover form > .input-group + .input-group { - margin-top: 5px; -} - -.filter-date .menu-choice-date .input-group-addon { - width: 50px; - text-align: right; -} -.filter-date .menu-date-range .ranges .btn{ - margin-top: 10px; -} -@media (min-width: 768px) { - .filter-date .menu-date-range .popover { - width: 600px; - left: 10px; - top: 35px; - margin-top: -2px; - margin-left: -40px; - } - .filter-date .menu-date-range .popover .arrow { - left: 60px; - } - .top-search-form { - margin-top: 6px; - margin-bottom: 0px; - } - .top-search-form .input-group { - width: 240px; - } -} -@media (max-width: 767px) { - .filter-date .menu-date-range .datepicker-inline{ - width: auto; - } - .filter-date .menu-date-range .table-condensed{ - width: 100%; - } -} - -.filter-fk-search .select-search{ - min-width: 160px; -} -.filter-char form input.input-char{ - min-width: 180px; -} -.filter-number form .input-group-btn > .btn { - width: 34px; - text-align: center; -} - - -.panel .panel-heading .icon{ - float: right; - top: 50%; - margin-left: 10px; - cursor: pointer; - font-size: 15px; - margin-top: 2px; -} -.panel .panel-heading .badge { float: right; top: 50%; margin-left: 10px;} -.panel.no_title .panel-heading{ - display: none; -} - -.panel .panel-body.nopadding{ - padding: 0px; -} -.ui-sortable-placeholder { border: 1px dotted #CCC; visibility: visible !important; } -.ui-sortable-placeholder * { visibility: hidden; } - -/* dropdowns */ -.dropdown-menu li.with_menu_btn > a:first-child { - padding-right: 35px; -} -.dropdown-menu .dropdown-menu-btn { - float: right; - margin-top: -26px; - height: 26px; - padding: 6px 8px 6px 5px; - margin-right: 7px; - -webkit-border-radius: 4px; - -moz-border-radius: 4px; - border-radius: 4px; -} -.dropdown-menu .dropdown-menu-btn:hover { - -webkit-box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); - -moz-box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); - box-shadow: 0 1px 4px rgba(0, 0, 0, 0.065); -} - -/* mask */ -.mask { - display: none; - position: absolute; - left: 0px; - top: 8px; - width: 100%; - z-index: 9999; - margin-top: -8px; - background-color: rgba(255,255,255,.6); - height: 100%; - padding-top: 24px; -} -.mask .progress{ - position: absolute; - width: 80%; - top: 50%; - margin-top: -8px; - left: 10%; -} -.mask .progress .bar{ - width: 100%; -} - -/* export */ -.export .dropdown-submenu .popover{ - width: 240px; - margin-left: -80px; -} - -/* search form */ -.input-group.search-group{ - width: 220px; -} - -/* results table */ -.table th { - white-space: nowrap; - text-overflow: ellipsis; -} - -.table td .btn-group { - font-size: 13px; -} - -.content-toolbar, .steps-nav { - margin-bottom: 10px; -} - -/* details dl */ -.data-details dl.dl-horizontal dt{ - width: 80px; -} -.data-details dl.dl-horizontal dd{ - margin-left: 90px; -} -.data-details .btn{ - float: right; - margin-bottom: 10px; -} - -/* related menu */ -.dropdown.related_menu .dropdown-menu { - width: 200px; -} -.dropdown.related_menu .dropdown-menu > li > a { - white-space: nowrap; - text-overflow: ellipsis; - overflow: hidden; -} - -.rel-brand { - font-size: .8em; - color: #a10000; -} - -/* list overflow */ -.x-scroll { - overflow-x: auto; -} - -/* nav sitemenu */ -ul.nav-sitemenu { - padding: 10px; -} -ul.nav-sitemenu li a { - padding: 6px 10px; -} -.panel-group.nav-sitemenu .panel .accordion-toggle{ - text-decoration: none; -} -.panel-group.nav-sitemenu .panel:not(:first-child) { - border-radius: 0px; - border-top: 0px; - margin-top: 0px; -} -.panel-group.nav-sitemenu .panel:not(:first-child) .panel-heading { - border-radius: 0px; -} -.panel-group.nav-sitemenu .panel:first-child { - border-bottom-left-radius: 0px; - border-bottom-right-radius: 0px; -} -.panel-group.nav-sitemenu .panel .list-group { - border-radius: 0px; -} -.panel-group.nav-sitemenu .panel .list-group .list-group-item:first-child { - border-top-width: 1px; -} -.panel-group.nav-sitemenu .panel .list-group .list-group-item:last-child { - border-bottom-right-radius: 0px; - border-bottom-left-radius: 0px; -} - -@media (min-width: 768px) { - .panel-group.nav-sitemenu { - position: fixed; - margin-left: -15px; - } - .panel-group.nav-sitemenu .panel .list-group.in{ - max-height: 500px; - overflow-y: auto; - } -} -@media (max-width: 767px) { - .panel-group.nav-sitemenu { - padding: 0px; - } -} - -/* models list */ -ul.model_ul{ - margin-bottom: 20px; -} -ul.model_ul, ul.model_ul ul{ - padding-left: 20px; - list-style: none; -} -ul.model_ul li{ - line-height: 20px; - margin: 8px 0px; -} -ul.model_ul li span { - padding: 3px 6px; - min-width: auto; - min-height: auto; -} - -/* icon */ -*[class^="icon-"] sub, -*[class^="icon-"] sup{ - font-size: 0.5em; - margin-left: -6px; -} - -/* ajax btn */ -.btn-ajax { - margin-left: 10px; -} - -/* g-search */ -#g-search .btn-group{ - margin: 0px; - padding: 0px; -} - -/** Font Icons **/ -a[class^="icon-"]:before, a[class*=" icon-"]:before { - margin-right: 0.3em; -} -.btn[class^="icon-"]:before, .btn[class*=" icon-"]:before { - margin-right: 0.3em; -} - -/** fix navbar input-append and input-prepend margin **/ -.navbar .navbar-brand { - max-width: 400px; -} - -/** import for bp3.0 */ -.pagination.pagination-inline{margin-top: 0px; margin-bottom: 10px;} -.modal { overflow-y: auto;} -.dropdown {position: relative;} -.input-group-btn:not(:first-child):not(:last-child) > .btn{ - border-radius: 0px; -} - -.dropdown-submenu { - position: relative; -} - -.dropdown-submenu > .dropdown-menu { - top: 0; - left: 100%; - margin-top: -6px; - margin-left: -1px; - border-top-left-radius: 0; -} - -.dropup .dropdown-submenu > .dropdown-menu { - top: auto; - bottom: 0; - margin-top: 0; - margin-bottom: -2px; - border-bottom-left-radius: 0; -} - -.dropdown-submenu > a:after { - display: block; - float: right; - width: 0; - height: 0; - margin-top: 5px; - margin-right: -10px; - border-color: transparent; - border-left-color: #cccccc; - border-style: solid; - border-width: 5px 0 5px 5px; - content: " "; -} - -.dropdown-submenu:hover > a:after { - border-left-color: #ffffff; -} - -.dropdown-submenu.pull-left { - float: none; -} - -.dropdown-submenu.pull-left > .dropdown-menu { - left: -100%; - margin-left: 10px; - border-top-right-radius: 0; -} - -.dropdown .dropdown-menu .nav-header { - padding-right: 20px; - padding-left: 20px; -} - -.dropdown-submenu:hover > .dropdown-menu, -.dropdown-submenu:hover > .popover { - display: none; -} -.dropdown-submenu.open > .dropdown-menu, -.dropdown-submenu.open > .popover { - display: block; -} - -/** nav-header **/ -.navbar-collapse {max-height: none !important;} -.nav-header { - display: block; - padding: 3px 15px; - font-size: 11px; - font-weight: bold; - line-height: 1.428571429; - color: #999999; - text-shadow: 0 1px 0 rgba(255, 255, 255, 0.5); - text-transform: uppercase; -} -.nav > li + .nav-header { - margin-top: 9px; -} - -/** table in panel **/ -.panel .panel-body > .table { - margin-bottom: 0px; -} - -/** thumbnail **/ -.thumbnail-panel.panel .panel-body { padding-bottom: 0px;} -.thumbnail-panel .thumbnail{margin-bottom: 15px;} -.thumbnail-panel .thumbnail:hover { background-color: #efefef; } -.thumbnail > h1 { margin: 0px; } -.thumbnail.warning { - background-color: #fcf8e3; - border-color: #fbeed5; -} -.thumbnail .action-select {position: absolute; top: 0px; left: 20px;} -.thumbnail .dropdown.related_menu {position: absolute; top: 0px; right: 20px;} - -/* panel single **/ -.panel-single { - margin: 50px auto 20px; - -webkit-border-radius: 5px; - -moz-border-radius: 5px; - border-radius: 5px; - -webkit-box-shadow: 0 0 40px rgba(0,0,0,.3); - -moz-box-shadow: 0 0 40px rgba(0,0,0,.3); - box-shadow: 0 0 40px rgba(0,0,0,.3); -} - -/* change list */ -form#changelist-form + .pagination { - margin-top: 0px; -} diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.mobile.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.mobile.css deleted file mode 100644 index 03246de..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.mobile.css +++ /dev/null @@ -1,106 +0,0 @@ -#body-content { - margin-top: 50px; - padding-top: 10px; -} -#top-nav, #footer, .breadcrumb { - display: none; -} - -#top-nav .breadcrumb { - margin-top: 20px; -} -#left-side { - min-height: 0px; - position: fixed; - padding: 0px; - top: 50px; - left: 0px; - right: 0px; - bottom: 0px; - background: #FFF; - z-index: 999; - overflow: auto; -} -#left-side .well { - border: 0px; -} -#changelist-form { - clear: both; -} -.navbar-brand { - max-width: 300px; -} - -.panel-content.nopadding { - margin: -15px; -} - -.panel-content.nopadding .table { - margin-bottom: 0; -} - -.col { - padding-right: 10px; - padding-left: 10px; -} -.row { - margin-right: -10px; - margin-left: -10px; -} - -.results { - width: 100%; - overflow-x: auto; -} - -.form-actions { - margin-bottom: 0px; - padding: 10px; - position:fixed; - bottom:0px; - z-index:295; - width: 100%; - margin-right: -10px; - margin-left: -10px; -} -.form-actions .more-btns input:first-child{ - margin-top: 10px; -} -.change-form #body-content { - padding-bottom: 60px; -} -.model_ul { - margin-left: 0px; - margin-right: 0px; -} - -.navbar-inverse .navbar-toggle{ - color: white; - top: 7px; - padding: 7px 12px; -} -.navbar.tools-navbar { - height: 50px; - margin-top: -10px; - text-align: right; -} -.navbar-btns .btn span{ - display: none; -} -.navbar-btns { - position: absolute; - top: 1px; - right: 10px; -} -.nav-back { - left: 10px; - right: auto; -} - -.layout-btns { - display: none; -} -.pagination.pagination-small{ - display: none; -} - diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.page.dashboard.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.page.dashboard.css deleted file mode 100644 index 5cbad78..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.page.dashboard.css +++ /dev/null @@ -1,50 +0,0 @@ - -.dashboard.container-fluid { - padding-left: 0px; -} -.dashboard .column{ - min-height: 60px; -} - -.widget { - position: relative; -} -.widget_options { - overflow: visible; - position: absolute; -} - -/* Quick Buttons -=================================================================== */ -.qbutton .panel-body { - padding-top: 5px; -} -.btn-quick { - margin-top: 10px; - padding: 20px 0px 0px 0px; - font-size: 15px; - display:block; - text-align: center; - cursor: pointer; - position: relative; -} -.btn-quick i { - font-size: 32px; -} - -/* Quick Buttons Small -=================================================================== */ - -.btn-quick-small { - border-radius: 3px; - padding: 15px 0px 0px 0px; - font-size: 10px; - display:block; - text-align: center; - cursor: pointer; - position: relative; -} - -.btn-quick-small i { - font-size: 20px; -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.aggregation.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.aggregation.css deleted file mode 100644 index 3a28909..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.aggregation.css +++ /dev/null @@ -1,6 +0,0 @@ -td.aggregate { - font-weight: bold; -} -td.aggregate span.aggregate_title { - float: right; -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.formset.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.formset.css deleted file mode 100644 index 60aa065..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.formset.css +++ /dev/null @@ -1,63 +0,0 @@ - -.empty-form { - display: none; -} -.formset:not(.one) > .panel-body { - padding-top: 0px !important; -} -.formset .row-deleted{ - background: #fff0f0 !important; -} -.formset .row-added { - background: #d1ffdd !important; -} -.formset .formset-heading{ - padding: 10px; - border-bottom: 1px solid #EEE; -} -.formset .row-deleted .formset-form { - display: none; -} -.formset .box-content.accordion { - margin: 0px; - padding: 5px 5px 3px; -} -.formset .formset-form { - padding-left: 15px; - padding-right: 15px; -} -.formset .accordion-heading .delete-row { - float: right; - margin: 8px; -} -.formset .nav{ - margin-bottom: 5px; -} -.formset .nav.nav-tabs{ - padding: 10px 10px 0px; -} -.formset .panel-body.tabs { - padding-left: 0px; - padding-right: 0px; -} -.formset .box-content.tabs{ - padding: 5px 0px 0px; -} -.formset .tabs .tab-content{ - overflow: hidden; -} -.formset .tabs .delete-row{ - float: right; - margin: 8px 8px; -} -.formset .table{ - margin-bottom: 0px; -} -.formset .table td{ - padding: 4px; -} - -.formset .table td .delete-row{ - margin-top: 4px; - display: block; -} diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.quickfilter.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.quickfilter.css deleted file mode 100644 index 9d55909..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugin.quickfilter.css +++ /dev/null @@ -1,17 +0,0 @@ -.nav-quickfilter .filter-item { - white-space: nowrap; - overflow: hidden; - padding: 5px; -} - -.nav-quickfilter .filter-col-1 { - margin: 3px 2px 0 -2px; - float: left; -} - -.nav-quickfilter .filter-col-2 { -} - -.nav-quickfilter .nav-expand { - z-index:100; -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugins.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugins.css deleted file mode 100644 index 324eba7..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.plugins.css +++ /dev/null @@ -1,12 +0,0 @@ -/** Action **/ -.action-checkbox-column { - width: 14px; -} - -/** quick-form **/ -.quick-form .modal-body { - padding-bottom: 0px; -} -.quick-form .modal-footer { - margin-top: 0px; -} \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.responsive.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.responsive.css deleted file mode 100644 index d6e5315..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.responsive.css +++ /dev/null @@ -1,248 +0,0 @@ - - -@media (min-width: 768px) and (max-width: 991px) { - ul.nav-sitemenu{ - padding: 0px; - } - ul.nav-sitemenu > li.app_menu>a{ - padding: 3px 0px; - margin: 0px; - text-align: center; - } - ul.nav-sitemenu .dropdown-menu{ - z-index: 1100; - } - ul.nav-sitemenu > li.app_menu>a:after{ - display: none; - } - ul.nav-sitemenu > li.app_menu>hr{ margin: 0px;} - ul.nav-sitemenu > li.app_menu>a>i.icon{ - font-size: 20px; - line-height: 1.7em; - } - ul.nav-sitemenu > li.app_menu li { - - } -} - -@media (min-width: 768px) { - #content-block:not(.full-content) { - padding-left: 5px; - } - .form-actions .more-btns{ - display: inline-block !important; - } - .form-actions .hidden-sm{ - display: inline-block !important; - } - .form-actions .col-1, - .form-actions .col-2, - .form-actions .col-3, - .form-actions .col-4, - .form-actions .col-5, - .form-actions .col-6, - .form-actions .col-7, - .form-actions .col-8, - .form-actions .col-9, - .form-actions .col-10, - .form-actions .col-11, - .form-actions .col-12 - { - width: auto !important; - } - - .quick-form .modal-dialog { - width: auto; - } - .detail-modal .modal-dialog { - width: 80%; - } -} - -@media (max-width: 767px) { -#body-content { - margin-top: 50px; - padding-top: 10px; -} -#body-content.show_menu{ - width: 100%; - overflow-x: hidden; -} -#footer, .breadcrumb { - display: none; -} -#top-nav .navbar-nav { - float: none; -} -#left-side { - min-height: 0px; - position: fixed; - top: 65px; - left: 0px; - bottom: 0px; - background: #FFF; - z-index: 999; - overflow: auto; - display: none; - width: 70%; -} -#body-content.show_menu #left-side { - display: block; -} -#body-content.show_menu #content-block{ - margin-left: 70%; - width: 100%; -} -#left-side .well { - border: 0px; -} -#changelist-form { - clear: both; -} -.popover.dropdown-menu form > .btn { - width: 100%; -} -.navbar .navbar-brand { - max-width: 260px; - white-space: nowrap; - text-overflow: ellipsis; - overflow: hidden; -} - -.panel-content.nopadding { - margin: -15px; -} - -.panel-content.nopadding .table { - margin-bottom: 0; -} - -.form-actions { - margin-bottom: 0px; - padding: 10px; - position:fixed; - bottom:0px; - z-index:295; - width: 100%; - margin-right: -15px; - margin-left: -15px; - border: 0px; - border-radius: 0px; -} -.form-actions .btn-group { - padding-left: 10px; - padding-right: 0px; -} -.form-actions .more-btns{ - clear: both; - overflow: hidden; -} -.form-actions .more-btns .btn:first-child{ -} -.form-actions .more-btns .btn, .form-actions .more-btns .btn-group { - display: block; - width: 100%; - padding-right: 0; - padding-left: 0; -} -.form-actions .more-btns .btn, -.form-actions .more-btns .btn-group { - margin-top: 5px; -} - -#body-content { - padding-bottom: 60px; -} -.model_ul { - margin-left: 0px; - margin-right: 0px; -} -.navbar.content-navbar { - position: fixed; - right: 0; - left: 0; - top: 0px; - z-index: 1030; - border-radius: 0; -} -.content-navbar .navbar-toggle{ - padding: 3px 10px; - font-size: 20px; - color: white; - width: auto; - height: auto; -} -.navbar-toggle.pull-left{ - margin-left: 15px; - margin-right: 0px; -} -.btn span{ - display: none; -} -.navbar-btn { - position: absolute; - top: 0px; - right: 10px; -} -.navbar-nav > .dropdown > .dropdown-menu{ - position: relative; - float: none; - max-height: 400px; - overflow: auto; -} -.navbar-nav > .dropdown > .dropdown-menu li>a{ - padding: 8px 20px; -} -.navbar-nav > .dropdown .dropdown-submenu > .dropdown-menu, -.navbar-nav > .dropdown .dropdown-submenu > .popover{ - position: relative; - top: 0px; - left: 0px; - margin: 10px; - float: none; -} -.navbar-nav .dropdown-submenu .popover { - max-width: none; -} -.navbar-nav .dropdown-submenu .popover .arrow { - display: none; -} - -.layout-btns { - display: none; -} -.pagination.pagination-small{ - display: none; -} - -/* search form */ -.input-group.search-group{ - max-width: none; - width: auto; -} - -} - -@media (max-width: 767px) { - .show-sm, .show-md, .show-lg, .hide-xs{ - display: none !important; - } -} - -@media (min-width: 768px) and (max-width: 991px) { - .show-xs, .show-md, .show-lg, .hide-sm{ - display: none !important; - } -} - -@media (min-width: 992px) and (max-width: 1199px) { - .show-xs, .show-sm, .show-lg, .hide-md{ - display: none !important; - } -} - -@media (min-width: 1200px) { - .show-xs, .show-sm, .show-md, .hide-lg{ - display: none !important; - } -} diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.editable.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.editable.css deleted file mode 100644 index 4eded86..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.editable.css +++ /dev/null @@ -1,63 +0,0 @@ -.editable-handler .popover{ - width: auto; -} -.editable .popover-title{ - white-space:nowrap; -} -.editable .popover-title .close { - margin: -4px 0px 0px 10px; -} -.editable form .btn-ajax{ - display: none; -} -.editable form .control-wrap{ - padding-right: 0px; -} -.editable form{ - margin-bottom: 0px; -} -.editable form .controls{ - margin: 0px; - padding: 0px !important; - border: 0px; -} -.editable form .form-group { - margin: 0px 0px 10px !important; -} -.editable form .control-label{ - display: none; -} -.editable form .controls label { - white-space:nowrap; -} - -@media (min-width: 768px) { -.editable form .text-field, -.editable form .textinput { - width: 200px; -} -.editable form .int-field { - width: 150px; -} -.editable form .textarea-field{ - width: 250px; - height: 50px; -} - -.editable form select, -.editable form .select2-container { - max-width: 200px; - min-width: 100px; - width: 100%; -} -} -@media (max-width: 767px) { - .popover.editpop{ - position: fixed; - top: 30px !important; - left: 10px !important; - right: 10px !important; - z-index: 1040; - max-width: none; - } -} diff --git a/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.select-transfer.css b/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.select-transfer.css deleted file mode 100644 index 46e60e7..0000000 --- a/pillbox-engine/xadmin/static/xadmin/css/xadmin.widget.select-transfer.css +++ /dev/null @@ -1,101 +0,0 @@ - -.selector { - position: relative; - float: left; - overflow: hidden; - width: 100%; -} -.selector-available, .selector-chosen { - float: left; - width: 45%; -} -.selector.stacked .selector-available, .selector.stacked .selector-chosen { - width: 756px; -} -.selector p.title { - padding: 7px 5px 0px 7px; - font-size: 14px; - line-height: 13px; - font-weight: bold; -} - -.selector .selector-filter { - width: 100%; -} -.selector .selector-available .selector-filter { -} -.selector .selector-chosen .selector-filter { -} -.selector.stacked .selector-filter input[type=text] { - width: 716px !important; - max-width: 716px !important; -} -.selector select[multiple=multiple] { - margin: 0; - padding-left: 3px; - width: 100%; - height: 200px; - display: block; - max-width: none !important; -} -.selector .selector-chosen select[multiple=multiple] { - height: 230px; -} -.selector.stacked select[multiple=multiple] { - width: 757px !important; - max-width: 757px !important; -} -.selector ul.selector-chooser { - float: left; - margin: 100px 2px 0; - padding: 0; - width: 31px; - list-style: none; -} -.selector ul.selector-chooser li { - margin-top: 10px; -} -.selector.stacked ul.selector-chooser { - margin: 4px 0 0 356px; - width: 36px; -} -.selector.stacked ul.selector-chooser li { - float: left; -} -a.selector-chooseall, a.selector-clearall { - display: block; - margin: 0; - padding: 2px 7px; - font-size: 11px; - line-height: 20px; - font-weight: bold; -} -.selector-available, .selector-chosen { - border: 1px solid #ddd; - border-radius: 5px; -moz-border-radius: 5px; -webkit-border-radius: 5px; - background: #eee; -} -.selector h3, .inline-group .selector h3, -.inline-related fieldset .selector-available h3, .inline-related fieldset .selector-chosen h3 { - border: 0; - border-bottom: 1px solid #d0d0d0; - background: transparent; -} -.selector select[multiple=multiple] { - border-left: 0; - border-top: 1px solid #d0d0d0; - border-bottom: 1px solid #d0d0d0; - border-radius: 0; -moz-border-radius: 0; -webkit-border-radius: 0; -} - -a.selector-chooseall, a.selector-clearall { - border-top: 1px solid #e4e4e4; -} - -.selector h3 + select { - border-top: 0; -} - -a.selector-chooseall, a.selector-clearall { - border-top: 1px solid #e4e4e4; -} diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.main.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.main.js deleted file mode 100644 index ef9371b..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.main.js +++ /dev/null @@ -1,108 +0,0 @@ -;(function($){ - - $.fn.exform = function(){ - this.each(function () { - var form = $(this); - for (var i = $.fn.exform.renders.length - 1; i >= 0; i--) { - $.fn.exform.renders[i](form) - }; - form.addClass('rended'); - }) - } - $.fn.exform.renders = []; - $(function() { - $('.exform:not(.rended)').exform(); - }); - - $.getCookie = function(name) { - var cookieValue = null; - if (document.cookie && document.cookie != '') { - var cookies = document.cookie.split(';'); - for (var i = 0; i < cookies.length; i++) { - var cookie = jQuery.trim(cookies[i]); - // Does this cookie string begin with the name we want? - if (cookie.substring(0, name.length + 1) == (name + '=')) { - cookieValue = decodeURIComponent(cookie.substring(name.length + 1)); - break; - } - } - } - return cookieValue; - } - - //dropdown submenu plugin - $(document) - .on('click.xa.dropdown.data-api touchstart.xa.dropdown.data-api', '.dropdown-submenu', function (e) { e.stopPropagation(); }) - .on('click.xa.dropdown.data-api', function(e){ - $('.dropdown-submenu.open').removeClass('open'); - }); - - if ('ontouchstart' in document.documentElement) { - $('.dropdown-submenu a').on('click.xa.dropdown.data-api', function(e){ - $(this).parent().toggleClass('open'); - }); - } else{ - $('.dropdown-submenu').on('click.xa.dropdown.data-api mouseover.xa.dropdown.data-api', function(e){ - $(this).parent().find('>.dropdown-submenu.open').removeClass('open'); - $(this).addClass('open'); - }); - } - - //toggle class button - $('body').on('click.xa.togglebtn.data-api', '[data-toggle=class]', function (e) { - var $this = $(this), href - var target = $this.attr('data-target') - || e.preventDefault() - || (href = $this.attr('href')) && href.replace(/.*(?=#[^\s]+$)/, '') //strip for ie7 - var className = $this.attr('data-class-name') - $(target).toggleClass(className) - }) - - // loading btn - // $('.btn.btn-loading,.btn[type=submit]') - // .click(function () { - // var btn = $(this) - // btn.button('loading') - // }) - - //.nav-content bar nav-menu - $('.navbar-xs .navbar-nav > li') - .on('shown.bs.dropdown', function(e){ - $(this).find('>.dropdown-menu').css('max-height', $(window).height()-120); - $(this).parent().find('>li').addClass('hidden-xs'); - $(this).removeClass('hidden-xs'); - }) - .on('hidden.bs.dropdown', function(e){ - $(this).parent().find('>li').removeClass('hidden-xs'); - }); - - // dashboard widget - $('.widget-form').each(function(e){ - var el = $(this); - el.find('.btn-remove').click(function(){ - el.find('input[name=_delete]').val('on'); - return true; - }); - }); - - // g-search - $('#g-search .dropdown-menu a').click(function(){ - $('#g-search').attr('action', $(this).data('action')).submit(); - }) - - // save settings - $.save_user_settings = function(key, value, success, error){ - var csrftoken = $.getCookie('csrftoken'); - $.ajax({ - type: 'POST', - url: window.__admin_path_prefix__ + 'settings/user', - data: {'key': key, 'value': value}, - success: success, - error: error, - beforeSend: function(xhr, settings) { - xhr.setRequestHeader("X-CSRFToken", csrftoken); - } - }); - } - -})(jQuery) \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.dashboard.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.dashboard.js deleted file mode 100644 index c901c9d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.dashboard.js +++ /dev/null @@ -1,78 +0,0 @@ -jQuery(function() { - $( ".btn-quick-form" ).click(function(){ - var btn = $(this), - form_url; - if(btn.is('a')){ - form_url = btn.attr('href'); - } - if(form_url == undefined){ - form_url = btn.data('form-url'); - } - if(!btn.data('form-modal')){ - var modal = $(''); - $('body').append(modal); - btn.data('form-modal', modal); - modal.find('.modal-body').load(form_url, function(form_html, status, xhr){ - var form = $(this).find('form'); - form.exform(); - modal.find('.btn-submit').click(function(){ - var csrftoken = $.getCookie('csrftoken'); - //clean form errors - form.find('.text-error,.help-inline.error').remove(); - form.find('.control-group').removeClass('error'); - $.ajax({ - type: 'POST', - url: form.attr('action'), - data: form.serialize(), - success: function(data){ - if(data['result'] != 'success' && data['errors']){ - var non_fields_errors = []; - for (var i = data['errors'].length - 1; i >= 0; i--) { - var e = data['errors'][i]; - var errdiv = form.find('#div_' + e['id']); - if(errdiv.length){ - errdiv.addClass('error'); - var err_html = []; - for (var i = e['errors'].length - 1; i >= 0; i--) { - err_html.push(''+e['errors'][i]+''); - }; - errdiv.find('.controls').append(err_html.join('\n')); - } else { - non_fields_errors = non_fields_errors.concat(e['errors']); - } - }; - if(non_fields_errors.length){ - var err_html = []; - for (var i = non_fields_errors.length - 1; i >= 0; i--) { - err_html.push('

    '+e['errors'][i]+'

    '); - }; - form.prepend(err_html.join('\n')); - } - } else { - btn.trigger('post-success'); - } - }, - dataType: 'json', - beforeSend: function(xhr, settings) { - xhr.setRequestHeader("X-CSRFToken", csrftoken); - } - }); - }) - }); - } - btn.data('form-modal').modal().css( - { - 'margin-top': function () { - return window.pageYOffset; - } - }); - return false; - }); - - $('.btn-quick-form').on('post-success', function(e){ - window.location.reload(); - }); -}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.form.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.form.js deleted file mode 100644 index 9fdb85f..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.form.js +++ /dev/null @@ -1,51 +0,0 @@ -;(function($){ - $(function() { - var action_bar = $('.form-actions'); - if(action_bar.length){ - var height=action_bar[0].offsetTop + action_bar.outerHeight(); - var onchange = function(){ - var s=(document.body.scrollTop||document.documentElement.scrollTop) + window.innerHeight; - if(s 0){ - var first_activated = false; - exform.find('.error').each(function(){ - if (!first_activated){ - var parent = $(this); - while (!(parent.html() == exform.html())){ - if (parent.hasClass('tab-pane')){ - parent.addClass('active'); - parent.siblings().removeClass('active'); - var menu_tab = $('a[href="#' + parent.attr('id') + '"]'); - menu_tab.parent().addClass('active'); - menu_tab.parent().siblings().removeClass('active'); - first_activated = true; - - } - if (parent.hasClass('box-content')){ - parent.show(); - } - parent = parent.parent(); - } - } - }); - } -})(jQuery) - diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.list.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.list.js deleted file mode 100644 index 4d8bd78..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.page.list.js +++ /dev/null @@ -1,29 +0,0 @@ -jQuery(function($){ - //full screen btn - $('.layout-btns .layout-full').click(function(e){ - var icon = $(this).find('i') - if($(this).hasClass('active')){ - // reset - $('#left-side, ul.breadcrumb').show('fast'); - $('#content-block').removeClass('col-md-12 col-sm-12 full-content').addClass('col-sm-11 col-md-10'); - icon.removeClass('fa-compress').addClass('fa-expand'); - $(window).trigger('resize'); - } else { - // full screen - $('#left-side, ul.breadcrumb').hide('fast', function(){ - $('#content-block').removeClass('col-sm-11 col-md-10').addClass('col-md-12 col-sm-12 full-content'); - icon.removeClass('fa-expand').addClass('fa-compress'); - $(window).trigger('resize'); - }); - } - }); - - $('.layout-btns .layout-normal').click(function(e){ - $('.results table').removeClass('table-condensed'); - }); - - $('.layout-btns .layout-condensed').click(function(e){ - $('.results table').addClass('table-condensed'); - }); - -}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.actions.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.actions.js deleted file mode 100644 index f307d0a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.actions.js +++ /dev/null @@ -1,118 +0,0 @@ -(function($) { - - $.fn.actions = function(opts) { - var options = $.extend({}, $.fn.actions.defaults, opts); - var actionCheckboxes = $(this); - - updateCounter = function() { - var sel = $(actionCheckboxes).filter(":checked").length; - - $(options.counterContainer).html(interpolate( - ngettext('%(sel)s of %(cnt)s selected', '%(sel)s of %(cnt)s selected', sel), { - sel: sel, - cnt: _actions_icnt - }, true)); - - if (sel == actionCheckboxes.length) { - showQuestion(); - $(options.allToggle).prop('checked', true); - } else { - clearAcross(); - $(options.allToggle).prop('checked', false); - } - } - showQuestion = function() { - $(options.acrossClears).hide(); - $(options.acrossQuestions).show(); - $(options.allContainer).hide(); - } - showClear = function() { - $(options.acrossClears).show(); - $(options.acrossQuestions).hide(); - $(options.allContainer).show(); - $(options.counterContainer).hide(); - } - reset = function() { - $(options.acrossClears).hide(); - $(options.acrossQuestions).hide(); - $(options.allContainer).hide(); - $(options.counterContainer).show(); - } - clearAcross = function() { - reset(); - $(options.acrossInput).val(0); - } - - // Show counter by default - $(options.counterContainer).show(); - $(options.allToggle).show().click(function() { - $(actionCheckboxes).trigger('checker', $(this).is(":checked")); - }); - - $("div.form-actions .question").click(function(event) { - event.preventDefault(); - $(options.acrossInput).val(1); - showClear(); - }); - $("div.form-actions .clear").click(function(event) { - event.preventDefault(); - $(options.allToggle).prop("checked", false); - $(actionCheckboxes).trigger('checker', false); - clearAcross(); - }); - - $(actionCheckboxes).bind('checker', function(e, checked){ - $(this).prop("checked", checked) - .parentsUntil('.grid-item').parent().toggleClass(options.selectedClass, checked); - updateCounter(); - }); - - lastChecked = null; - $(actionCheckboxes).click(function(event) { - if (!event) { var event = window.event; } - var target = event.target ? event.target : event.srcElement; - - if (lastChecked && $.data(lastChecked) != $.data(target) && event.shiftKey == true) { - var inrange = false; - $(lastChecked).trigger('checker', target.checked); - $(actionCheckboxes).each(function() { - if ($.data(this) == $.data(lastChecked) || $.data(this) == $.data(target)) { - inrange = (inrange) ? false : true; - } - if (inrange) { - $(this).trigger('checker', target.checked); - } - }); - } - - $(target).trigger('checker', target.checked); - lastChecked = target; - }); - - // Check state of checkboxes and reinit state if needed - $(this).filter(":checked").trigger('checker', true); - updateCounter(); - if ($(options.acrossInput).val() == 1) { - showClear(); - } - } - /* Setup plugin defaults */ - $.fn.actions.defaults = { - counterContainer: "div.form-actions .action-counter", - allContainer: "div.form-actions .all", - acrossInput: "div.form-actions #select-across", - acrossQuestions: "div.form-actions .question", - acrossClears: "div.form-actions .clear", - allToggle: "#action-toggle", - selectedClass: "warning" - } - - $.do_action = function(name){ - $('#action').val(name); - $('#changelist-form').submit(); - } - - $(document).ready(function($) { - $(".results input.action-select").actions(); - }); -})(jQuery); diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.batch.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.batch.js deleted file mode 100644 index 53d204a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.batch.js +++ /dev/null @@ -1,16 +0,0 @@ - -;(function($){ - - $('.batch-field-checkbox').bind('click', function(event){ - if (!event) { var event = window.event; } - var target = event.target ? event.target : event.srcElement; - - var wrap = $(this).parent().parent().find('.control-wrap'); - if(target.checked){ - wrap.show('fast'); - } else { - wrap.hide('fast'); - } - }); - -})(jQuery) \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.bookmark.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.bookmark.js deleted file mode 100644 index 8af6f0d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.bookmark.js +++ /dev/null @@ -1,17 +0,0 @@ -(function($) { - - $(function(){ - $('#bookmark_form').each(function(){ - var f = $(this); - f.submit(function(e){ - f.find('button[type=submit]').button('loading'); - $.post(f.attr('action'), f.serialize(), function(data){ - $('#bookmark-menu .add-bookmark').remove(); - $('#bookmark-menu').append('
  • '+ data.title +'
  • '); - }, 'json'); - return false; - }); - }); - }); - -})(jQuery); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.charts.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.charts.js deleted file mode 100644 index 66f18e0..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.charts.js +++ /dev/null @@ -1,58 +0,0 @@ -$(document).ready(function(){ - - function showTooltip(x, y, contents) { - $('
    ' + contents + '
    ').css( { - position: 'absolute', - display: 'none', - top: y + 5, - left: x + 5 - }).appendTo("body").fadeIn(200); - } - - $.fn.chart = function(){ - $(this).each(function(){ - var $chart = $(this); - - if($chart.data('chart-obj')) return; - - $chart.html(' Loading chart...'); - - $.getJSON($chart.data('chart-url'), function(data){ - var chart = $.plot($chart, data.data, data.option); - var previousPoint = null; - $chart.bind("plothover", function (event, pos, item) { - if (item) { - if (previousPoint != item.dataIndex) { - previousPoint = item.dataIndex; - - $("#chart-tooltip").remove(); - var x = item.series.xaxis.tickFormatter(item.datapoint[0], item.series.xaxis), - y = item.series.yaxis.tickFormatter(item.datapoint[1], item.series.yaxis); - if (item.series.xaxis.options.mode=="categories") { - x = item.series.data[item.dataIndex][0]; - } - if (item.series.yaxis.options.mode=="categories") { - y = item.series.data[item.dataIndex][1]; - } - showTooltip(item.pageX, item.pageY, - item.series.label + " :
    (" + x + " , " + y+")"); - } - } else { - $("#chart-tooltip").remove(); - previousPoint = null; - } - }); - $chart.data('chart-obj', chart); - }); - }) - } - - $('.chart-tab a').click(function(e){ - e.preventDefault(); - $(this).tab('show'); - - $($(this).attr('href')).chart(); - }); - $('.chart-tab a:first').click(); - $('.chart.init').chart(); -}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.details.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.details.js deleted file mode 100644 index 9bfa75d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.details.js +++ /dev/null @@ -1,56 +0,0 @@ -(function($){ - - var DetailsPop = function(element){ - this.$element = $(element); - this.res_uri = this.$element.data('res-uri'); - this.edit_uri = this.$element.data('edit-uri'); - this.obj_data = null; - - this.$element.on('click', $.proxy(this.click, this)); - }; - - DetailsPop.prototype = { - constructor: DetailsPop, - - click: function(e){ - e.stopPropagation(); - e.preventDefault(); - var modal = $('#detail-modal-id'); - var el = this.$element; - if(!modal.length){ - modal = $(''); - $('body').append(modal); - } - modal.find('.modal-title').html(el.attr('title')); - modal.find('.edit-btn').attr('href', this.edit_uri); - modal.find('.modal-body').html('

    '); - modal.find('.modal-body').load(this.res_uri + '?_format=html', function(response, status, xhr) { - if (status == "error") { - var msg = "Sorry but there was an error: "; - modal.find('.modal-body').html(msg + xhr.status + " " + (typeof xhr === 'string' ? xhr : xhr.responseText || xhr.statusText || 'Unknown error!')); - } - }); - modal.modal(); - } - }; - - $.fn.details = function () { - return this.each(function () { - var $this = $(this), data = $this.data('details'); - if (!data) { - $this.data('details', (data = new DetailsPop(this))); - } - }); - }; - - $(function(){ - $('.details-handler').details(); - }); - -})(jQuery); - - diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.editable.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.editable.js deleted file mode 100644 index 31cb89f..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.editable.js +++ /dev/null @@ -1,206 +0,0 @@ - -+function ($) { "use strict"; - - // POPOVER PUBLIC CLASS DEFINITION - // =============================== - - var Editpop = function (element, options) { - this.einit('editpop', element, options) - } - - Editpop.DEFAULTS = $.extend({} , $.fn.popover.Constructor.DEFAULTS, { - container: 'body' - , trigger: 'manual' - , placement: function(tip, el) { - var $tip = $(tip) - var $el = $(el) - - var tip_width = $tip.width(), - tip_height = $tip.height(), - el_width = $el.width(), - el_height = $el.height(), - client_width = document.body.clientWidth, - gap = 20 - - var top_gap = $el.offset().top - $("body").scrollTop() - 40, - left_gap = $el.offset().left - $("body").scrollLeft(), - right_gap = client_width - left_gap - el_width - - if(top_gap > tip_height + gap && left_gap > tip_width/2 + gap && right_gap > tip_width/2 + gap){ - return 'top' - } - if(top_gap > tip_height/2){ - if(right_gap > tip_width + gap){ - return 'right' - } else if(left_gap > tip_width + gap) { - return 'left' - } - } - return 'bottom' - } - , template: '

    ' - }) - - - // NOTE: POPOVER EXTENDS tooltip.js - // ================================ - - Editpop.prototype = $.extend({}, $.fn.popover.Constructor.prototype) - - Editpop.prototype.constructor = Editpop - - Editpop.prototype.einit = function (type, element, options) { - this.init(type, element, options) - this.content = null - this.$element.on('click.' + this.type, $.proxy(this.beforeToggle, this)) - - this.$text = this.$element.parent().parent().find('.editable-field') - this.field = this.$element.data('editable-field') - } - - Editpop.prototype.getDefaults = function () { - return Editpop.DEFAULTS - } - - Editpop.prototype.beforeToggle = function() { - var $el = this.$element - - if(this.content == null){ - var that = this - $el.find('>i').removeClass('fa fa-edit').addClass('fa-spinner fa-spin') - $.ajax({ - url: $el.data('editable-loadurl'), - success: function(content){ - $el.find('>i').removeClass('fa-spinner fa-spin').addClass('fa fa-edit') - that.content = content - that.toggle() - }, - dataType: 'html' - }) - } else { - this.toggle() - } - } - - Editpop.prototype.setContent = function () { - var $tip = this.tip() - var title = this.getTitle() - - $tip.find('.popover-title').html('' + title) - $tip.find('.popover-content').html(this.content) - - var $form = $tip.find('.popover-content > form') - $form.exform() - $form.submit($.proxy(this.submit, this)) - - this.$form = $form - this.$mask = $('

    ') - $tip.find('.popover-content').prepend(this.$mask) - - $tip.removeClass('fade top bottom left right in') - - //bind events - $tip.find('[data-dismiss=editpop]').on('click.' + this.type, $.proxy(this.leave, this, this)) - - var me = ((Math.random() * 10) + "").replace(/\D/g, '') - var click_event_ns = "click." + me + " touchstart." + me - var that = this - - // $('body').on(click_event_ns, function(e) { - // if ( !$tip.has(e.target).length ) { that.hide() } - // }) - - $(document).bind('keyup.editpop', function(e) { - if (e.keyCode == 27) { that.leave(that) } - return - }) - } - - Editpop.prototype.hasContent = function () { - return this.getTitle() || this.content - } - - Editpop.prototype.submit = function(e) { - e.stopPropagation() - e.preventDefault() - - $.when(this.save()) - .done($.proxy(function(data) { - this.$mask.hide() - if(data['result'] != 'success' && data['errors']){ - var err_html = [] - for (var i = data['errors'].length - 1; i >= 0; i--) { - var e = data['errors'][i] - for (var j = e['errors'].length - 1; j >= 0; j--) { - err_html.push(''+e['errors'][j]+'') - } - } - this.$form.find(".control-group").addClass('has-error') - this.$form.find('.controls').append(err_html.join('\n')) - } else { - this.$text.html(data['new_html'][this.field]) - this.hide() - } - }, this)) - .fail($.proxy(function(xhr) { - this.$mask.hide() - alert(typeof xhr === 'string' ? xhr : xhr.responseText || xhr.statusText || 'Unknown error!'); - }, this)) - } - - Editpop.prototype.save = function(newValue) { - this.$form.find('.control-group').removeClass('has-error') - this.$form.find('.controls .help-block.error').remove() - - this.$mask.show() - - var off_check_box = Object(); - this.$form.find('input[type=checkbox]').each(function(){ - if(!$(this).is(':checked')){ - off_check_box[$(this).attr('name')] = '' - } - }) - - return $.ajax({ - data: [this.$form.serialize(), $.param(off_check_box)].join('&'), - url: this.$form.attr('action'), - type: "POST", - dataType: 'json', - beforeSend: function(xhr, settings) { - xhr.setRequestHeader("X-CSRFToken", $.getCookie('csrftoken')) - } - }) - } - - // POPOVER PLUGIN DEFINITION - // ========================= - - var old = $.fn.editpop - - $.fn.editpop = function (option) { - return this.each(function () { - var $this = $(this) - var data = $this.data('bs.editpop') - var options = typeof option == 'object' && options - - if (!data) $this.data('bs.editpop', (data = new Editpop(this, options))) - if (typeof option == 'string') data[option]() - }) - } - - $.fn.editpop.Constructor = Editpop - - - // POPOVER NO CONFLICT - // =================== - - $.fn.editpop.noConflict = function () { - $.fn.editpop = old - return this - } - - $(function(){ - $('.editable-handler').editpop(); - }) - -}(window.jQuery); diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.filters.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.filters.js deleted file mode 100644 index fe29801..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.filters.js +++ /dev/null @@ -1,57 +0,0 @@ -(function($) { - - $(function(){ - - // filter - $('.filter-multiselect input[type=checkbox]').click(function(e){ - window.location.href = $(this).parent().attr('href'); - }); - - // menber filter - $('.filter-number .remove').click(function(e){ - $(this).parent().parent().find('input[type="number"]').val(''); - }); - - $('.filter-number .toggle').click(function(e){ - var new_name = $(this).hasClass('active') ? $(this).attr('data-off-name') : $(this).attr('data-on-name'); - $(this).parent().parent().find('input[type="number"]').attr('name', new_name); - }); - - $('#filter-menu form').submit(function(){ - $(this).find('input[type="text"],input[type="number"]').each(function(e){ - if(!$(this).val()) $(this).attr('name', ''); - }); - return true; - }); - - $('.menu-date-range form').each(function(){ - var el = $(this); - var start_date = el.find('.calendar.date-start').datepicker({format: $.date_local.dateJSFormat, language: 'xadmin'}); - var end_date = el.find('.calendar.date-end').datepicker({format: $.date_local.dateJSFormat, language: 'xadmin'}); - - var checkAvailable = function(){ - if(start_date.data('datepicker').getDate().valueOf() <= end_date.data('datepicker').getDate().valueOf()){ - el.find('button[type=submit]').removeAttr('disabled'); - } else { - el.find('button[type=submit]').attr('disabled', 'disabled'); - } - } - - start_date.on('changeDate', function(ev){ - var startdate = start_date.data('date'); - el.find('.start_input').val(startdate); - end_date.data('datepicker').setStartDate(startdate); - checkAvailable(); - }); - end_date.on('changeDate', function(ev){ - var enddate = end_date.data('date'); - el.find('.end_input').val(enddate); - start_date.data('datepicker').setEndDate(enddate); - checkAvailable(); - }); - - checkAvailable(); - }); - }); - -})(jQuery); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.formset.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.formset.js deleted file mode 100644 index 2f65e9c..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.formset.js +++ /dev/null @@ -1,139 +0,0 @@ -;(function($) { - $.fn.formset = function(opts){ - var $$ = $(this); - - var options = $.extend({ - prefix: $$.data('prefix') - }, $.fn.formset.styles[$$.data('style')], opts), - - updateElementIndex = function(elem, prefix, ndx) { - var idRegex = new RegExp(prefix + '-(\\d+|__prefix__)-'), - replacement = prefix + '-' + ndx + '-'; - if (elem.attr("for")) elem.attr("for", elem.attr("for").replace(idRegex, replacement)); - if (elem.attr('id')) elem.attr('id', elem.attr('id').replace(idRegex, replacement)); - if (elem.attr('name')) elem.attr('name', elem.attr('name').replace(idRegex, replacement)); - if (elem.attr('href')) elem.attr('href', elem.attr('href').replace(idRegex, replacement)); - elem.find('.formset-num').html(ndx + 1); - }, - - hasChildElements = function(row) { - return row.find('input,select,textarea,label,div,a').length > 0; - }, - - updateRowIndex = function(row, i){ - if (options.update) options.update(row, (function(elem){ - updateElementIndex(elem, options.prefix, i); - })); - updateElementIndex(row, options.prefix, i); - row.find('input,select,textarea,label,div,a').each(function() { - updateElementIndex($(this), options.prefix, i); - }); - row.data('row-index', i); - }, - - insertDeleteLink = function(row) { - row.find('a.delete-row').click(function() { - var row = $(this).parents(".formset-row"), - del = row.find('input[id $= "-DELETE"]'); - - if (options.removed) options.removed(row, del, $$); - - if (del.length) { - if(del.val() == 'on'){ - row.removeClass('row-deleted'); - } else { - row.addClass('row-deleted'); - } - del.val(del.val() == 'on'?'':'on'); - } else { - var parent = row.parent(); - row.remove(); - var forms = parent.find('.formset-row'); - $('#id_' + options.prefix + '-TOTAL_FORMS').val(forms.length); - for (var i=0, formCount=forms.length; i#'+ (row.data('row-index') + 1) +''); - $$.parent().find('.nav-tabs').append(new_tab); - new_tab.find('a').tab('show'); - }, - update: function(row, update){ - var rowId = row.attr('id'); - if(rowId){ - $('a[href=#'+rowId+']').each(function(){ - update($(this)); - }) - } - }, - removed: function(row, del, $$){ - var rowId = row.attr('id'); - if(rowId){ - var tab = $('a[href=#'+rowId+']'); - if (del.length) { - if(del.val() == 'on'){ - tab.removeClass('row-deleted'); - } else { - tab.addClass('row-deleted'); - } - } else { - if(tab.parent().next().length){ - tab.parent().next().find('a').tab('show'); - } else { - tab.parent().prev().find('a').tab('show'); - } - tab.parent().remove(); - } - } - } - } - } - - $(function(){ - $('.formset-content').each(function(){ - $(this).formset(); - }); - }); -})(jQuery) \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.portal.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.portal.js deleted file mode 100644 index 18d04bd..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.portal.js +++ /dev/null @@ -1,30 +0,0 @@ -jQuery(function() { - $( ".column" ).sortable({ - connectWith: ".column", - handle: '.panel-heading', - forcePlaceholderSize: true, - cursor: "move", - cancel: ".unsort, .tab-content", - stop: function( event, ui ) { - var pos = []; - $('.column').each(function(){ - var col = []; - $(this).find('.panel').each(function(){ - col.push($(this).attr('id')); - }); - pos.push(col.join(',')); - }); - var pos_val = pos.join('|'); - var key = $('#_portal_key').val(); - $.save_user_settings(key, pos_val, function(){ - //alert('success'); - }); - } - }); - - $( ".panel-heading .icon.chevron" ).click(function() { - $( this ).toggleClass( "fa fa-chevron-up" ).toggleClass( "fa fa-chevron-down" ); - $( this ).parents( ".panel:first" ).find( ".panel-body" ).toggle('fast'); - }); - -}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quick-form.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quick-form.js deleted file mode 100644 index 779300d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quick-form.js +++ /dev/null @@ -1,231 +0,0 @@ - -;(function($){ - - $('form.widget-form').on('post-success', function(e, data){ - $(this).data('ajaxform').clean() - $('.alert-success #change-link').attr('href', data['change_url']) - $('.alert-success').show() - }) - - var AjaxForm = function(element, options) { - var that = this - - this.$form = $(element) - this.ainit() - } - - AjaxForm.prototype = { - - constructor: AjaxForm - - , ainit: function(){ - this.$mask = $('

    ') - - this.$form.prepend(this.$mask) - this.$form.submit($.proxy(this.submit, this)) - - this.$form.find('input, select, textarea').each(function(){ - var el = $(this) - if (el.is("[type=checkbox]")) { - el.data('init-value', el.attr('checked')) - } else if (el.is("select")) { - el.data('init-value', el[0].selectedIndex) - } else { - el.data('init-value', el.val()) - } - }) - } - - , clean: function(){ - this.$form.find('input, select, textarea').each(function(){ - var el = $(this) - if (el.is("[type=checkbox]")) { - el.removeAttr('checked') - } else if (el.is("select")) { - el[0].selectedIndex = el.data('init-value')||0 - } else { - el.val(el.data('init-value')||'') - } - el.change() - }) - } - - , submit: function(e) { - e.stopPropagation(); - e.preventDefault(); - - $.when(this.save()) - .done($.proxy(function(data) { - this.$mask.hide(); - - this.$form.find('submit, button[type=submit], input[type=submit]').removeClass('disabled'); - this.$form.find('.alert-success').hide() - - if(data['result'] != 'success' && data['errors']){ - var non_fields_errors = [] - for (var i = data['errors'].length - 1; i >= 0; i--) { - var e = data['errors'][i] - var errdiv = this.$form.find('#div_' + e['id']) - if(errdiv.length){ - errdiv.addClass('has-error') - var err_html = [] - for (var j = e['errors'].length - 1; j >= 0; j--) { - err_html.push(''+e['errors'][j]+'') - } - errdiv.find('.controls').append(err_html.join('\n')) - } else { - non_fields_errors = non_fields_errors.concat(e['errors']) - } - } - if(non_fields_errors.length){ - var err_html = [] - for (var i = non_fields_errors.length - 1; i >= 0; i--) { - err_html.push('

    '+e['errors'][i]+'

    ') - } - this.$form.prepend(err_html.join('\n')) - } - } else { - this.$form.trigger('post-success', data); - } - }, this)) - .fail($.proxy(function(xhr) { - this.$mask.hide(); - alert(typeof xhr === 'string' ? xhr : xhr.responseText || xhr.statusText || 'Unknown error!'); - }, this)); - } - , save: function(newValue) { - - this.$form.find('.text-error, .help-inline.error').remove(); - this.$form.find('.control-group').removeClass('error'); - - this.$mask.show(); - this.$form.find('submit, button[type=submit], input[type=submit]').addClass('disabled'); - - var off_check_box = Object(); - // this.$form.find('input[type=checkbox]').each(function(){ - // if(!$(this).attr('checked')){ - // off_check_box[$(this).attr('name')] = ''; - // } - // }) - - return $.ajax({ - data: [this.$form.serialize(), $.param(off_check_box)].join('&'), - url: this.$form.attr('action'), - type: "POST", - dataType: 'json', - beforeSend: function(xhr, settings) { - xhr.setRequestHeader("X-CSRFToken", $.getCookie('csrftoken')); - } - }) - }, - } - - $.fn.ajaxform = function ( option ) { - var args = Array.apply(null, arguments); - args.shift(); - return this.each(function () { - var $this = $(this), - data = $this.data('ajaxform'), - options = typeof option == 'object' && option; - if (!data) { - $this.data('ajaxform', (data = new AjaxForm(this))); - } - }); - }; - - $.fn.ajaxform.Constructor = AjaxForm - - $.fn.exform.renders.push(function(f){ - if (f.is('.quick-form')) { - f.ajaxform() - } - }) - - var QuickAddBtn = function(element, options) { - var that = this; - - this.$btn = $(element) - this.add_url = this.$btn.attr('href') - this.$for_input = $('#' + this.$btn.data('for-id')) - this.$for_wrap = $('#' + this.$btn.data('for-id') + '_wrap_container') - this.refresh_url = this.$btn.data('refresh-url') - this.rendered_form = false - - this.binit(element, options); - } - - QuickAddBtn.prototype = { - - constructor: QuickAddBtn - - , binit: function(element, options){ - this.$btn.click($.proxy(this.click, this)) - } - , click: function(e) { - e.stopPropagation() - e.preventDefault() - - if(!this.modal){ - var modal = $('') - $('body').append(modal) - - var self = this - modal.find('.modal-body').html('

    ') - modal.find('.modal-body').load(this.add_url, function(form_html, status, xhr){ - var form = $(this).find('form') - form.addClass('quick-form') - form.on('post-success', $.proxy(self.post, self)) - form.exform() - - modal.find('.modal-footer').show() - modal.find('.btn-submit').click(function(){form.submit()}) - - self.$form = form - }) - this.modal = modal - } - this.modal.modal(); - - return false - } - , post: function(e, data){ - this.$form.data('ajaxform').clean(); - var wrap = this.$for_wrap; - var input = this.$for_input; - var selected = [data['obj_id']]; - if (input.attr('multiple')){ - var opt = 'option'; - if (input.hasClass('selectdropdown') || input.hasClass('select-multi')){ - opt = 'option:selected'; - } - selected.push($.map(input.find(opt) ,function(opt) { return opt.value; })); - } - $.get(this.refresh_url + selected.join() ,function(form_html, status, xhr){ - wrap.html($('' + form_html + '').find('#' + wrap.attr('id')).html()); - wrap.exform(); - }); - this.modal.modal('hide'); - } - - } - - $.fn.ajax_addbtn = function ( option ) { - return this.each(function () { - var $this = $(this), data = $this.data('ajax_addbtn'); - if (!data) { - $this.data('ajax_addbtn', (data = new QuickAddBtn(this))); - } - }); - }; - - $.fn.ajax_addbtn.Constructor = QuickAddBtn - - $.fn.exform.renders.push(function(f){ - f.find('a.btn-ajax').ajax_addbtn() - }) - -})(jQuery) diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quickfilter.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quickfilter.js deleted file mode 100644 index 6caaf79..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.quickfilter.js +++ /dev/null @@ -1,49 +0,0 @@ -;(function($){ - $('[data-toggle=tooltip]').tooltip(); - var max=10; - - function addShowMore($,v){ - $(v).nextUntil('li.nav-header').last().after( - $('
  • Show more
  • ').click(function(e){ - e.preventDefault(); - e.stopPropagation(); - $(v).nextUntil('li.nav-header').show(); - $(v).nextUntil('li.nav-header').last().remove(); - addShowLess($,v); - }) - ); - $(v).nextUntil('li.nav-header').last().show(); - } - - function addShowLess($,v){ - $(v).nextUntil('li.nav-header').last().after( - $('
  • Show less
  • ').click(function(e){ - e.preventDefault(); - e.stopPropagation(); - $(v).nextUntil('li.nav-header').filter(function(i){return !$(this).find('input').is(':checked');}).slice(max).hide(); - $(v).nextUntil('li.nav-header').last().remove(); - $(v).scrollMinimal(3000); - addShowMore($,v); - }) - ); - $(v).nextUntil('li.nav-header').last().show(); - } - - $.each($('.nav-quickfilter li.nav-header'),function(i,v){ - if ($(v).nextUntil('li.nav-header').size()>max) { - $(v).nextUntil('li.nav-header').filter(function(i){return !$(this).find('input').is(':checked');}).slice(max).hide(); - addShowMore($,v); - } - }); - - $('.nav-quickfilter li.nav-header').on('click',function(e) { - e.preventDefault(); - e.stopPropagation(); - $('.nav-quickfilter li.nav-header i').toggleClass('icon-chevron-right'); - $('.nav-quickfilter li.nav-header i').toggleClass('icon-chevron-left'); - $('#left-side').toggleClass('col-md-2'); - $('#left-side').toggleClass('col-md-4'); - $('#content-block').toggleClass('col-md-10'); - $('#content-block').toggleClass('col-md-8'); - }); -})(jQuery) \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.refresh.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.refresh.js deleted file mode 100644 index 0b0a19f..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.refresh.js +++ /dev/null @@ -1,22 +0,0 @@ -(function($) { - - $.dofresh = function(){ - var refresh_el = $('#refresh_time'); - var time = parseInt(refresh_el.text()); - if(time == 1){ - refresh_el.text(0); - window.location.reload(); - } else { - refresh_el.text(time-1); - setTimeout("$.dofresh()",1000) - } - }; - - $(function(){ - var refresh_el = $('#refresh_time'); - if(refresh_el){ - setTimeout("$.dofresh()",1000) - } - }); - -})(jQuery); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.revision.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.revision.js deleted file mode 100644 index 4ff6a37..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.revision.js +++ /dev/null @@ -1,28 +0,0 @@ -jQuery(function($){ - $('.diff_field').each(function(){ - var el = $(this); - var textarea = el.find('textarea.org-data'); - var title = el.data('org-data') || el.attr('title'); - if(textarea.length){ - title = textarea.val(); - } - el.find('.controls').tooltip({ - title: title, - html: true - }) - }); - - $('.formset-content .formset-row').each(function(){ - var row = $(this); - var del = row.find('input[id $= "-DELETE"]'); - if(del.val() == 'on' || del.val() == 'True'){ - row.addClass('row-deleted'); - del.val('on'); - } - var idinput = row.find('input[id $= "-id"]'); - if(idinput.val() == '' || idinput.val() == undefined){ - row.addClass('row-added'); - row.find('.formset-num').html(gettext('New Item')); - } - }); -}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.sortable.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.sortable.js deleted file mode 100644 index a89d036..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.sortable.js +++ /dev/null @@ -1,16 +0,0 @@ -(function($) { - - $(function(){ - $(".results table tbody").sortable({ - axis: 'y', - items: 'tr', - //handle: 'a.sort_hand', - cursor: 'move', - opacity: 0.8, - stop: function(event, ui) { - //alert(0); - } - }); - }); - -})(jQuery); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.themes.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.themes.js deleted file mode 100644 index fcd7158..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.plugin.themes.js +++ /dev/null @@ -1,95 +0,0 @@ -(function($) { - - $.setCookie = function(name, value, options){ - options = options || {}; - if (value === null) { - value = ''; - options.expires = -1; - } - var expires = ''; - if (options.expires && (typeof options.expires == 'number' || options.expires.toUTCString)) { - var date; - if (typeof options.expires == 'number') { - date = new Date(); - date.setTime(date.getTime() + (options.expires * 24 * 60 * 60 * 1000)); - } else { - date = options.expires; - } - expires = '; expires=' + date.toUTCString(); // use expires attribute, max-age is not supported by IE - } - var path = options.path ? '; path=' + options.path : ''; - var domain = options.domain ? '; domain=' + options.domain : ''; - var secure = options.secure ? '; secure' : ''; - document.cookie = [name, '=', encodeURIComponent(value), expires, path, domain, secure].join(''); - } - - $(function(){ - var top_nav = $('#top-nav'); - $('#body-content').css('margin-top', (top_nav.height() + 15) + 'px'); - - if($("#g-theme-menu")){ - $('#g-theme-menu li>a').click(function(){ - var $el = $(this); - var themeHref = $el.data('css-href'); - - var topmenu = $('#top-nav .navbar-collapse'); - if(topmenu.data('bs.collapse')) topmenu.collapse('hide'); - - var modal = $(''); - $('body').append(modal); - - modal.on('shown.bs.modal', function(){ - $.save_user_settings("site-theme", themeHref, function(){ - $.setCookie('_theme', themeHref); - - var iframe = document.createElement("IFRAME"); - iframe.style.display = 'none'; - document.body.appendChild(iframe); - - modal.on('hidden', function(e){ - if(iframe){ - $(iframe).unbind('load'); - iframe.parentNode.removeChild(iframe); - iframe = null; - } - modal.remove(); - }); - - $(iframe).load(function () { - $('#site-theme').attr('href', themeHref); - - setTimeout(function(){ - var nav_height = $('#top-nav').height(); - $('#body-content').animate({'margin-top': (nav_height + 15)}, 500, 'easeOutBounce'); - }, 500); - - modal.modal('hide'); - iframe.parentNode.removeChild(iframe); - iframe = null; - }) - - var ifmDoc = iframe.contentDocument || iframe.contentWindow.document; - ifmDoc.open(); - ifmDoc.write(''); - ifmDoc.write(''); - ifmDoc.write(''); - ifmDoc.close(); - - - $('#g-theme-menu li').removeClass('active'); - $el.parent().addClass('active'); - }); - }) - - modal.modal().css( - { - 'margin-top': function () { - return window.pageYOffset; - } - }); - }) - } - }); - -})(jQuery); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.responsive.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.responsive.js deleted file mode 100644 index 5478467..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.responsive.js +++ /dev/null @@ -1,132 +0,0 @@ -/* include breakpoints.js - Breakpoints.js - version 1.0 - - Creates handy events for your responsive design breakpoints - - Copyright 2011 XOXCO, Inc - http://xoxco.com/ - - Documentation for this plugin lives here: - http://xoxco.com/projects/code/breakpoints - - Licensed under the MIT license: - http://www.opensource.org/licenses/mit-license.php - -*/ -(function($) { - - var lastSize = 0; - var interval = null; - - $.fn.resetBreakpoints = function() { - $(window).unbind('resize'); - if (interval) { - clearInterval(interval); - } - lastSize = 0; - }; - - $.fn.setBreakpoints = function(settings) { - var options = jQuery.extend({ - distinct: true, - breakpoints: new Array(320,480,768,1024) - },settings); - - - interval = setInterval(function() { - - var w = $(window).width(); - var done = false; - - for (var bp in options.breakpoints.sort(function(a,b) { return (b-a) })) { - - // fire onEnter when a browser expands into a new breakpoint - // if in distinct mode, remove all other breakpoints first. - if (!done && w >= options.breakpoints[bp] && lastSize < options.breakpoints[bp]) { - if (options.distinct) { - for (var x in options.breakpoints.sort(function(a,b) { return (b-a) })) { - if ($('body').hasClass('breakpoint-' + options.breakpoints[x])) { - $('body').removeClass('breakpoint-' + options.breakpoints[x]); - $(window).trigger('exitBreakpoint' + options.breakpoints[x]); - } - } - done = true; - } - $('body').addClass('breakpoint-' + options.breakpoints[bp]); - $(window).trigger('enterBreakpoint' + options.breakpoints[bp]); - - } - - // fire onExit when browser contracts out of a larger breakpoint - if (w < options.breakpoints[bp] && lastSize >= options.breakpoints[bp]) { - $('body').removeClass('breakpoint-' + options.breakpoints[bp]); - $(window).trigger('exitBreakpoint' + options.breakpoints[bp]); - - } - - // if in distinct mode, fire onEnter when browser contracts into a smaller breakpoint - if ( - options.distinct && // only one breakpoint at a time - w >= options.breakpoints[bp] && // and we are in this one - w < options.breakpoints[bp-1] && // and smaller than the bigger one - lastSize > w && // and we contracted - lastSize >0 && // and this is not the first time - !$('body').hasClass('breakpoint-' + options.breakpoints[bp]) // and we aren't already in this breakpoint - ) { - $('body').addClass('breakpoint-' + options.breakpoints[bp]); - $(window).trigger('enterBreakpoint' + options.breakpoints[bp]); - - } - } - - // set up for next call - if (lastSize != w) { - lastSize = w; - } - },250); - }; - - var enterPhone = function(){ - $('.content-navbar .navbar-brand').html("sm-" + $(window).width()); - } - - var exitPhone = function(){ - $('.content-navbar .navbar-brand').html("lg-" + $(window).width()); - } - - $(function(){ - $(window).bind('enterBreakpoint768',function() { - enterPhone(); - }); - $(window).bind('exitBreakpoint768',function() { - exitPhone(); - }); - //$(window).setBreakpoints(); - var lastMode = 'lg'; - $(window).bind('resize', function(e){ - var width = $(window).width(); - var mode = 'lg'; - if(width < 768){ mode = 'xs'; } - else if(width < 992){ mode = 'sm'; } - else if(width < 1200){ mode = 'md'; } - if(lastMode != mode){ - $('[data-toggle=breakpoint]').each(function(){ - if(newClass = $(this).data('class-' + mode)){ - $(this)[0].className = newClass; - } else { - $(this)[0].className = $(this).data('class-org'); - } - }) - lastMode = mode; - } - }); - $('[data-toggle=breakpoint]').each(function(){ - $(this).data('class-org', $(this)[0].className); - }) - $(window).trigger('resize'); - }) - -})(jQuery); - - diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.datetime.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.datetime.js deleted file mode 100644 index 1ce9d7c..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.datetime.js +++ /dev/null @@ -1,75 +0,0 @@ -;(function($){ - $.convert_format = function(format){ - var fields = { - d: 'dd', - H: 'hh', - I: "HH", - m: 'mm', - M: 'MM', - p: 'PM/AM', - S: 'ss', - w: 'w', - y: 'yy', - Y: 'yyyy', - '%' : '%' - }; - var result = '', i = 0; - while (i < format.length) { - if (format.charAt(i) === '%') { - if(f = fields[format.charAt(i + 1)]){ - result = result + f; - } - ++i; - } else { - result = result + format.charAt(i); - } - ++i; - } - return result; - } - - $.date_local = { - days: gettext("Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday").split(' '), - daysShort: gettext("Sun Mon Tue Wed Thu Fri Sat Sun").split(' '), - daysMin: gettext("Su Mo Tu We Th Fr Sa Su").split(' '), - months: gettext('January February March April May June July August September October November December').split(' '), - monthsShort: gettext("Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec").split(' '), - today: gettext("Today"), - date_string: gettext('%a %d %b %Y %T %Z'), - ampm: gettext("AM PM").split(' '), - ampmLower: gettext("am pm").split(' '), - dateFormat: get_format('DATE_INPUT_FORMATS')[0], - dateJSFormat: $.convert_format(get_format('DATE_INPUT_FORMATS')[0]), - timeRepr: gettext('%T') - } - - $.fn.datepicker.dates['xadmin'] = $.date_local; - - $.fn.exform.renders.push(function(f){ - f.find('.input-group.date input').each(function(e){ - var dp = $(this).datepicker({format: $.date_local.dateJSFormat, language: 'xadmin', todayBtn: "linked", autoclose: true}) - .data('datepicker'); - $(this).parent().find('button').click(function(e){ - dp.update(new Date()); - }) - }) - if($.fn.timepicker){ - f.find('.input-group.time').each(function(e){ - var el = $(this).find('input'); - var value = el.val(); - var tp = el.timepicker({ - minuteStep: 1, - showSeconds: true, - showMeridian: false, - defaultTime: false - }).data('timepicker'); - $(this).find('button').click(function(e){ - tp.$element.val(""); - tp.setDefaultTime('current'); - tp.update(); - }) - }) - } - }); - -})(jQuery) diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.multiselect.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.multiselect.js deleted file mode 100644 index 3e7d88e..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.multiselect.js +++ /dev/null @@ -1,12 +0,0 @@ - -;(function($){ - - $.fn.exform.renders.push(function(f){ - if($.fn.multiselect){ - f.find('.selectmultiple.selectdropdown').multiselect({ - - }); - } - }); - -})(jQuery) \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select-transfer.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select-transfer.js deleted file mode 100644 index 0741600..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select-transfer.js +++ /dev/null @@ -1,241 +0,0 @@ - -;(function($){ - - var SelectBox = function(element, options) { - var that = this; - - this.el = $(element); - var el = this.el; - - this.filter_input = el.find('.selector-filter input'); - this.from_box = el.find('.selector-available select'); - this.to_box = el.find('.selector-chosen select'); - - var findForm = function(node) { - if (node.tagName.toLowerCase() != 'form') { - return findForm(node.parentNode); - } - return node; - } - this.form = $(findForm(element)); - - // link - this.btn_add_all = el.find(".btn.selector-chooseall"); - this.btn_remove_all = el.find(".btn.selector-clearall"); - this.btn_add = el.find(".btn.selector-add"); - this.btn_remove = el.find(".btn.selector-remove"); - - // setup event - this.filter_input.keyup($.proxy(this.filter_key_up, this)); - this.filter_input.keydown($.proxy(this.filter_key_down, this)); - - this.from_box.on('change', $.proxy(this.refresh_icons, this)); - this.to_box.on('change', $.proxy(this.refresh_icons, this)); - - this.from_box.on('dblclick', $.proxy(this.move, this)); - this.to_box.on('dblclick', $.proxy(this.remove, this)); - - this.btn_add.on('click', $.proxy(this.move, this)); - this.btn_remove.on('click', $.proxy(this.remove, this)); - - this.btn_add_all.on('click', $.proxy(this.move_all, this)); - this.btn_remove_all.on('click', $.proxy(this.remove_all, this)); - - this.form.submit($.proxy(this.select_all, this)); - - // init cache - var from_cache = new Array(); - for (var i = 0; (node = this.from_box[0].options[i]); i++) { - from_cache.push({value: node.value, text: node.text, displayed: 1}); - } - this.from_box.data('cache', from_cache); - - var to_cache = new Array(); - for (var i = 0; (node = this.to_box[0].options[i]); i++) { - to_cache.push({value: node.value, text: node.text, displayed: 1}); - } - this.to_box.data('cache', to_cache); - - this.refresh_icons(); - } - - SelectBox.prototype = { - constructor: SelectBox, - redisplay : function(box){ - var select = box[0]; - var cache = box.data('cache'); - select.options.length = 0; // clear all options - for (var i = 0, j = cache.length; i < j; i++) { - var node = cache[i]; - if (node.displayed) { - select.options[select.options.length] = new Option(node.text, node.value, false, false); - } - } - }, - filter: function(text) { - // Redisplay the HTML select box, displaying only the choices containing ALL - // the words in text. (It's an AND search.) - var tokens = text.toLowerCase().split(/\s+/); - var node, token; - for (var i = 0; (node = this.from_box.data('cache')[i]); i++) { - node.displayed = 1; - for (var j = 0; (token = tokens[j]); j++) { - if (node.text.toLowerCase().indexOf(token) == -1) { - node.displayed = 0; - } - } - } - this.redisplay(this.from_box); - }, - remove: function(){ - this.trans(this.to_box, this.from_box); - }, - move: function(){ - this.trans(this.from_box, this.to_box); - }, - delete_from_cache: function(box, value) { - var node, delete_index = null; - var cache = box.data('cache'); - for (var i = 0; (node = cache[i]); i++) { - if (node.value == value) { - delete_index = i; - break; - } - } - var j = cache.length - 1; - for (var i = delete_index; i < j; i++) { - cache[i] = cache[i+1]; - } - cache.length--; - }, - add_to_cache: function(box, option) { - box.data('cache').push({value: option.value, text: option.text, displayed: 1}); - }, - cache_contains: function(box, value) { - // Check if an item is contained in the cache - var node; - for (var i = 0; (node = box.data('cache')[i]); i++) { - if (node.value == value) { - return true; - } - } - return false; - }, - trans: function(from, to){ - for (var i = 0; (option = from[0].options[i]); i++) { - if (option.selected && this.cache_contains(from, option.value)) { - this.add_to_cache(to, {value: option.value, text: option.text, displayed: 1}); - this.delete_from_cache(from, option.value); - } - } - this.redisplay(from); - this.redisplay(to); - - this.refresh_icons(); - }, - move_all : function(){ - this.trans_all(this.from_box, this.to_box); - }, - remove_all: function(){ - this.trans_all(this.to_box, this.from_box); - }, - trans_all: function(from, to) { - var option; - for (var i = 0; (option = from[0].options[i]); i++) { - if (this.cache_contains(from, option.value)) { - this.add_to_cache(to, {value: option.value, text: option.text, displayed: 1}); - this.delete_from_cache(from, option.value); - } - } - this.redisplay(from); - this.redisplay(to); - - this.refresh_icons(); - }, - sort: function(box) { - box.data('cache').sort( function(a, b) { - a = a.text.toLowerCase(); - b = b.text.toLowerCase(); - try { - if (a > b) return 1; - if (a < b) return -1; - } - catch (e) { - // silently fail on IE 'unknown' exception - } - return 0; - } ); - }, - select_all: function() { - var box = this.to_box[0]; - for (var i = 0; i < box.options.length; i++) { - box.options[i].selected = 'selected'; - } - }, - refresh_icons: function() { - var is_from_selected = this.from_box.find('option:selected').length > 0; - var is_to_selected = this.to_box.find('option:selected').length > 0; - // Active if at least one item is selected - this.btn_add.toggleClass('disabled', !is_from_selected); - this.btn_remove.toggleClass('disabled', !is_to_selected); - // Active if the corresponding box isn't empty - this.btn_add_all.toggleClass('disabled', this.from_box.find('option').length == 0); - this.btn_remove_all.toggleClass('disabled', this.to_box.find('option').length == 0); - }, - filter_key_up: function(event) { - var from = this.from_box[0]; - // don't submit form if user pressed Enter - if ((event.which && event.which == 13) || (event.keyCode && event.keyCode == 13)) { - var temp = from.selectedIndex; - this.move(); - from.selectedIndex = temp; - return false; - } - var temp = from.selectedIndex; - this.filter(this.filter_input.val()); - from.selectedIndex = temp; - return true; - }, - filter_key_down: function(event) { - var from = this.from_box[0]; - if ((event.which && event.which == 13) || (event.keyCode && event.keyCode == 13)) { - return false; - } - // right arrow -- move across - if ((event.which && event.which == 39) || (event.keyCode && event.keyCode == 39)) { - var old_index = from.selectedIndex; - this.move(); - from.selectedIndex = (old_index == from.length) ? from.length - 1 : old_index; - return false; - } - // down arrow -- wrap around - if ((event.which && event.which == 40) || (event.keyCode && event.keyCode == 40)) { - from.selectedIndex = (from.length == from.selectedIndex + 1) ? 0 : from.selectedIndex + 1; - } - // up arrow -- wrap around - if ((event.which && event.which == 38) || (event.keyCode && event.keyCode == 38)) { - from.selectedIndex = (from.selectedIndex == 0) ? from.length - 1 : from.selectedIndex - 1; - } - return true; - } - - } - - $.fn.select_transfer = function ( option ) { - var args = Array.apply(null, arguments); - args.shift(); - return this.each(function () { - var $this = $(this), - data = $this.data('transfer'), - options = typeof option == 'object' && option; - if (!data) { - $this.data('transfer', (data = new SelectBox(this))); - } - }); - }; - - $.fn.exform.renders.push(function(f){ - f.find('.select-transfer').select_transfer(); - }); - -})(jQuery) diff --git a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select.js b/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select.js deleted file mode 100644 index 669b33d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/js/xadmin.widget.select.js +++ /dev/null @@ -1,64 +0,0 @@ -;(function($){ - // add select2 render - if(!window.__admin_ismobile__){ - $.fn.exform.renders.push(function(f){ - if($.fn.selectize){ - f.find('select:not(.select-search):not([multiple=multiple])').selectize(); - f.find('.select-search').each(function(){ - var $el = $(this); - $el.select2({ - minimumInputLength: 1, - initSelection: function(elem, callback){ - callback({id: elem.val(), '__str__': $el.data('label')}); - }, - ajax: { - url: $el.data('search-url')+$el.data('choices'), - dataType: 'json', - data: function (term, page) { - return { - '_q_' : term, - '_cols': 'id.__str__', - 'p': page - 1 - }; - }, - results: function (data, page) { - return {results: data.objects, more: data.has_more}; - } - }, - formatResult: function(item){return item['__str__']}, - formatSelection: function(item){return item['__str__']} - }); - }) - }}); - } else { - $.fn.exform.renders.push(function(f){ - if($.fn.select2){ - f.find('.select-search').each(function(){ - var $el = $(this); - $el.select2({ - minimumInputLength: 1, - initSelection: function(elem, callback){ - callback({id: elem.val(), '__str__': $el.data('label')}); - }, - ajax: { - url: $el.data('search-url')+$el.data('choices'), - dataType: 'json', - data: function (term, page) { - return { - '_q_' : term, - '_cols': 'id.__str__', - 'p': page - 1 - }; - }, - results: function (data, page) { - return {results: data.objects, more: data.has_more}; - } - }, - formatResult: function(item){return item['__str__']}, - formatSelection: function(item){return item['__str__']} - }); - }) - }}); - } -})(jQuery) - diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/autotype/index.js b/pillbox-engine/xadmin/static/xadmin/vendor/autotype/index.js deleted file mode 100644 index 4fc86fb..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/autotype/index.js +++ /dev/null @@ -1,283 +0,0 @@ -/** - * jQuery.autotype - Simple, accurate, typing simulation for jQuery - * - * version 0.5.0 - * - * http://michaelmonteleone.net/projects/autotype - * http://github.com/mmonteleone/jquery.autotype - * - * Copyright (c) 2009 Michael Monteleone - * Licensed under terms of the MIT License (README.markdown) - */ -(function($){ - - // code type constants - var CHARACTER = 1, - NON_CHARACTER = 2, - MODIFIER_BEGIN = 3, - MODIFIER_END = 4, - isNullOrEmpty = function(val) { return val === null || val.length === 0; }, - isUpper = function(char) { return char.toUpperCase() === char; }, - isLower = function(char) { return char.toLowerCase() === char; }, - areDifferentlyCased = function(char1,char2) { - return (isUpper(char1) && isLower(char2)) || - (isLower(char1) && isUpper(char2)); - }, - convertCase = function(char) { - return isUpper(char) ? char.toLowerCase() : char.toUpperCase(); - }, - parseCodes = function(value, codeMap) { - // buffer to hold a collection of key/char code pairs corresponding to input string value - var codes = [], - // buffer to hold the name of a control key as it's being parsed - definingControlKey = false, - // hold a collection of currently pushed modifier keys - activeModifiers = { - alt: false, - meta: false, - shift: false, - ctrl: false - }, - explicitModifiers = $.extend({}, activeModifiers), - // buffer to hold construction of current control key - currentControlKey = '', - previousChar = '', - pushCode = function(opts) { - codes.push($.extend({}, opts, activeModifiers)); - }, - pushModifierBeginCode = function(modifierName) { - activeModifiers[modifierName] = true; - pushCode({ - keyCode: codeMap[modifierName], - charCode: 0, - char: '', - type: MODIFIER_BEGIN - }); - }, - pushModifierEndCode = function(modifierName) { - activeModifiers[modifierName] = false; - pushCode({ - keyCode: codeMap[modifierName], - charCode: 0, - char: '', - type: MODIFIER_END - }); - }; - - for(var i=0;i 0) { - codes = codes.reverse(); - var keyInterval = global.setInterval(function(){ - var code = codes.pop(); - triggerCodeOnField(code, field); - if(codes.length === 0) { - global.clearInterval(keyInterval); - field.trigger('autotyped'); - } - }, delay); - } else { - $.each(codes,function(){ - triggerCodeOnField(this, field); - }); - field.trigger('autotyped'); - } - }; - - $.fn.autotype = function(value, options) { - if(value === undefined || value === null) { throw("Value is required by jQuery.autotype plugin"); } - var settings = $.extend({}, $.fn.autotype.defaults, options); - - // 1st Pass - // step through the input string and convert it into - // a logical sequence of steps, key, and charcodes to apply to the inputs - var codes = parseCodes(value, settings.keyCodes[settings.keyBoard]); - - // 2nd Pass - // Run the translated codes against each input through a realistic - // and cancelable series of key down/press/up events - return this.each(function(){ triggerCodesOnField(codes, $(this), settings.delay, settings.global); }); - }; - - $.fn.autotype.defaults = { - version: '0.5.0', - keyBoard: 'enUs', - delay: 0, - global: window, - keyCodes: { - enUs: { 'back':8,'ins':45,'del':46,'enter':13,'shift':16,'ctrl':17,'meta':224, - 'alt':18,'pause':19,'caps':20,'esc':27,'pgup':33,'pgdn':34, - 'end':35,'home':36,'left':37,'up':38,'right':39,'down':40, - 'printscr':44,'num0':96,'num1':97,'num2':98,'num3':99,'num4':100, - 'num5':101,'num6':102,'num7':103,'num8':104,'num9':105, - 'multiply':106,'add':107,'subtract':109,'decimal':110, - 'divide':111,'f1':112,'f2':113,'f3':114,'f4':115,'f5':116, - 'f6':117,'f7':118,'f8':119,'f9':120,'f10':121,'f11':122, - 'f12':123,'numlock':144,'scrolllock':145,' ':9,' ':32, - 'tab':9,'space':32,'0':48,'1':49,'2':50,'3':51,'4':52, - '5':53,'6':54,'7':55,'8':56,'9':57,')':48,'!':49,'@':50, - '#':51,'$':52,'%':53,'^':54,'&':55,'*':56,'(':57,';':186, - '=':187,',':188,'-':189,'.':190,'/':191,'[':219,'\\':220, - ']':221,"'":222,':':186,'+':187,'<':188,'_':189,'>':190, - '?':191,'{':219,'|':220,'}':221,'"':222,'a':65,'b':66,'c':67, - 'd':68,'e':69,'f':70,'g':71,'h':72,'i':73,'j':74,'k':75, - 'l':76,'m':77,'n':78,'o':79,'p':80,'q':81,'r':82,'s':83, - 't':84,'u':85,'v':86,'w':87,'x':88,'y':89,'z':90,'A':65, - 'B':66,'C':67,'D':68,'E':69,'F':70,'G':71,'H':72,'I':73, - 'J':74,'K':75,'L':76,'M':77,'N':78,'O':79,'P':80,'Q':81, - 'R':82,'S':83,'T':84,'U':85,'V':86,'W':87,'X':88,'Y':89,'Z':90 } - } - }; - -})(jQuery); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/css/datepicker.css b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/css/datepicker.css deleted file mode 100644 index 5ecec5d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/css/datepicker.css +++ /dev/null @@ -1,301 +0,0 @@ -/*! - * Datepicker for Bootstrap - * - * Copyright 2012 Stefan Petre - * Improvements by Andrew Rowls - * Licensed under the Apache License v2.0 - * http://www.apache.org/licenses/LICENSE-2.0 - * - */ -.datepicker { - padding: 4px; - -webkit-border-radius: 4px; - -moz-border-radius: 4px; - border-radius: 4px; - direction: ltr; - /*.dow { - border-top: 1px solid #ddd !important; - }*/ - -} -.datepicker-inline { - width: 220px; -} -.datepicker.datepicker-rtl { - direction: rtl; -} -.datepicker.datepicker-rtl table tr td span { - float: right; -} -.datepicker-dropdown { - top: 0; - left: 0; -} -.datepicker-dropdown:before { - content: ''; - display: inline-block; - border-left: 7px solid transparent; - border-right: 7px solid transparent; - border-bottom: 7px solid #ccc; - border-bottom-color: rgba(0, 0, 0, 0.2); - position: absolute; - top: -7px; - left: 6px; -} -.datepicker-dropdown:after { - content: ''; - display: inline-block; - border-left: 6px solid transparent; - border-right: 6px solid transparent; - border-bottom: 6px solid #ffffff; - position: absolute; - top: -6px; - left: 7px; -} -.datepicker > div { - display: none; -} -.datepicker.days div.datepicker-days { - display: block; -} -.datepicker.months div.datepicker-months { - display: block; -} -.datepicker.years div.datepicker-years { - display: block; -} -.datepicker table { - margin: 0; -} -.datepicker td, -.datepicker th { - text-align: center; - width: 20px; - height: 20px; - -webkit-border-radius: 4px; - -moz-border-radius: 4px; - border-radius: 4px; - border: none; -} -.table-striped .datepicker table tr td, -.table-striped .datepicker table tr th { - background-color: transparent; -} -.datepicker table tr td.day:hover { - background: #eeeeee; - cursor: pointer; -} -.datepicker table tr td.old, -.datepicker table tr td.new { - color: #999999; -} -.datepicker table tr td.disabled, -.datepicker table tr td.disabled:hover { - background: none; - color: #999999; - cursor: default; -} -.datepicker table tr td.today, -.datepicker table tr td.today:hover, -.datepicker table tr td.today.disabled, -.datepicker table tr td.today.disabled:hover { - background-color: #fde19a; - background-image: -moz-linear-gradient(top, #fdd49a, #fdf59a); - background-image: -ms-linear-gradient(top, #fdd49a, #fdf59a); - background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#fdd49a), to(#fdf59a)); - background-image: -webkit-linear-gradient(top, #fdd49a, #fdf59a); - background-image: -o-linear-gradient(top, #fdd49a, #fdf59a); - background-image: linear-gradient(top, #fdd49a, #fdf59a); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fdd49a', endColorstr='#fdf59a', GradientType=0); - border-color: #fdf59a #fdf59a #fbed50; - border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); - color: #000 !important; -} -.datepicker table tr td.today:hover, -.datepicker table tr td.today:hover:hover, -.datepicker table tr td.today.disabled:hover, -.datepicker table tr td.today.disabled:hover:hover, -.datepicker table tr td.today:active, -.datepicker table tr td.today:hover:active, -.datepicker table tr td.today.disabled:active, -.datepicker table tr td.today.disabled:hover:active, -.datepicker table tr td.today.active, -.datepicker table tr td.today:hover.active, -.datepicker table tr td.today.disabled.active, -.datepicker table tr td.today.disabled:hover.active, -.datepicker table tr td.today.disabled, -.datepicker table tr td.today:hover.disabled, -.datepicker table tr td.today.disabled.disabled, -.datepicker table tr td.today.disabled:hover.disabled, -.datepicker table tr td.today[disabled], -.datepicker table tr td.today:hover[disabled], -.datepicker table tr td.today.disabled[disabled], -.datepicker table tr td.today.disabled:hover[disabled] { - background-color: #fdf59a; -} -.datepicker table tr td.today:active, -.datepicker table tr td.today:hover:active, -.datepicker table tr td.today.disabled:active, -.datepicker table tr td.today.disabled:hover:active, -.datepicker table tr td.today.active, -.datepicker table tr td.today:hover.active, -.datepicker table tr td.today.disabled.active, -.datepicker table tr td.today.disabled:hover.active { - background-color: #fbf069 \9; -} -.datepicker table tr td.active, -.datepicker table tr td.active:hover, -.datepicker table tr td.active.disabled, -.datepicker table tr td.active.disabled:hover { - background-color: #006dcc; - background-image: -moz-linear-gradient(top, #0088cc, #0044cc); - background-image: -ms-linear-gradient(top, #0088cc, #0044cc); - background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#0088cc), to(#0044cc)); - background-image: -webkit-linear-gradient(top, #0088cc, #0044cc); - background-image: -o-linear-gradient(top, #0088cc, #0044cc); - background-image: linear-gradient(top, #0088cc, #0044cc); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#0088cc', endColorstr='#0044cc', GradientType=0); - border-color: #0044cc #0044cc #002a80; - border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); - color: #fff; - text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); -} -.datepicker table tr td.active:hover, -.datepicker table tr td.active:hover:hover, -.datepicker table tr td.active.disabled:hover, -.datepicker table tr td.active.disabled:hover:hover, -.datepicker table tr td.active:active, -.datepicker table tr td.active:hover:active, -.datepicker table tr td.active.disabled:active, -.datepicker table tr td.active.disabled:hover:active, -.datepicker table tr td.active.active, -.datepicker table tr td.active:hover.active, -.datepicker table tr td.active.disabled.active, -.datepicker table tr td.active.disabled:hover.active, -.datepicker table tr td.active.disabled, -.datepicker table tr td.active:hover.disabled, -.datepicker table tr td.active.disabled.disabled, -.datepicker table tr td.active.disabled:hover.disabled, -.datepicker table tr td.active[disabled], -.datepicker table tr td.active:hover[disabled], -.datepicker table tr td.active.disabled[disabled], -.datepicker table tr td.active.disabled:hover[disabled] { - background-color: #0044cc; -} -.datepicker table tr td.active:active, -.datepicker table tr td.active:hover:active, -.datepicker table tr td.active.disabled:active, -.datepicker table tr td.active.disabled:hover:active, -.datepicker table tr td.active.active, -.datepicker table tr td.active:hover.active, -.datepicker table tr td.active.disabled.active, -.datepicker table tr td.active.disabled:hover.active { - background-color: #003399 \9; -} -.datepicker table tr td span { - display: block; - width: 23%; - height: 54px; - line-height: 54px; - float: left; - margin: 1%; - cursor: pointer; - -webkit-border-radius: 4px; - -moz-border-radius: 4px; - border-radius: 4px; -} -.datepicker table tr td span:hover { - background: #eeeeee; -} -.datepicker table tr td span.disabled, -.datepicker table tr td span.disabled:hover { - background: none; - color: #999999; - cursor: default; -} -.datepicker table tr td span.active, -.datepicker table tr td span.active:hover, -.datepicker table tr td span.active.disabled, -.datepicker table tr td span.active.disabled:hover { - background-color: #006dcc; - background-image: -moz-linear-gradient(top, #0088cc, #0044cc); - background-image: -ms-linear-gradient(top, #0088cc, #0044cc); - background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#0088cc), to(#0044cc)); - background-image: -webkit-linear-gradient(top, #0088cc, #0044cc); - background-image: -o-linear-gradient(top, #0088cc, #0044cc); - background-image: linear-gradient(top, #0088cc, #0044cc); - background-repeat: repeat-x; - filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#0088cc', endColorstr='#0044cc', GradientType=0); - border-color: #0044cc #0044cc #002a80; - border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); - filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); - color: #fff; - text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); -} -.datepicker table tr td span.active:hover, -.datepicker table tr td span.active:hover:hover, -.datepicker table tr td span.active.disabled:hover, -.datepicker table tr td span.active.disabled:hover:hover, -.datepicker table tr td span.active:active, -.datepicker table tr td span.active:hover:active, -.datepicker table tr td span.active.disabled:active, -.datepicker table tr td span.active.disabled:hover:active, -.datepicker table tr td span.active.active, -.datepicker table tr td span.active:hover.active, -.datepicker table tr td span.active.disabled.active, -.datepicker table tr td span.active.disabled:hover.active, -.datepicker table tr td span.active.disabled, -.datepicker table tr td span.active:hover.disabled, -.datepicker table tr td span.active.disabled.disabled, -.datepicker table tr td span.active.disabled:hover.disabled, -.datepicker table tr td span.active[disabled], -.datepicker table tr td span.active:hover[disabled], -.datepicker table tr td span.active.disabled[disabled], -.datepicker table tr td span.active.disabled:hover[disabled] { - background-color: #0044cc; -} -.datepicker table tr td span.active:active, -.datepicker table tr td span.active:hover:active, -.datepicker table tr td span.active.disabled:active, -.datepicker table tr td span.active.disabled:hover:active, -.datepicker table tr td span.active.active, -.datepicker table tr td span.active:hover.active, -.datepicker table tr td span.active.disabled.active, -.datepicker table tr td span.active.disabled:hover.active { - background-color: #003399 \9; -} -.datepicker table tr td span.old { - color: #999999; -} -.datepicker th.switch { - width: 145px; -} -.datepicker thead tr:first-child th, -.datepicker tfoot tr:first-child th { - cursor: pointer; -} -.datepicker thead tr:first-child th:hover, -.datepicker tfoot tr:first-child th:hover { - background: #eeeeee; -} -.datepicker .cw { - font-size: 10px; - width: 12px; - padding: 0 2px 0 5px; - vertical-align: middle; -} -.datepicker thead tr:first-child th.cw { - cursor: default; - background-color: transparent; -} -.input-append.date .add-on i, -.input-prepend.date .add-on i { - display: block; - cursor: pointer; - width: 16px; - height: 16px; -} diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/bootstrap-datepicker.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/bootstrap-datepicker.js deleted file mode 100644 index 1653b55..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/bootstrap-datepicker.js +++ /dev/null @@ -1,1047 +0,0 @@ -/* ========================================================= - * bootstrap-datepicker.js - * http://www.eyecon.ro/bootstrap-datepicker - * ========================================================= - * Copyright 2012 Stefan Petre - * Improvements by Andrew Rowls - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * ========================================================= */ - -!function( $ ) { - - function UTCDate(){ - return new Date(Date.UTC.apply(Date, arguments)); - } - function UTCToday(){ - var today = new Date(); - return UTCDate(today.getUTCFullYear(), today.getUTCMonth(), today.getUTCDate()); - } - - // Picker object - - var Datepicker = function(element, options) { - var that = this; - - this.element = $(element); - this.language = options.language||this.element.data('date-language')||"en"; - this.language = this.language in dates ? this.language : this.language.split('-')[0]; //Check if "de-DE" style date is available, if not language should fallback to 2 letter code eg "de" - this.language = this.language in dates ? this.language : "en"; - this.isRTL = dates[this.language].rtl||false; - this.format = DPGlobal.parseFormat(options.format||this.element.data('date-format')||dates[this.language].format||'mm/dd/yyyy'); - this.isInline = false; - this.isInput = this.element.is('input'); - this.component = this.element.is('.date') ? this.element.find('.add-on, .btn') : false; - this.hasInput = this.component && this.element.find('input').length; - if(this.component && this.component.length === 0) - this.component = false; - - this.forceParse = true; - if ('forceParse' in options) { - this.forceParse = options.forceParse; - } else if ('dateForceParse' in this.element.data()) { - this.forceParse = this.element.data('date-force-parse'); - } - - this.picker = $(DPGlobal.template); - this._buildEvents(); - this._attachEvents(); - - if(this.isInline) { - this.picker.addClass('datepicker-inline').appendTo(this.element); - } else { - this.picker.addClass('datepicker-dropdown dropdown-menu'); - } - if (this.isRTL){ - this.picker.addClass('datepicker-rtl'); - this.picker.find('.prev i, .next i') - .toggleClass('icon-arrow-left icon-arrow-right'); - } - - this.autoclose = false; - if ('autoclose' in options) { - this.autoclose = options.autoclose; - } else if ('dateAutoclose' in this.element.data()) { - this.autoclose = this.element.data('date-autoclose'); - } - - this.keyboardNavigation = true; - if ('keyboardNavigation' in options) { - this.keyboardNavigation = options.keyboardNavigation; - } else if ('dateKeyboardNavigation' in this.element.data()) { - this.keyboardNavigation = this.element.data('date-keyboard-navigation'); - } - - this.viewMode = this.startViewMode = 0; - switch(options.startView || this.element.data('date-start-view')){ - case 2: - case 'decade': - this.viewMode = this.startViewMode = 2; - break; - case 1: - case 'year': - this.viewMode = this.startViewMode = 1; - break; - } - - this.minViewMode = options.minViewMode||this.element.data('date-min-view-mode')||0; - if (typeof this.minViewMode === 'string') { - switch (this.minViewMode) { - case 'months': - this.minViewMode = 1; - break; - case 'years': - this.minViewMode = 2; - break; - default: - this.minViewMode = 0; - break; - } - } - - this.viewMode = this.startViewMode = Math.max(this.startViewMode, this.minViewMode); - - this.todayBtn = (options.todayBtn||this.element.data('date-today-btn')||false); - this.todayHighlight = (options.todayHighlight||this.element.data('date-today-highlight')||false); - - this.calendarWeeks = false; - if ('calendarWeeks' in options) { - this.calendarWeeks = options.calendarWeeks; - } else if ('dateCalendarWeeks' in this.element.data()) { - this.calendarWeeks = this.element.data('date-calendar-weeks'); - } - if (this.calendarWeeks) - this.picker.find('tfoot th.today') - .attr('colspan', function(i, val){ - return parseInt(val) + 1; - }); - - this._allow_update = false; - - this.weekStart = ((options.weekStart||this.element.data('date-weekstart')||dates[this.language].weekStart||0) % 7); - this.weekEnd = ((this.weekStart + 6) % 7); - this.startDate = -Infinity; - this.endDate = Infinity; - this.daysOfWeekDisabled = []; - this.setStartDate(options.startDate||this.element.data('date-startdate')); - this.setEndDate(options.endDate||this.element.data('date-enddate')); - this.setDaysOfWeekDisabled(options.daysOfWeekDisabled||this.element.data('date-days-of-week-disabled')); - this.fillDow(); - this.fillMonths(); - - this._allow_update = true; - - this.update(); - this.showMode(); - - if(this.isInline) { - this.show(); - } - }; - - Datepicker.prototype = { - constructor: Datepicker, - - _events: [], - _secondaryEvents: [], - _applyEvents: function(evs){ - for (var i=0, el, ev; i this.endDate) { - this.viewDate = new Date(this.endDate); - } else { - this.viewDate = new Date(this.date); - } - this.fill(); - }, - - fillDow: function(){ - var dowCnt = this.weekStart, - html = ''; - if(this.calendarWeeks){ - var cell = ' '; - html += cell; - this.picker.find('.datepicker-days thead tr:first-child').prepend(cell); - } - while (dowCnt < this.weekStart + 7) { - html += ''+dates[this.language].daysMin[(dowCnt++)%7]+''; - } - html += ''; - this.picker.find('.datepicker-days thead').append(html); - }, - - fillMonths: function(){ - var html = '', - i = 0; - while (i < 12) { - html += ''+dates[this.language].monthsShort[i++]+''; - } - this.picker.find('.datepicker-months td').html(html); - }, - - fill: function() { - var d = new Date(this.viewDate), - year = d.getUTCFullYear(), - month = d.getUTCMonth(), - startYear = this.startDate !== -Infinity ? this.startDate.getUTCFullYear() : -Infinity, - startMonth = this.startDate !== -Infinity ? this.startDate.getUTCMonth() : -Infinity, - endYear = this.endDate !== Infinity ? this.endDate.getUTCFullYear() : Infinity, - endMonth = this.endDate !== Infinity ? this.endDate.getUTCMonth() : Infinity, - currentDate = this.date && this.date.valueOf(), - today = new Date(); - this.picker.find('.datepicker-days thead th.switch') - .text(dates[this.language].months[month]+' '+year); - this.picker.find('tfoot th.today') - .text(dates[this.language].today) - .toggle(this.todayBtn !== false); - this.updateNavArrows(); - this.fillMonths(); - var prevMonth = UTCDate(year, month-1, 28,0,0,0,0), - day = DPGlobal.getDaysInMonth(prevMonth.getUTCFullYear(), prevMonth.getUTCMonth()); - prevMonth.setUTCDate(day); - prevMonth.setUTCDate(day - (prevMonth.getUTCDay() - this.weekStart + 7)%7); - var nextMonth = new Date(prevMonth); - nextMonth.setUTCDate(nextMonth.getUTCDate() + 42); - nextMonth = nextMonth.valueOf(); - var html = []; - var clsName; - while(prevMonth.valueOf() < nextMonth) { - if (prevMonth.getUTCDay() == this.weekStart) { - html.push(''); - if(this.calendarWeeks){ - // ISO 8601: First week contains first thursday. - // ISO also states week starts on Monday, but we can be more abstract here. - var - // Start of current week: based on weekstart/current date - ws = new Date(+prevMonth + (this.weekStart - prevMonth.getUTCDay() - 7) % 7 * 864e5), - // Thursday of this week - th = new Date(+ws + (7 + 4 - ws.getUTCDay()) % 7 * 864e5), - // First Thursday of year, year from thursday - yth = new Date(+(yth = UTCDate(th.getUTCFullYear(), 0, 1)) + (7 + 4 - yth.getUTCDay())%7*864e5), - // Calendar week: ms between thursdays, div ms per day, div 7 days - calWeek = (th - yth) / 864e5 / 7 + 1; - html.push(''+ calWeek +''); - - } - } - clsName = ''; - if (prevMonth.getUTCFullYear() < year || (prevMonth.getUTCFullYear() == year && prevMonth.getUTCMonth() < month)) { - clsName += ' old'; - } else if (prevMonth.getUTCFullYear() > year || (prevMonth.getUTCFullYear() == year && prevMonth.getUTCMonth() > month)) { - clsName += ' new'; - } - // Compare internal UTC date with local today, not UTC today - if (this.todayHighlight && - prevMonth.getUTCFullYear() == today.getFullYear() && - prevMonth.getUTCMonth() == today.getMonth() && - prevMonth.getUTCDate() == today.getDate()) { - clsName += ' today'; - } - if (currentDate && prevMonth.valueOf() == currentDate) { - clsName += ' active'; - } - if (prevMonth.valueOf() < this.startDate || prevMonth.valueOf() > this.endDate || - $.inArray(prevMonth.getUTCDay(), this.daysOfWeekDisabled) !== -1) { - clsName += ' disabled'; - } - html.push(''+prevMonth.getUTCDate() + ''); - if (prevMonth.getUTCDay() == this.weekEnd) { - html.push(''); - } - prevMonth.setUTCDate(prevMonth.getUTCDate()+1); - } - this.picker.find('.datepicker-days tbody').empty().append(html.join('')); - var currentYear = this.date && this.date.getUTCFullYear(); - - var months = this.picker.find('.datepicker-months') - .find('th:eq(1)') - .text(year) - .end() - .find('span').removeClass('active'); - if (currentYear && currentYear == year) { - months.eq(this.date.getUTCMonth()).addClass('active'); - } - if (year < startYear || year > endYear) { - months.addClass('disabled'); - } - if (year == startYear) { - months.slice(0, startMonth).addClass('disabled'); - } - if (year == endYear) { - months.slice(endMonth+1).addClass('disabled'); - } - - html = ''; - year = parseInt(year/10, 10) * 10; - var yearCont = this.picker.find('.datepicker-years') - .find('th:eq(1)') - .text(year + '-' + (year + 9)) - .end() - .find('td'); - year -= 1; - for (var i = -1; i < 11; i++) { - html += ''+year+''; - year += 1; - } - yearCont.html(html); - }, - - updateNavArrows: function() { - if (!this._allow_update) return; - - var d = new Date(this.viewDate), - year = d.getUTCFullYear(), - month = d.getUTCMonth(); - switch (this.viewMode) { - case 0: - if (this.startDate !== -Infinity && year <= this.startDate.getUTCFullYear() && month <= this.startDate.getUTCMonth()) { - this.picker.find('.prev').css({visibility: 'hidden'}); - } else { - this.picker.find('.prev').css({visibility: 'visible'}); - } - if (this.endDate !== Infinity && year >= this.endDate.getUTCFullYear() && month >= this.endDate.getUTCMonth()) { - this.picker.find('.next').css({visibility: 'hidden'}); - } else { - this.picker.find('.next').css({visibility: 'visible'}); - } - break; - case 1: - case 2: - if (this.startDate !== -Infinity && year <= this.startDate.getUTCFullYear()) { - this.picker.find('.prev').css({visibility: 'hidden'}); - } else { - this.picker.find('.prev').css({visibility: 'visible'}); - } - if (this.endDate !== Infinity && year >= this.endDate.getUTCFullYear()) { - this.picker.find('.next').css({visibility: 'hidden'}); - } else { - this.picker.find('.next').css({visibility: 'visible'}); - } - break; - } - }, - - click: function(e) { - e.stopPropagation(); - e.preventDefault(); - var target = $(e.target).closest('span, td, th'); - if (target.length == 1) { - switch(target[0].nodeName.toLowerCase()) { - case 'th': - switch(target[0].className) { - case 'switch': - this.showMode(1); - break; - case 'prev': - case 'next': - var dir = DPGlobal.modes[this.viewMode].navStep * (target[0].className == 'prev' ? -1 : 1); - switch(this.viewMode){ - case 0: - this.viewDate = this.moveMonth(this.viewDate, dir); - break; - case 1: - case 2: - this.viewDate = this.moveYear(this.viewDate, dir); - break; - } - this.fill(); - break; - case 'today': - var date = new Date(); - date = UTCDate(date.getFullYear(), date.getMonth(), date.getDate(), 0, 0, 0); - - this.showMode(-2); - var which = this.todayBtn == 'linked' ? null : 'view'; - this._setDate(date, which); - break; - } - break; - case 'span': - if (!target.is('.disabled')) { - this.viewDate.setUTCDate(1); - if (target.is('.month')) { - var day = 1; - var month = target.parent().find('span').index(target); - var year = this.viewDate.getUTCFullYear(); - this.viewDate.setUTCMonth(month); - this.element.trigger({ - type: 'changeMonth', - date: this.viewDate - }); - if ( this.minViewMode == 1 ) { - this._setDate(UTCDate(year, month, day,0,0,0,0)); - } - } else { - var year = parseInt(target.text(), 10)||0; - var day = 1; - var month = 0; - this.viewDate.setUTCFullYear(year); - this.element.trigger({ - type: 'changeYear', - date: this.viewDate - }); - if ( this.minViewMode == 2 ) { - this._setDate(UTCDate(year, month, day,0,0,0,0)); - } - } - this.showMode(-1); - this.fill(); - } - break; - case 'td': - if (target.is('.day') && !target.is('.disabled')){ - var day = parseInt(target.text(), 10)||1; - var year = this.viewDate.getUTCFullYear(), - month = this.viewDate.getUTCMonth(); - if (target.is('.old')) { - if (month === 0) { - month = 11; - year -= 1; - } else { - month -= 1; - } - } else if (target.is('.new')) { - if (month == 11) { - month = 0; - year += 1; - } else { - month += 1; - } - } - this._setDate(UTCDate(year, month, day,0,0,0,0)); - } - break; - } - } - }, - - _setDate: function(date, which){ - if (!which || which == 'date') - this.date = date; - if (!which || which == 'view') - this.viewDate = date; - this.fill(); - this.setValue(); - this.element.trigger({ - type: 'changeDate', - date: this.date - }); - var element; - if (this.isInput) { - element = this.element; - } else if (this.component){ - element = this.element.find('input'); - } - if (element) { - element.change(); - if (this.autoclose && (!which || which == 'date')) { - this.hide(); - } - } - }, - - moveMonth: function(date, dir){ - if (!dir) return date; - var new_date = new Date(date.valueOf()), - day = new_date.getUTCDate(), - month = new_date.getUTCMonth(), - mag = Math.abs(dir), - new_month, test; - dir = dir > 0 ? 1 : -1; - if (mag == 1){ - test = dir == -1 - // If going back one month, make sure month is not current month - // (eg, Mar 31 -> Feb 31 == Feb 28, not Mar 02) - ? function(){ return new_date.getUTCMonth() == month; } - // If going forward one month, make sure month is as expected - // (eg, Jan 31 -> Feb 31 == Feb 28, not Mar 02) - : function(){ return new_date.getUTCMonth() != new_month; }; - new_month = month + dir; - new_date.setUTCMonth(new_month); - // Dec -> Jan (12) or Jan -> Dec (-1) -- limit expected date to 0-11 - if (new_month < 0 || new_month > 11) - new_month = (new_month + 12) % 12; - } else { - // For magnitudes >1, move one month at a time... - for (var i=0; i= this.startDate && date <= this.endDate; - }, - - keydown: function(e){ - if (this.picker.is(':not(:visible)')){ - if (e.keyCode == 27) // allow escape to hide and re-show picker - this.show(); - return; - } - var dateChanged = false, - dir, day, month, - newDate, newViewDate; - switch(e.keyCode){ - case 27: // escape - this.hide(); - e.preventDefault(); - break; - case 37: // left - case 39: // right - if (!this.keyboardNavigation) break; - dir = e.keyCode == 37 ? -1 : 1; - if (e.ctrlKey){ - newDate = this.moveYear(this.date, dir); - newViewDate = this.moveYear(this.viewDate, dir); - } else if (e.shiftKey){ - newDate = this.moveMonth(this.date, dir); - newViewDate = this.moveMonth(this.viewDate, dir); - } else { - newDate = new Date(this.date); - newDate.setUTCDate(this.date.getUTCDate() + dir); - newViewDate = new Date(this.viewDate); - newViewDate.setUTCDate(this.viewDate.getUTCDate() + dir); - } - if (this.dateWithinRange(newDate)){ - this.date = newDate; - this.viewDate = newViewDate; - this.setValue(); - this.update(); - e.preventDefault(); - dateChanged = true; - } - break; - case 38: // up - case 40: // down - if (!this.keyboardNavigation) break; - dir = e.keyCode == 38 ? -1 : 1; - if (e.ctrlKey){ - newDate = this.moveYear(this.date, dir); - newViewDate = this.moveYear(this.viewDate, dir); - } else if (e.shiftKey){ - newDate = this.moveMonth(this.date, dir); - newViewDate = this.moveMonth(this.viewDate, dir); - } else { - newDate = new Date(this.date); - newDate.setUTCDate(this.date.getUTCDate() + dir * 7); - newViewDate = new Date(this.viewDate); - newViewDate.setUTCDate(this.viewDate.getUTCDate() + dir * 7); - } - if (this.dateWithinRange(newDate)){ - this.date = newDate; - this.viewDate = newViewDate; - this.setValue(); - this.update(); - e.preventDefault(); - dateChanged = true; - } - break; - case 13: // enter - this.hide(); - e.preventDefault(); - break; - case 9: // tab - this.hide(); - break; - } - if (dateChanged){ - this.element.trigger({ - type: 'changeDate', - date: this.date - }); - var element; - if (this.isInput) { - element = this.element; - } else if (this.component){ - element = this.element.find('input'); - } - if (element) { - element.change(); - } - } - }, - - showMode: function(dir) { - if (dir) { - this.viewMode = Math.max(this.minViewMode, Math.min(2, this.viewMode + dir)); - } - /* - vitalets: fixing bug of very special conditions: - jquery 1.7.1 + webkit + show inline datepicker in bootstrap popover. - Method show() does not set display css correctly and datepicker is not shown. - Changed to .css('display', 'block') solve the problem. - See https://github.com/vitalets/x-editable/issues/37 - - In jquery 1.7.2+ everything works fine. - */ - //this.picker.find('>div').hide().filter('.datepicker-'+DPGlobal.modes[this.viewMode].clsName).show(); - this.picker.find('>div').hide().filter('.datepicker-'+DPGlobal.modes[this.viewMode].clsName).css('display', 'block'); - this.updateNavArrows(); - } - }; - - $.fn.datepicker = function ( option ) { - var args = Array.apply(null, arguments); - args.shift(); - return this.each(function () { - var $this = $(this), - data = $this.data('datepicker'), - options = typeof option == 'object' && option; - if (!data) { - $this.data('datepicker', (data = new Datepicker(this, $.extend({}, $.fn.datepicker.defaults,options)))); - } - if (typeof option == 'string' && typeof data[option] == 'function') { - data[option].apply(data, args); - } - }); - }; - - $.fn.datepicker.defaults = { - }; - $.fn.datepicker.Constructor = Datepicker; - var dates = $.fn.datepicker.dates = { - en: { - days: ["Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"], - daysShort: ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat", "Sun"], - daysMin: ["Su", "Mo", "Tu", "We", "Th", "Fr", "Sa", "Su"], - months: ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"], - today: "Today" - } - }; - - var DPGlobal = { - modes: [ - { - clsName: 'days', - navFnc: 'Month', - navStep: 1 - }, - { - clsName: 'months', - navFnc: 'FullYear', - navStep: 1 - }, - { - clsName: 'years', - navFnc: 'FullYear', - navStep: 10 - }], - isLeapYear: function (year) { - return (((year % 4 === 0) && (year % 100 !== 0)) || (year % 400 === 0)); - }, - getDaysInMonth: function (year, month) { - return [31, (DPGlobal.isLeapYear(year) ? 29 : 28), 31, 30, 31, 30, 31, 31, 30, 31, 30, 31][month]; - }, - validParts: /dd?|DD?|mm?|MM?|yy(?:yy)?/g, - nonpunctuation: /[^ -\/:-@\[\u3400-\u9fff-`{-~\t\n\r]+/g, - parseFormat: function(format){ - // IE treats \0 as a string end in inputs (truncating the value), - // so it's a bad format delimiter, anyway - var separators = format.replace(this.validParts, '\0').split('\0'), - parts = format.match(this.validParts); - if (!separators || !separators.length || !parts || parts.length === 0){ - throw new Error("Invalid date format."); - } - return {separators: separators, parts: parts}; - }, - parseDate: function(date, format, language) { - if (date instanceof Date) return date; - if (/^[\-+]\d+[dmwy]([\s,]+[\-+]\d+[dmwy])*$/.test(date)) { - var part_re = /([\-+]\d+)([dmwy])/, - parts = date.match(/([\-+]\d+)([dmwy])/g), - part, dir; - date = new Date(); - for (var i=0; i'+ - ''+ - ''+ - ''+ - ''+ - ''+ - '', - contTemplate: '', - footTemplate: '' - }; - DPGlobal.template = '
    '+ - '
    '+ - ''+ - DPGlobal.headTemplate+ - ''+ - DPGlobal.footTemplate+ - '
    '+ - '
    '+ - '
    '+ - ''+ - DPGlobal.headTemplate+ - DPGlobal.contTemplate+ - DPGlobal.footTemplate+ - '
    '+ - '
    '+ - '
    '+ - ''+ - DPGlobal.headTemplate+ - DPGlobal.contTemplate+ - DPGlobal.footTemplate+ - '
    '+ - '
    '+ - '
    '; - - $.fn.datepicker.DPGlobal = DPGlobal; - -}( window.jQuery ); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.bg.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.bg.js deleted file mode 100644 index 6837afd..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.bg.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Bulgarian translation for bootstrap-datepicker - * Apostol Apostolov - */ -;(function($){ - $.fn.datepicker.dates['bg'] = { - days: ["Неделя", "Понеделник", "Вторник", "Сряда", "Четвъртък", "Петък", "Събота", "Неделя"], - daysShort: ["Нед", "Пон", "Вто", "Сря", "Чет", "Пет", "Съб", "Нед"], - daysMin: ["Н", "П", "В", "С", "Ч", "П", "С", "Н"], - months: ["Януари", "Февруари", "Март", "Април", "Май", "Юни", "Юли", "Август", "Септември", "Октомври", "Ноември", "Декември"], - monthsShort: ["Ян", "Фев", "Мар", "Апр", "Май", "Юни", "Юли", "Авг", "Сеп", "Окт", "Ное", "Дек"], - today: "днес" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ca.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ca.js deleted file mode 100644 index 3fc4d84..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ca.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Catalan translation for bootstrap-datepicker - * J. Garcia - */ -;(function($){ - $.fn.datepicker.dates['ca'] = { - days: ["Diumenge", "Dilluns", "Dimarts", "Dimecres", "Dijous", "Divendres", "Dissabte", "Diumenge"], - daysShort: ["Diu", "Dil", "Dmt", "Dmc", "Dij", "Div", "Dis", "Diu"], - daysMin: ["dg", "dl", "dt", "dc", "dj", "dv", "ds", "dg"], - months: ["Gener", "Febrer", "Març", "Abril", "Maig", "Juny", "Juliol", "Agost", "Setembre", "Octubre", "Novembre", "Desembre"], - monthsShort: ["Gen", "Feb", "Mar", "Abr", "Mai", "Jun", "Jul", "Ago", "Set", "Oct", "Nov", "Des"], - today: "Avui" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.cs.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.cs.js deleted file mode 100644 index f76a2c0..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.cs.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Czech translation for bootstrap-datepicker - * Matěj Koubík - * Fixes by Michal Remiš - */ -;(function($){ - $.fn.datepicker.dates['cs'] = { - days: ["Neděle", "Pondělí", "Úterý", "Středa", "Čtvrtek", "Pátek", "Sobota", "Neděle"], - daysShort: ["Ned", "Pon", "Úte", "Stř", "Čtv", "Pát", "Sob", "Ned"], - daysMin: ["Ne", "Po", "Út", "St", "Čt", "Pá", "So", "Ne"], - months: ["Leden", "Únor", "Březen", "Duben", "Květen", "Červen", "Červenec", "Srpen", "Září", "Říjen", "Listopad", "Prosinec"], - monthsShort: ["Led", "Úno", "Bře", "Dub", "Kvě", "Čer", "Čnc", "Srp", "Zář", "Říj", "Lis", "Pro"], - today: "Dnes" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.da.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.da.js deleted file mode 100644 index 6307be5..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.da.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Danish translation for bootstrap-datepicker - * Christian Pedersen - */ -;(function($){ - $.fn.datepicker.dates['da'] = { - days: ["Søndag", "Mandag", "Tirsdag", "Onsdag", "Torsdag", "Fredag", "Lørdag", "Søndag"], - daysShort: ["Søn", "Man", "Tir", "Ons", "Tor", "Fre", "Lør", "Søn"], - daysMin: ["Sø", "Ma", "Ti", "On", "To", "Fr", "Lø", "Sø"], - months: ["Januar", "Februar", "Marts", "April", "Maj", "Juni", "Juli", "August", "September", "Oktober", "November", "December"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Maj", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dec"], - today: "I Dag" - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.de.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.de.js deleted file mode 100644 index 3d491a2..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.de.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * German translation for bootstrap-datepicker - * Sam Zurcher - */ -;(function($){ - $.fn.datepicker.dates['de'] = { - days: ["Sonntag", "Montag", "Dienstag", "Mittwoch", "Donnerstag", "Freitag", "Samstag", "Sonntag"], - daysShort: ["Son", "Mon", "Die", "Mit", "Don", "Fre", "Sam", "Son"], - daysMin: ["So", "Mo", "Di", "Mi", "Do", "Fr", "Sa", "So"], - months: ["Januar", "Februar", "März", "April", "Mai", "Juni", "Juli", "August", "September", "Oktober", "November", "Dezember"], - monthsShort: ["Jan", "Feb", "Mär", "Apr", "Mai", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dez"], - today: "Heute", - weekStart: 1, - format: "dd.mm.yyyy" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.el.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.el.js deleted file mode 100644 index 6de26bc..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.el.js +++ /dev/null @@ -1,13 +0,0 @@ -/** -* Greek translation for bootstrap-datepicker -*/ -;(function($){ - $.fn.datepicker.dates['el'] = { - days: ["Κυριακή", "Δευτέρα", "Τρίτη", "Τετάρτη", "Πέμπτη", "Παρασκευή", "Σάββατο", "Κυριακή"], - daysShort: ["Κυρ", "Δευ", "Τρι", "Τετ", "Πεμ", "Παρ", "Σαβ", "Κυρ"], - daysMin: ["Κυ", "Δε", "Τρ", "Τε", "Πε", "Πα", "Σα", "Κυ"], - months: ["Ιανουάριος", "Φεβρουάριος", "Μάρτιος", "Απρίλιος", "Μάιος", "Ιούνιος", "Ιούλιος", "Αύγουστος", "Σεπτέμβριος", "Οκτώβριος", "Νοέμβριος", "Δεκέμβριος"], - monthsShort: ["Ιαν", "Φεβ", "Μαρ", "Απρ", "Μάι", "Ιουν", "Ιουλ", "Αυγ", "Σεπ", "Οκτ", "Νοε", "Δεκ"], - today: "Σήμερα" - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.es.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.es.js deleted file mode 100644 index 7217690..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.es.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Spanish translation for bootstrap-datepicker - * Bruno Bonamin - */ -;(function($){ - $.fn.datepicker.dates['es'] = { - days: ["Domingo", "Lunes", "Martes", "Miércoles", "Jueves", "Viernes", "Sábado", "Domingo"], - daysShort: ["Dom", "Lun", "Mar", "Mié", "Jue", "Vie", "Sáb", "Dom"], - daysMin: ["Do", "Lu", "Ma", "Mi", "Ju", "Vi", "Sa", "Do"], - months: ["Enero", "Febrero", "Marzo", "Abril", "Mayo", "Junio", "Julio", "Agosto", "Septiembre", "Octubre", "Noviembre", "Diciembre"], - monthsShort: ["Ene", "Feb", "Mar", "Abr", "May", "Jun", "Jul", "Ago", "Sep", "Oct", "Nov", "Dic"], - today: "Hoy" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fi.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fi.js deleted file mode 100644 index e13e6b9..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fi.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Finnish translation for bootstrap-datepicker - * Jaakko Salonen - */ -;(function($){ - $.fn.datepicker.dates['fi'] = { - days: ["sunnuntai", "maanantai", "tiistai", "keskiviikko", "torstai", "perjantai", "lauantai", "sunnuntai"], - daysShort: ["sun", "maa", "tii", "kes", "tor", "per", "lau", "sun"], - daysMin: ["su", "ma", "ti", "ke", "to", "pe", "la", "su"], - months: ["tammikuu", "helmikuu", "maaliskuu", "huhtikuu", "toukokuu", "kesäkuu", "heinäkuu", "elokuu", "syyskuu", "lokakuu", "marraskuu", "joulukuu"], - monthsShort: ["tam", "hel", "maa", "huh", "tou", "kes", "hei", "elo", "syy", "lok", "mar", "jou"], - today: "tänään" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fr.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fr.js deleted file mode 100644 index 498babe..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.fr.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * French translation for bootstrap-datepicker - * Nico Mollet - */ -;(function($){ - $.fn.datepicker.dates['fr'] = { - days: ["Dimanche", "Lundi", "Mardi", "Mercredi", "Jeudi", "Vendredi", "Samedi", "Dimanche"], - daysShort: ["Dim", "Lun", "Mar", "Mer", "Jeu", "Ven", "Sam", "Dim"], - daysMin: ["D", "L", "Ma", "Me", "J", "V", "S", "D"], - months: ["Janvier", "Février", "Mars", "Avril", "Mai", "Juin", "Juillet", "Août", "Septembre", "Octobre", "Novembre", "Décembre"], - monthsShort: ["Jan", "Fev", "Mar", "Avr", "Mai", "Jui", "Jul", "Aou", "Sep", "Oct", "Nov", "Dec"], - today: "Aujourd'hui", - weekStart: 1, - format: "dd/mm/yyyy" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.he.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.he.js deleted file mode 100644 index 2e17393..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.he.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Hebrew translation for bootstrap-datepicker - * Sagie Maoz - */ -;(function($){ - $.fn.datepicker.dates['he'] = { - days: ["ראשון", "שני", "שלישי", "רביעי", "חמישי", "שישי", "שבת", "ראשון"], - daysShort: ["א", "ב", "ג", "ד", "ה", "ו", "ש", "א"], - daysMin: ["א", "ב", "ג", "ד", "ה", "ו", "ש", "א"], - months: ["ינואר", "פברואר", "מרץ", "אפריל", "מאי", "יוני", "יולי", "אוגוסט", "ספטמבר", "אוקטובר", "נובמבר", "דצמבר"], - monthsShort: ["ינו", "פבר", "מרץ", "אפר", "מאי", "יונ", "יול", "אוג", "ספט", "אוק", "נוב", "דצמ"], - today: "היום", - rtl: true - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hr.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hr.js deleted file mode 100644 index 8d13d11..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hr.js +++ /dev/null @@ -1,13 +0,0 @@ -/** - * Croatian localisation - */ -;(function($){ - $.fn.datepicker.dates['hr'] = { - days: ["Nedjelja", "Ponedjelja", "Utorak", "Srijeda", "Četrtak", "Petak", "Subota", "Nedjelja"], - daysShort: ["Ned", "Pon", "Uto", "Srr", "Čet", "Pet", "Sub", "Ned"], - daysMin: ["Ne", "Po", "Ut", "Sr", "Če", "Pe", "Su", "Ne"], - months: ["Siječanj", "Veljača", "Ožujak", "Travanj", "Svibanj", "Lipanj", "Srpanj", "Kolovoz", "Rujan", "Listopad", "Studeni", "Prosinac"], - monthsShort: ["Sije", "Velj", "Ožu", "Tra", "Svi", "Lip", "Jul", "Kol", "Ruj", "Lis", "Stu", "Pro"], - today: "Danas" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hu.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hu.js deleted file mode 100644 index bf5308a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.hu.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * Hungarian translation for bootstrap-datepicker - * Sotus László - */ -;(function($){ - $.fn.datepicker.dates['hu'] = { - days: ["Vasárnap", "Hétfő", "Kedd", "Szerda", "Csütörtök", "Péntek", "Szombat", "Vasárnap"], - daysShort: ["Vas", "Hét", "Ked", "Sze", "Csü", "Pén", "Szo", "Vas"], - daysMin: ["Va", "Hé", "Ke", "Sz", "Cs", "Pé", "Sz", "Va"], - months: ["Január", "Február", "Március", "Április", "Május", "Június", "Július", "Augusztus", "Szeptember", "Október", "November", "December"], - monthsShort: ["Jan", "Feb", "Már", "Ápr", "Máj", "Jún", "Júl", "Aug", "Sze", "Okt", "Nov", "Dec"], - today: "Ma", - weekStart: 1, - format: "yyyy.mm.dd" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.id.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.id.js deleted file mode 100644 index d48aa48..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.id.js +++ /dev/null @@ -1,13 +0,0 @@ -/** - * Bahasa translation for bootstrap-datepicker - * Azwar Akbar - */ -;(function($){ - $.fn.datepicker.dates['id'] = { - days: ["Minggu", "Senin", "Selasa", "Rabu", "Kamis", "Jumat", "Sabtu", "Minggu"], - daysShort: ["Mgu", "Sen", "Sel", "Rab", "Kam", "Jum", "Sab", "Mgu"], - daysMin: ["Mg", "Sn", "Sl", "Ra", "Ka", "Ju", "Sa", "Mg"], - months: ["Januari", "Februari", "Maret", "April", "Mei", "Juni", "Juli", "Agustus", "September", "Oktober", "November", "Desember"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Mei", "Jun", "Jul", "Ags", "Sep", "Okt", "Nov", "Des"] - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.is.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.is.js deleted file mode 100644 index 0e57a91..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.is.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Icelandic translation for bootstrap-datepicker - * Hinrik Örn Sigurðsson - */ -;(function($){ - $.fn.datepicker.dates['is'] = { - days: ["Sunnudagur", "Mánudagur", "Þriðjudagur", "Miðvikudagur", "Fimmtudagur", "Föstudagur", "Laugardagur", "Sunnudagur"], - daysShort: ["Sun", "Mán", "Þri", "Mið", "Fim", "Fös", "Lau", "Sun"], - daysMin: ["Su", "Má", "Þr", "Mi", "Fi", "Fö", "La", "Su"], - months: ["Janúar", "Febrúar", "Mars", "Apríl", "Maí", "Júní", "Júlí", "Ágúst", "September", "Október", "Nóvember", "Desember"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Maí", "Jún", "Júl", "Ágú", "Sep", "Okt", "Nóv", "Des"], - today: "Í Dag" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.it.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.it.js deleted file mode 100644 index 8209f2a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.it.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * Italian translation for bootstrap-datepicker - * Enrico Rubboli - */ -;(function($){ - $.fn.datepicker.dates['it'] = { - days: ["Domenica", "Lunedì", "Martedì", "Mercoledì", "Giovedì", "Venerdì", "Sabato", "Domenica"], - daysShort: ["Dom", "Lun", "Mar", "Mer", "Gio", "Ven", "Sab", "Dom"], - daysMin: ["Do", "Lu", "Ma", "Me", "Gi", "Ve", "Sa", "Do"], - months: ["Gennaio", "Febbraio", "Marzo", "Aprile", "Maggio", "Giugno", "Luglio", "Agosto", "Settembre", "Ottobre", "Novembre", "Dicembre"], - monthsShort: ["Gen", "Feb", "Mar", "Apr", "Mag", "Giu", "Lug", "Ago", "Set", "Ott", "Nov", "Dic"], - today: "Oggi", - weekStart: 1, - format: "dd/mm/yyyy" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ja.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ja.js deleted file mode 100644 index ed0bc0f..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ja.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Japanese translation for bootstrap-datepicker - * Norio Suzuki - */ -;(function($){ - $.fn.datepicker.dates['ja'] = { - days: ["日曜", "月曜", "火曜", "水曜", "木曜", "金曜", "土曜", "日曜"], - daysShort: ["日", "月", "火", "水", "木", "金", "土", "日"], - daysMin: ["日", "月", "火", "水", "木", "金", "土", "日"], - months: ["1月", "2月", "3月", "4月", "5月", "6月", "7月", "8月", "9月", "10月", "11月", "12月"], - monthsShort: ["1月", "2月", "3月", "4月", "5月", "6月", "7月", "8月", "9月", "10月", "11月", "12月"], - today: "今日", - format: "yyyy/mm/dd" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.kr.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.kr.js deleted file mode 100644 index 183a88d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.kr.js +++ /dev/null @@ -1,13 +0,0 @@ -/** - * Korean translation for bootstrap-datepicker - * Gu Youn - */ -;(function($){ - $.fn.datepicker.dates['kr'] = { - days: ["일요일", "월요일", "화요일", "수요일", "목요일", "금요일", "토요일", "일요일"], - daysShort: ["일", "월", "화", "수", "목", "금", "토", "일"], - daysMin: ["일", "월", "화", "수", "목", "금", "토", "일"], - months: ["1월", "2월", "3월", "4월", "5월", "6월", "7월", "8월", "9월", "10월", "11월", "12월"], - monthsShort: ["1월", "2월", "3월", "4월", "5월", "6월", "7월", "8월", "9월", "10월", "11월", "12월"] - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lt.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lt.js deleted file mode 100644 index 11c1b3a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lt.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * Lithuanian translation for bootstrap-datepicker - * Šarūnas Gliebus - */ - -;(function($){ - $.fn.datepicker.dates['lt'] = { - days: ["Sekmadienis", "Pirmadienis", "Antradienis", "Trečiadienis", "Ketvirtadienis", "Penktadienis", "Šeštadienis", "Sekmadienis"], - daysShort: ["S", "Pr", "A", "T", "K", "Pn", "Š", "S"], - daysMin: ["Sk", "Pr", "An", "Tr", "Ke", "Pn", "Št", "Sk"], - months: ["Sausis", "Vasaris", "Kovas", "Balandis", "Gegužė", "Birželis", "Liepa", "Rugpjūtis", "Rugsėjis", "Spalis", "Lapkritis", "Gruodis"], - monthsShort: ["Sau", "Vas", "Kov", "Bal", "Geg", "Bir", "Lie", "Rugp", "Rugs", "Spa", "Lap", "Gru"], - today: "Šiandien", - weekStart: 1 - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lv.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lv.js deleted file mode 100644 index cc75fe0..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.lv.js +++ /dev/null @@ -1,16 +0,0 @@ -/** - * Latvian translation for bootstrap-datepicker - * Artis Avotins - */ - -;(function($){ - $.fn.datepicker.dates['lv'] = { - days: ["Svētdiena", "Pirmdiena", "Otrdiena", "Trešdiena", "Ceturtdiena", "Piektdiena", "Sestdiena", "Svētdiena"], - daysShort: ["Sv", "P", "O", "T", "C", "Pk", "S", "Sv"], - daysMin: ["Sv", "Pr", "Ot", "Tr", "Ce", "Pk", "St", "Sv"], - months: ["Janvāris", "Februāris", "Marts", "Aprīlis", "Maijs", "Jūnijs", "Jūlijs", "Augusts", "Septembris", "Oktobris", "Novembris", "Decembris"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Mai", "Jūn", "Jūl", "Aug", "Sep", "Okt", "Nov", "Dec."], - today: "Šodien", - weekStart: 1 - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ms.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ms.js deleted file mode 100644 index fa3a21a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ms.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Malay translation for bootstrap-datepicker - * Ateman Faiz - */ -;(function($){ - $.fn.datepicker.dates['ms'] = { - days: ["Ahad", "Isnin", "Selasa", "Rabu", "Khamis", "Jumaat", "Sabtu", "Ahad"], - daysShort: ["Aha", "Isn", "Sel", "Rab", "Kha", "Jum", "Sab", "Aha"], - daysMin: ["Ah", "Is", "Se", "Ra", "Kh", "Ju", "Sa", "Ah"], - months: ["Januari", "Februari", "Mac", "April", "Mei", "Jun", "Julai", "Ogos", "September", "Oktober", "November", "Disember"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Mei", "Jun", "Jul", "Ogo", "Sep", "Okt", "Nov", "Dis"], - today: "Hari Ini" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nb.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nb.js deleted file mode 100644 index fb9fe2a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nb.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Norwegian (bokmål) translation for bootstrap-datepicker - * Fredrik Sundmyhr - */ -;(function($){ - $.fn.datepicker.dates['nb'] = { - days: ["Søndag", "Mandag", "Tirsdag", "Onsdag", "Torsdag", "Fredag", "Lørdag", "Søndag"], - daysShort: ["Søn", "Man", "Tir", "Ons", "Tor", "Fre", "Lør", "Søn"], - daysMin: ["Sø", "Ma", "Ti", "On", "To", "Fr", "Lø", "Sø"], - months: ["Januar", "Februar", "Mars", "April", "Mai", "Juni", "Juli", "August", "September", "Oktober", "November", "Desember"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Mai", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Des"], - today: "I Dag" - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nl.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nl.js deleted file mode 100644 index 13a2f1a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.nl.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Dutch translation for bootstrap-datepicker - * Reinier Goltstein - */ -;(function($){ - $.fn.datepicker.dates['nl'] = { - days: ["Zondag", "Maandag", "Dinsdag", "Woensdag", "Donderdag", "Vrijdag", "Zaterdag", "Zondag"], - daysShort: ["Zo", "Ma", "Di", "Wo", "Do", "Vr", "Za", "Zo"], - daysMin: ["Zo", "Ma", "Di", "Wo", "Do", "Vr", "Za", "Zo"], - months: ["Januari", "Februari", "Maart", "April", "Mei", "Juni", "Juli", "Augustus", "September", "Oktober", "November", "December"], - monthsShort: ["Jan", "Feb", "Mrt", "Apr", "Mei", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dec"], - today: "Vandaag" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pl.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pl.js deleted file mode 100644 index f3fff8c..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pl.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Polish translation for bootstrap-datepicker - * Robert - */ -;(function($){ - $.fn.datepicker.dates['pl'] = { - days: ["Niedziela", "Poniedziałek", "Wtorek", "Środa", "Czwartek", "Piątek", "Sobota", "Niedziela"], - daysShort: ["Nie", "Pn", "Wt", "Śr", "Czw", "Pt", "So", "Nie"], - daysMin: ["N", "Pn", "Wt", "Śr", "Cz", "Pt", "So", "N"], - months: ["Styczeń", "Luty", "Marzec", "Kwiecień", "Maj", "Czerwiec", "Lipiec", "Sierpień", "Wrzesień", "Październik", "Listopad", "Grudzień"], - monthsShort: ["Sty", "Lu", "Mar", "Kw", "Maj", "Cze", "Lip", "Sie", "Wrz", "Pa", "Lis", "Gru"], - today: "Dzisiaj", - weekStart: 1 - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt-BR.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt-BR.js deleted file mode 100644 index 8d1fc27..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt-BR.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Brazilian translation for bootstrap-datepicker - * Cauan Cabral - */ -;(function($){ - $.fn.datepicker.dates['pt-BR'] = { - days: ["Domingo", "Segunda", "Terça", "Quarta", "Quinta", "Sexta", "Sábado", "Domingo"], - daysShort: ["Dom", "Seg", "Ter", "Qua", "Qui", "Sex", "Sáb", "Dom"], - daysMin: ["Do", "Se", "Te", "Qu", "Qu", "Se", "Sa", "Do"], - months: ["Janeiro", "Fevereiro", "Março", "Abril", "Maio", "Junho", "Julho", "Agosto", "Setembro", "Outubro", "Novembro", "Dezembro"], - monthsShort: ["Jan", "Fev", "Mar", "Abr", "Mai", "Jun", "Jul", "Ago", "Set", "Out", "Nov", "Dez"], - today: "Hoje" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt.js deleted file mode 100644 index 64179e8..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.pt.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Portuguese translation for bootstrap-datepicker - * Original code: Cauan Cabral - * Tiago Melo - */ -;(function($){ - $.fn.datepicker.dates['pt'] = { - days: ["Domingo", "Segunda", "Terça", "Quarta", "Quinta", "Sexta", "Sábado", "Domingo"], - daysShort: ["Dom", "Seg", "Ter", "Qua", "Qui", "Sex", "Sáb", "Dom"], - daysMin: ["Do", "Se", "Te", "Qu", "Qu", "Se", "Sa", "Do"], - months: ["Janeiro", "Fevereiro", "Março", "Abril", "Maio", "Junho", "Julho", "Agosto", "Setembro", "Outubro", "Novembro", "Dezembro"], - monthsShort: ["Jan", "Fev", "Mar", "Abr", "Mai", "Jun", "Jul", "Ago", "Set", "Out", "Nov", "Dez"] - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ro.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ro.js deleted file mode 100644 index 03c1a47..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ro.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Romanian translation for bootstrap-datepicker - * Cristian Vasile - */ -;(function($){ - $.fn.datepicker.dates['ro'] = { - days: ["Duminică", "Luni", "Marţi", "Miercuri", "Joi", "Vineri", "Sâmbătă", "Duminică"], - daysShort: ["Dum", "Lun", "Mar", "Mie", "Joi", "Vin", "Sâm", "Dum"], - daysMin: ["Du", "Lu", "Ma", "Mi", "Jo", "Vi", "Sâ", "Du"], - months: ["Ianuarie", "Februarie", "Martie", "Aprilie", "Mai", "Iunie", "Iulie", "August", "Septembrie", "Octombrie", "Noiembrie", "Decembrie"], - monthsShort: ["Ian", "Feb", "Mar", "Apr", "Mai", "Iun", "Iul", "Aug", "Sep", "Oct", "Nov", "Dec"], - today: "Astăzi", - weekStart: 1 - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs-latin.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs-latin.js deleted file mode 100644 index 1e0523d..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs-latin.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Serbian latin translation for bootstrap-datepicker - * Bojan Milosavlević - */ -;(function($){ - $.fn.datepicker.dates['rs'] = { - days: ["Nedelja","Ponedeljak", "Utorak", "Sreda", "Četvrtak", "Petak", "Subota", "Nedelja"], - daysShort: ["Ned", "Pon", "Uto", "Sre", "Čet", "Pet", "Sub", "Ned"], - daysMin: ["N", "Po", "U", "Sr", "Č", "Pe", "Su", "N"], - months: ["Januar", "Februar", "Mart", "April", "Maj", "Jun", "Jul", "Avgust", "Septembar", "Oktobar", "Novembar", "Decembar"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Maj", "Jun", "Jul", "Avg", "Sep", "Okt", "Nov", "Dec"], - today: "Danas" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs.js deleted file mode 100644 index 6b65747..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.rs.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Serbian cyrillic translation for bootstrap-datepicker - * Bojan Milosavlević - */ -;(function($){ - $.fn.datepicker.dates['rs'] = { - days: ["Недеља","Понедељак", "Уторак", "Среда", "Четвртак", "Петак", "Субота", "Недеља"], - daysShort: ["Нед", "Пон", "Уто", "Сре", "Чет", "Пет", "Суб", "Нед"], - daysMin: ["Н", "По", "У", "Ср", "Ч", "Пе", "Су", "Н"], - months: ["Јануар", "Фебруар", "Март", "Април", "Мај", "Јун", "Јул", "Август", "Септембар", "Октобар", "Новембар", "Децембар"], - monthsShort: ["Јан", "Феб", "Мар", "Апр", "Мај", "Јун", "Јул", "Авг", "Сеп", "Окт", "Нов", "Дец"], - today: "Данас" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ru.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ru.js deleted file mode 100644 index 9404cff..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.ru.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Russian translation for bootstrap-datepicker - * Victor Taranenko - */ -;(function($){ - $.fn.datepicker.dates['ru'] = { - days: ["Воскресенье", "Понедельник", "Вторник", "Среда", "Четверг", "Пятница", "Суббота", "Воскресенье"], - daysShort: ["Вск", "Пнд", "Втр", "Срд", "Чтв", "Птн", "Суб", "Вск"], - daysMin: ["Вс", "Пн", "Вт", "Ср", "Чт", "Пт", "Сб", "Вс"], - months: ["Январь", "Февраль", "Март", "Апрель", "Май", "Июнь", "Июль", "Август", "Сентябрь", "Октябрь", "Ноябрь", "Декабрь"], - monthsShort: ["Янв", "Фев", "Мар", "Апр", "Май", "Июн", "Июл", "Авг", "Сен", "Окт", "Ноя", "Дек"], - today: "Сегодня" - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sk.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sk.js deleted file mode 100644 index c48032a..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sk.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Slovak translation for bootstrap-datepicker - * Marek Lichtner - * Fixes by Michal Remiš - */ -;(function($){ - $.fn.datepicker.dates["sk"] = { - days: ["Nedeľa", "Pondelok", "Utorok", "Streda", "Štvrtok", "Piatok", "Sobota", "Nedeľa"], - daysShort: ["Ned", "Pon", "Uto", "Str", "Štv", "Pia", "Sob", "Ned"], - daysMin: ["Ne", "Po", "Ut", "St", "Št", "Pia", "So", "Ne"], - months: ["Január", "Február", "Marec", "Apríl", "Máj", "Jún", "Júl", "August", "September", "Október", "November", "December"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Máj", "Jún", "Júl", "Aug", "Sep", "Okt", "Nov", "Dec"], - today: "Dnes" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sl.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sl.js deleted file mode 100644 index 41b0e06..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sl.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Slovene translation for bootstrap-datepicker - * Gregor Rudolf - */ -;(function($){ - $.fn.datepicker.dates['sl'] = { - days: ["Nedelja", "Ponedeljek", "Torek", "Sreda", "Četrtek", "Petek", "Sobota", "Nedelja"], - daysShort: ["Ned", "Pon", "Tor", "Sre", "Čet", "Pet", "Sob", "Ned"], - daysMin: ["Ne", "Po", "To", "Sr", "Če", "Pe", "So", "Ne"], - months: ["Januar", "Februar", "Marec", "April", "Maj", "Junij", "Julij", "Avgust", "September", "Oktober", "November", "December"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Maj", "Jun", "Jul", "Avg", "Sep", "Okt", "Nov", "Dec"], - today: "Danes" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sv.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sv.js deleted file mode 100644 index 5cb1d0c..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sv.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Swedish translation for bootstrap-datepicker - * Patrik Ragnarsson - */ -;(function($){ - $.fn.datepicker.dates['sv'] = { - days: ["Söndag", "Måndag", "Tisdag", "Onsdag", "Torsdag", "Fredag", "Lördag", "Söndag"], - daysShort: ["Sön", "Mån", "Tis", "Ons", "Tor", "Fre", "Lör", "Sön"], - daysMin: ["Sö", "Må", "Ti", "On", "To", "Fr", "Lö", "Sö"], - months: ["Januari", "Februari", "Mars", "April", "Maj", "Juni", "Juli", "Augusti", "September", "Oktober", "November", "December"], - monthsShort: ["Jan", "Feb", "Mar", "Apr", "Maj", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dec"], - today: "I Dag" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sw.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sw.js deleted file mode 100644 index 622e0ef..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.sw.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Swahili translation for bootstrap-datepicker - * Edwin Mugendi - * Source: http://scriptsource.org/cms/scripts/page.php?item_id=entry_detail&uid=xnfaqyzcku - */ -;(function($){ - $.fn.datepicker.dates['sw'] = { - days: ["Jumapili", "Jumatatu", "Jumanne", "Jumatano", "Alhamisi", "Ijumaa", "Jumamosi", "Jumapili"], - daysShort: ["J2", "J3", "J4", "J5", "Alh", "Ij", "J1", "J2"], - daysMin: ["2", "3", "4", "5", "A", "I", "1", "2"], - months: ["Januari", "Februari", "Machi", "Aprili", "Mei", "Juni", "Julai", "Agosti", "Septemba", "Oktoba", "Novemba", "Desemba"], - monthsShort: ["Jan", "Feb", "Mac", "Apr", "Mei", "Jun", "Jul", "Ago", "Sep", "Okt", "Nov", "Des"], - today: "Leo" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.th.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.th.js deleted file mode 100644 index 562b063..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.th.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Thai translation for bootstrap-datepicker - * Suchau Jiraprapot - */ -;(function($){ - $.fn.datepicker.dates['th'] = { - days: ["อาทิตย์", "จันทร์", "อังคาร", "พุธ", "พฤหัส", "ศุกร์", "เสาร์", "อาทิตย์"], - daysShort: ["อา", "จ", "อ", "พ", "พฤ", "ศ", "ส", "อา"], - daysMin: ["อา", "จ", "อ", "พ", "พฤ", "ศ", "ส", "อา"], - months: ["มกราคม", "กุมภาพันธ์", "มีนาคม", "เมษายน", "พฤษภาคม", "มิถุนายน", "กรกฎาคม", "สิงหาคม", "กันยายน", "ตุลาคม", "พฤศจิกายน", "ธันวาคม"], - monthsShort: ["ม.ค.", "ก.พ.", "มี.ค.", "เม.ย.", "พ.ค.", "มิ.ย.", "ก.ค.", "ส.ค.", "ก.ย.", "ต.ค.", "พ.ย.", "ธ.ค."], - today: "วันนี้" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.tr.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.tr.js deleted file mode 100644 index e46eced..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.tr.js +++ /dev/null @@ -1,15 +0,0 @@ -/** - * Turkish translation for bootstrap-datepicker - * Serkan Algur - */ -;(function($){ - $.fn.datepicker.dates['tr'] = { - days: ["Pazar", "Pazartesi", "Salı", "Çarşamba", "Perşembe", "Cuma", "Cumartesi", "Pazar"], - daysShort: ["Pz", "Pzt", "Sal", "Çrş", "Prş", "Cu", "Cts", "Pz"], - daysMin: ["Pz", "Pzt", "Sa", "Çr", "Pr", "Cu", "Ct", "Pz"], - months: ["Ocak", "Şubat", "Mart", "Nisan", "Mayıs", "Haziran", "Temmuz", "Ağustos", "Eylül", "Ekim", "Kasım", "Aralık"], - monthsShort: ["Oca", "Şub", "Mar", "Nis", "May", "Haz", "Tem", "Ağu", "Eyl", "Eki", "Kas", "Ara"], - today: "Bugün" - }; -}(jQuery)); - diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.uk.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.uk.js deleted file mode 100644 index bbd0c73..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.uk.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Ukrainian translation for bootstrap-datepicker - * Andrey Vityuk - */ -;(function($){ - $.fn.datepicker.dates['uk'] = { - days: ["Неділя", "Понеділок", "Вівторок", "Середа", "Четвер", "П'ятниця", "Субота", "Неділя"], - daysShort: ["Нед", "Пнд", "Втр", "Срд", "Чтв", "Птн", "Суб", "Нед"], - daysMin: ["Нд", "Пн", "Вт", "Ср", "Чт", "Пт", "Сб", "Нд"], - months: ["Січень", "Лютий", "Березень", "Квітень", "Травень", "Червень", "Липень", "Серпень", "Вересень", "Жовтень", "Листопад", "Грудень"], - monthsShort: ["Січ", "Лют", "Бер", "Кві", "Тра", "Чер", "Лип", "Сер", "Вер", "Жов", "Лис", "Гру"], - today: "Сьогодні" - }; -}(jQuery)); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-CN.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-CN.js deleted file mode 100644 index 7cdcd03..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-CN.js +++ /dev/null @@ -1,14 +0,0 @@ -/** - * Simplified Chinese translation for bootstrap-datepicker - * Yuan Cheung - */ -;(function($){ - $.fn.datepicker.dates['zh-CN'] = { - days: ["星期日", "星期一", "星期二", "星期三", "星期四", "星期五", "星期六", "星期日"], - daysShort: ["周日", "周一", "周二", "周三", "周四", "周五", "周六", "周日"], - daysMin: ["日", "一", "二", "三", "四", "五", "六", "日"], - months: ["一月", "二月", "三月", "四月", "五月", "六月", "七月", "八月", "九月", "十月", "十一月", "十二月"], - monthsShort: ["一月", "二月", "三月", "四月", "五月", "六月", "七月", "八月", "九月", "十月", "十一月", "十二月"], - today: "今日" - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-TW.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-TW.js deleted file mode 100644 index d21afc1..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-datepicker/js/locales/bootstrap-datepicker.zh-TW.js +++ /dev/null @@ -1,13 +0,0 @@ -/** - * Traditional Chinese translation for bootstrap-datepicker - * Rung-Sheng Jang - */ -;(function($){ - $.fn.datepicker.dates['zh-TW'] = { - days: ["星期日", "星期一", "星期二", "星期三", "星期四", "星期五", "星期六", "星期日"], - daysShort: ["周日", "周一", "周二", "周三", "周四", "周五", "周六", "周日"], - daysMin: ["日", "一", "二", "三", "四", "五", "六", "日"], - months: ["一月", "二月", "三月", "四月", "五月", "六月", "七月", "八月", "九月", "十月", "十一月", "十二月"], - monthsShort: ["一月", "二月", "三月", "四月", "五月", "六月", "七月", "八月", "九月", "十月", "十一月", "十二月"] - }; -}(jQuery)); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.css b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.css deleted file mode 100644 index 02aa7cf..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.css +++ /dev/null @@ -1,153 +0,0 @@ -@charset 'UTF-8'; -/* - * Bootstrap Image Gallery CSS 2.5.3 - * https://github.com/blueimp/Bootstrap-Image-Gallery - * - * Copyright 2011, Sebastian Tschan - * https://blueimp.net - * - * Licensed under the MIT license: - * http://www.opensource.org/licenses/MIT - */ - -.modal-gallery { -} -.modal-gallery.fade.in { -} -.modal-gallery .modal-body { -} -.modal-gallery .modal-title { -} -.modal-gallery .modal-image { - position: relative; - margin: auto; - min-width: 128px; - min-height: 128px; - overflow: hidden; - cursor: pointer; -} -.modal-gallery .modal-footer { - margin-top: 0px; -} -.modal-gallery .modal-image:hover:before, -.modal-gallery .modal-image:hover:after { - content: '\2039'; - position: absolute; - top: 50%; - left: 15px; - width: 40px; - height: 40px; - margin-top: -20px; - font-size: 60px; - font-weight: 100; - line-height: 24px; - color: #ffffff; - text-align: center; - background: #222222; - border: 3px solid #ffffff; - -webkit-border-radius: 23px; - -moz-border-radius: 23px; - border-radius: 23px; - opacity: 0.5; - filter: alpha(opacity=50); - z-index: 1; -} -.modal-gallery .modal-image:hover:after { - content: '\203A'; - left: auto; - right: 15px; -} -.modal-single .modal-image:hover:before, -.modal-single .modal-image:hover:after { - display: none; -} -.modal-gallery.fade .modal-image, .modal-gallery.fade .modal-dialog { - -webkit-transition: width 0.15s ease, height 0.15s ease; - -moz-transition: width 0.15s ease, height 0.15s ease; - -ms-transition: width 0.15s ease, height 0.15s ease; - -o-transition: width 0.15s ease, height 0.15s ease; - transition: width 0.15s ease, height 0.15s ease; -} -.modal-gallery .modal-image *:not(.loader) { - position: absolute; - top: 0; -} -.modal-gallery .modal-image *:not(.loader) { - opacity: 0; - filter: alpha(opacity=0); -} -.modal-gallery .modal-image h1.loader { - height: 50%; - width: 100%; - text-align: center; - font-size: 4em; - display: none; -} -.modal-loading.modal-gallery .modal-image h1.loader { - display: block; -} -.modal-gallery.fade .modal-image * { - -webkit-transition: opacity 0.5s linear; - -moz-transition: opacity 0.5s linear; - -ms-transition: opacity 0.5s linear; - -o-transition: opacity 0.5s linear; - transition: opacity 0.5s linear; -} -.modal-gallery .modal-image *.in { - opacity: 1; - filter: alpha(opacity=100); -} -.modal-fullscreen { - border: none; - -webkit-border-radius: 0; - -moz-border-radius: 0; - border-radius: 0; - background: transparent; - overflow: hidden; -} -.modal-fullscreen.modal-loading { - border: 0; - -webkit-box-shadow: none; - -moz-box-shadow: none; - box-shadow: none; -} -.modal-fullscreen .modal-body { - padding: 0; -} -.modal-fullscreen .modal-header, -.modal-fullscreen .modal-footer { - position: absolute; - top: 0; - right: 0; - left: 0; - background: transparent; - border: 0; - -webkit-box-shadow: none; - -moz-box-shadow: none; - box-shadow: none; - opacity: 0; - z-index: 2000; -} -.modal-fullscreen .modal-footer { - top: auto; - bottom: 0; -} -.modal-fullscreen .close, -.modal-fullscreen .modal-title { - color: #fff; - text-shadow: 0 0 2px rgba(33, 33, 33, 0.8); -} -.modal-fullscreen .modal-header:hover, -.modal-fullscreen .modal-footer:hover { - opacity: 1; -} - -@media (max-width: 767px) { - .modal-gallery .btn span { - display: none; - } - .modal-fullscreen { - right: 0; - left: 0; - } -} diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.min.css b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.min.css deleted file mode 100644 index 4b7366b..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/css/bootstrap-image-gallery.min.css +++ /dev/null @@ -1,22 +0,0 @@ -@charset 'UTF-8'; -.modal-gallery{width:auto;max-height:none;outline:none;} -.modal-gallery.fade.in{top:50%;} -.modal-gallery .modal-body{max-height:none;} -.modal-gallery .modal-title{display:inline-block;max-height:54px;overflow:hidden;} -.modal-gallery .modal-image{position:relative;margin:auto;min-width:128px;min-height:128px;overflow:hidden;cursor:pointer;} -.modal-gallery .modal-image:hover:before,.modal-gallery .modal-image:hover:after{content:'\2039';position:absolute;top:50%;left:15px;width:40px;height:40px;margin-top:-20px;font-size:60px;font-weight:100;line-height:30px;color:#ffffff;text-align:center;background:#222222;border:3px solid #ffffff;-webkit-border-radius:23px;-moz-border-radius:23px;border-radius:23px;opacity:0.5;filter:alpha(opacity=50);z-index:1;} -.modal-gallery .modal-image:hover:after{content:'\203A';left:auto;right:15px;} -.modal-single .modal-image:hover:before,.modal-single .modal-image:hover:after{display:none;} -.modal-loading .modal-image{background:url(../img/loading.gif) center no-repeat;} -.modal-gallery.fade .modal-image{-webkit-transition:width 0.15s ease, height 0.15s ease;-moz-transition:width 0.15s ease, height 0.15s ease;-ms-transition:width 0.15s ease, height 0.15s ease;-o-transition:width 0.15s ease, height 0.15s ease;transition:width 0.15s ease, height 0.15s ease;} -.modal-gallery .modal-image *{position:absolute;top:0;opacity:0;filter:alpha(opacity=0);} -.modal-gallery.fade .modal-image *{-webkit-transition:opacity 0.5s linear;-moz-transition:opacity 0.5s linear;-ms-transition:opacity 0.5s linear;-o-transition:opacity 0.5s linear;transition:opacity 0.5s linear;} -.modal-gallery .modal-image *.in{opacity:1;filter:alpha(opacity=100);} -.modal-fullscreen{border:none;-webkit-border-radius:0;-moz-border-radius:0;border-radius:0;background:transparent;overflow:hidden;} -.modal-fullscreen.modal-loading{border:0;-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none;} -.modal-fullscreen .modal-body{padding:0;} -.modal-fullscreen .modal-header,.modal-fullscreen .modal-footer{position:absolute;top:0;right:0;left:0;background:transparent;border:0;-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none;opacity:0;z-index:2000;} -.modal-fullscreen .modal-footer{top:auto;bottom:0;} -.modal-fullscreen .close,.modal-fullscreen .modal-title{color:#fff;text-shadow:0 0 2px rgba(33, 33, 33, 0.8);} -.modal-fullscreen .modal-header:hover,.modal-fullscreen .modal-footer:hover{opacity:1;} -@media (max-width:767px){.modal-gallery .btn span{display:none;} .modal-fullscreen{right:0;left:0;}} diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/img/loading.gif b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/img/loading.gif deleted file mode 100644 index 90f28cb..0000000 Binary files a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/img/loading.gif and /dev/null differ diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.js deleted file mode 100644 index 32bb4ad..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.js +++ /dev/null @@ -1,402 +0,0 @@ -/* - * Bootstrap Image Gallery 2.10 - * https://github.com/blueimp/Bootstrap-Image-Gallery - * - * Copyright 2011, Sebastian Tschan - * https://blueimp.net - * - * Licensed under the MIT license: - * http://www.opensource.org/licenses/MIT - */ - -/*jslint nomen: true, regexp: true */ -/*global define, window, document, jQuery */ - -(function (factory) { - 'use strict'; - if (typeof define === 'function' && define.amd) { - // Register as an anonymous AMD module: - define([ - 'jquery', - 'load-image', - 'bootstrap' - ], factory); - } else { - // Browser globals: - factory( - window.jQuery, - window.loadImage - ); - } -}(function ($, loadImage) { - 'use strict'; - // Bootstrap Image Gallery is an extension to the Modal dialog of Twitter's - // Bootstrap toolkit, to ease navigation between a set of gallery images. - // It features transition effects, fullscreen mode and slideshow functionality. - $.extend($.fn.modal.Constructor.DEFAULTS, { - // Delegate to search gallery links from, can be anything that - // is accepted as parameter for $(): - delegate: document, - // Selector for gallery links: - selector: null, - // The filter for the selected gallery links (e.g. set to ":odd" to - // filter out label and thumbnail linking twice to the same image): - filter: '*', - // The index of the first gallery image to show: - index: 0, - // The href of the first gallery image to show (overrides index): - href: null, - // The range of images around the current one to preload: - preloadRange: 2, - // Offset of image width to viewport width: - offsetWidth: 100, - // Offset of image height to viewport height: - offsetHeight: 230, - // Set to true to display images as canvas elements: - canvas: false, - // Shows the next image after the given time in ms (0 = disabled): - slideshow: 0, - // Defines the image division for previous/next clicks: - imageClickDivision: 0.5 - }); - var originalShow = $.fn.modal.Constructor.prototype.show, - originalHide = $.fn.modal.Constructor.prototype.hide; - $.extend($.fn.modal.Constructor.prototype, { - initLinks: function () { - var $this = this, - options = this.options, - selector = options.selector || - 'a[data-target=' + options.target + ']'; - this.$links = $(options.delegate).find(selector) - .each(function (index) { - if ($this.getUrl(this) === options.href) { - options.index = index; - } - }); - if (!this.$links[options.index]) { - options.index = 0; - } - }, - getUrl: function (element) { - return element.href || $(element).data('href'); - }, - getDownloadUrl: function (element) { - return $(element).data('download'); - }, - startSlideShow: function () { - var $this = this; - if (this.options.slideshow) { - this._slideShow = window.setTimeout( - function () { - $this.next(); - }, - this.options.slideshow - ); - } - }, - stopSlideShow: function () { - window.clearTimeout(this._slideShow); - }, - toggleSlideShow: function () { - var node = this.$element.find('.modal-slideshow'); - if (this.options.slideshow) { - this.options.slideshow = 0; - this.stopSlideShow(); - } else { - this.options.slideshow = node.data('slideshow') || 5000; - this.startSlideShow(); - } - node.find('i').toggleClass('icon-play icon-pause'); - }, - preloadImages: function () { - var options = this.options, - range = options.index + options.preloadRange + 1, - link, - i; - for (i = options.index - options.preloadRange; i < range; i += 1) { - link = this.$links[i]; - if (link && i !== options.index) { - $('').prop('src', this.getUrl(link)); - } - } - }, - loadImage: function () { - var $this = this, - modal = this.$element, - index = this.options.index, - url = this.getUrl(this.$links[index]), - download = this.getDownloadUrl(this.$links[index]), - oldImg; - this.abortLoad(); - this.stopSlideShow(); - modal.trigger('beforeLoad'); - // The timeout prevents displaying a loading status, - // if the image has already been loaded: - this._loadingTimeout = window.setTimeout(function () { - modal.addClass('modal-loading'); - }, 100); - oldImg = modal.find('.modal-image').children('img').removeClass('in'); - // The timeout allows transition effects to finish: - window.setTimeout(function () { - oldImg.remove(); - }, 3000); - modal.find('.modal-title').text(this.$links[index].title); - modal.find('.modal-download').prop( - 'href', - download || url - ); - this._loadingImage = loadImage( - url, - function (img) { - $this.img = img; - window.clearTimeout($this._loadingTimeout); - modal.removeClass('modal-loading'); - modal.trigger('load'); - $this.showImage(img); - $this.startSlideShow(); - }, - this._loadImageOptions - ); - this.preloadImages(); - }, - showImage: function (img) { - var modal = this.$element, - transition = $.support.transition && modal.hasClass('fade'), - method = transition ? modal.animate : modal.css, - modalImage = modal.find('.modal-image'), - clone, - forceReflow; - modalImage.css({ - width: img.width, - height: img.height - }); - if ($(window).width() > 767) { - modal.find('.modal-dialog').css({width: Math.max(img.width + 60, 450)}); - } - // modal.find('.modal-title').css({ width: Math.max(img.width, 380) }); - // if (transition) { - // clone = modal.clone().hide().appendTo(document.body); - // } - // // if ($(window).width() > 767) { - // // method.call(modal.stop(), { - // // 'margin-top': -((clone || modal).outerHeight() / 2), - // // 'margin-left': -((clone || modal).outerWidth() / 2) - // // }); - // // } else { - // // modal.css({ - // // top: ($(window).height() - (clone || modal).outerHeight()) / 2 - // // }); - // // } - // if (clone) { - // clone.remove(); - // } - modalImage.append(img); - forceReflow = img.offsetWidth; - modal.trigger('display'); - if (transition) { - if (modal.is(':visible')) { - $(img).on( - $.support.transition.end, - function (e) { - // Make sure we don't respond to other transitions events - // in the container element, e.g. from button elements: - if (e.target === img) { - $(img).off($.support.transition.end); - modal.trigger('displayed'); - } - } - ).addClass('in'); - } else { - $(img).addClass('in'); - modal.one('shown', function () { - modal.trigger('displayed'); - }); - } - } else { - $(img).addClass('in'); - modal.trigger('displayed'); - } - }, - abortLoad: function () { - if (this._loadingImage) { - this._loadingImage.onload = this._loadingImage.onerror = null; - } - window.clearTimeout(this._loadingTimeout); - }, - prev: function () { - var options = this.options; - options.index -= 1; - if (options.index < 0) { - options.index = this.$links.length - 1; - } - this.loadImage(); - }, - next: function () { - var options = this.options; - options.index += 1; - if (options.index > this.$links.length - 1) { - options.index = 0; - } - this.loadImage(); - }, - keyHandler: function (e) { - switch (e.which) { - case 37: // left - case 38: // up - e.preventDefault(); - this.prev(); - break; - case 39: // right - case 40: // down - e.preventDefault(); - this.next(); - break; - } - }, - wheelHandler: function (e) { - e.preventDefault(); - e = e.originalEvent; - this._wheelCounter = this._wheelCounter || 0; - this._wheelCounter += (e.wheelDelta || e.detail || 0); - if ((e.wheelDelta && this._wheelCounter >= 120) || - (!e.wheelDelta && this._wheelCounter < 0)) { - this.prev(); - this._wheelCounter = 0; - } else if ((e.wheelDelta && this._wheelCounter <= -120) || - (!e.wheelDelta && this._wheelCounter > 0)) { - this.next(); - this._wheelCounter = 0; - } - }, - initGalleryEvents: function () { - var $this = this, - modal = this.$element; - modal.find('.modal-image').on('click.modal-gallery', function (e) { - var modalImage = $(this); - if ($this.$links.length === 1) { - $this.hide(); - } else { - if ((e.pageX - modalImage.offset().left) / modalImage.width() < - $this.options.imageClickDivision) { - $this.prev(e); - } else { - $this.next(e); - } - } - }); - modal.find('.modal-prev').on('click.modal-gallery', function (e) { - $this.prev(e); - }); - modal.find('.modal-next').on('click.modal-gallery', function (e) { - $this.next(e); - }); - modal.find('.modal-slideshow').on('click.modal-gallery', function (e) { - $this.toggleSlideShow(e); - }); - $(document) - .on('keydown.modal-gallery', function (e) { - $this.keyHandler(e); - }) - .on( - 'mousewheel.modal-gallery, DOMMouseScroll.modal-gallery', - function (e) { - $this.wheelHandler(e); - } - ); - }, - destroyGalleryEvents: function () { - var modal = this.$element; - this.abortLoad(); - this.stopSlideShow(); - modal.find('.modal-image, .modal-prev, .modal-next, .modal-slideshow') - .off('click.modal-gallery'); - $(document) - .off('keydown.modal-gallery') - .off('mousewheel.modal-gallery, DOMMouseScroll.modal-gallery'); - }, - show: function () { - if (!this.isShown && this.$element.hasClass('modal-gallery')) { - var modal = this.$element, - options = this.options, - windowWidth = $(window).width(), - windowHeight = $(window).height(); - if (modal.hasClass('modal-fullscreen')) { - this._loadImageOptions = { - maxWidth: windowWidth, - maxHeight: windowHeight, - canvas: options.canvas - }; - if (modal.hasClass('modal-fullscreen-stretch')) { - this._loadImageOptions.minWidth = windowWidth; - this._loadImageOptions.minHeight = windowHeight; - } - } else { - this._loadImageOptions = { - maxWidth: windowWidth - options.offsetWidth, - maxHeight: windowHeight - options.offsetHeight, - canvas: options.canvas - }; - } - // if (windowWidth > 767) { - // modal.css({ - // 'margin-top': -(modal.outerHeight() / 2), - // 'margin-left': -(modal.outerWidth() / 2) - // }); - // } else { - // modal.css({ - // top: ($(window).height() - modal.outerHeight()) / 2 - // }); - // } - this.initGalleryEvents(); - this.initLinks(); - if (this.$links.length) { - modal.find('.modal-slideshow, .modal-prev, .modal-next') - .toggle(this.$links.length !== 1); - modal.toggleClass( - 'modal-single', - this.$links.length === 1 - ); - this.loadImage(); - } - } - originalShow.apply(this, arguments); - }, - hide: function () { - if (this.isShown && this.$element.hasClass('modal-gallery')) { - this.options.delegate = document; - this.options.href = null; - this.destroyGalleryEvents(); - } - originalHide.apply(this, arguments); - } - }); - $(function () { - $(document.body).on( - 'click.modal-gallery.data-api', - '[data-toggle="modal-gallery"]', - function (e) { - var $this = $(this), - options = $this.data(), - modal = $(options.target), - data = modal.data('bs.modal'), - link; - if (!data) { - options = $.extend(modal.data(), options); - } - if (!options.selector) { - options.selector = 'a[data-gallery=gallery]'; - } - link = $(e.target).closest(options.selector); - if (link.length && modal.length) { - e.preventDefault(); - options.href = link.prop('href') || link.data('href'); - options.delegate = link[0] !== this ? this : document; - if (data) { - $.extend(data.options, options); - } - modal.modal(options); - } - } - ); - }); -})); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.min.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.min.js deleted file mode 100644 index e8662f0..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-image-gallery/js/bootstrap-image-gallery.min.js +++ /dev/null @@ -1 +0,0 @@ -(function(a){"use strict",typeof define=="function"&&define.amd?define(["jquery","load-image","bootstrap"],a):a(window.jQuery,window.loadImage)})(function(a,b){"use strict",a.extend(a.fn.modal.defaults,{delegate:document,selector:null,filter:"*",index:0,href:null,preloadRange:2,offsetWidth:100,offsetHeight:200,canvas:!1,slideshow:0,imageClickDivision:.5});var c=a.fn.modal.Constructor.prototype.show,d=a.fn.modal.Constructor.prototype.hide;a.extend(a.fn.modal.Constructor.prototype,{initLinks:function(){var b=this,c=this.options,d=c.selector||"a[data-target="+c.target+"]";this.$links=a(c.delegate).find(d).filter(c.filter).each(function(a){b.getUrl(this)===c.href&&(c.index=a)}),this.$links[c.index]||(c.index=0)},getUrl:function(b){return b.href||a(b).data("href")},getDownloadUrl:function(b){return a(b).data("download")},startSlideShow:function(){var a=this;this.options.slideshow&&(this._slideShow=window.setTimeout(function(){a.next()},this.options.slideshow))},stopSlideShow:function(){window.clearTimeout(this._slideShow)},toggleSlideShow:function(){var a=this.$element.find(".modal-slideshow");this.options.slideshow?(this.options.slideshow=0,this.stopSlideShow()):(this.options.slideshow=a.data("slideshow")||5e3,this.startSlideShow()),a.find("i").toggleClass("icon-play icon-pause")},preloadImages:function(){var b=this.options,c=b.index+b.preloadRange+1,d,e;for(e=b.index-b.preloadRange;e").prop("src",this.getUrl(d))},loadImage:function(){var a=this,c=this.$element,d=this.options.index,e=this.getUrl(this.$links[d]),f=this.getDownloadUrl(this.$links[d]),g;this.abortLoad(),this.stopSlideShow(),c.trigger("beforeLoad"),this._loadingTimeout=window.setTimeout(function(){c.addClass("modal-loading")},100),g=c.find(".modal-image").children().removeClass("in"),window.setTimeout(function(){g.remove()},3e3),c.find(".modal-title").text(this.$links[d].title),c.find(".modal-download").prop("href",f||e),this._loadingImage=b(e,function(b){a.img=b,window.clearTimeout(a._loadingTimeout),c.removeClass("modal-loading"),c.trigger("load"),a.showImage(b),a.startSlideShow()},this._loadImageOptions),this.preloadImages()},showImage:function(b){var c=this.$element,d=a.support.transition&&c.hasClass("fade"),e=d?c.animate:c.css,f=c.find(".modal-image"),g,h;f.css({width:b.width,height:b.height}),c.find(".modal-title").css({width:Math.max(b.width,380)}),d&&(g=c.clone().hide().appendTo(document.body)),a(window).width()>767?e.call(c.stop(),{"margin-top":-((g||c).outerHeight()/2),"margin-left":-((g||c).outerWidth()/2)}):c.css({top:(a(window).height()-(g||c).outerHeight())/2}),g&&g.remove(),f.append(b),h=b.offsetWidth,c.trigger("display"),d?c.is(":visible")?a(b).on(a.support.transition.end,function(d){d.target===b&&(a(b).off(a.support.transition.end),c.trigger("displayed"))}).addClass("in"):(a(b).addClass("in"),c.one("shown",function(){c.trigger("displayed")})):(a(b).addClass("in"),c.trigger("displayed"))},abortLoad:function(){this._loadingImage&&(this._loadingImage.onload=this._loadingImage.onerror=null),window.clearTimeout(this._loadingTimeout)},prev:function(){var a=this.options;a.index-=1,a.index<0&&(a.index=this.$links.length-1),this.loadImage()},next:function(){var a=this.options;a.index+=1,a.index>this.$links.length-1&&(a.index=0),this.loadImage()},keyHandler:function(a){switch(a.which){case 37:case 38:a.preventDefault(),this.prev();break;case 39:case 40:a.preventDefault(),this.next()}},wheelHandler:function(a){a.preventDefault(),a=a.originalEvent,this._wheelCounter=this._wheelCounter||0,this._wheelCounter+=a.wheelDelta||a.detail||0;if(a.wheelDelta&&this._wheelCounter>=120||!a.wheelDelta&&this._wheelCounter<0)this.prev(),this._wheelCounter=0;else if(a.wheelDelta&&this._wheelCounter<=-120||!a.wheelDelta&&this._wheelCounter>0)this.next(),this._wheelCounter=0},initGalleryEvents:function(){var b=this,c=this.$element;c.find(".modal-image").on("click.modal-gallery",function(c){var d=a(this);b.$links.length===1?b.hide():(c.pageX-d.offset().left)/d.width()767?b.css({"margin-top":-(b.outerHeight()/2),"margin-left":-(b.outerWidth()/2)}):b.css({top:(a(window).height()-b.outerHeight())/2}),this.initGalleryEvents(),this.initLinks(),this.$links.length&&(b.find(".modal-slideshow, .modal-prev, .modal-next").toggle(this.$links.length!==1),b.toggleClass("modal-single",this.$links.length===1),this.loadImage())}c.apply(this,arguments)},hide:function(){this.isShown&&this.$element.hasClass("modal-gallery")&&(this.options.delegate=document,this.options.href=null,this.destroyGalleryEvents()),d.apply(this,arguments)}}),a(function(){a(document.body).on("click.modal-gallery.data-api",'[data-toggle="modal-gallery"]',function(b){var c=a(this),d=c.data(),e=a(d.target),f=e.data("modal"),g;f||(d=a.extend(e.data(),d)),d.selector||(d.selector="a[data-gallery=gallery]"),g=a(b.target).closest(d.selector),g.length&&e.length&&(b.preventDefault(),d.href=g.prop("href")||g.data("href"),d.delegate=g[0]!==this?this:document,f&&a.extend(f.options,d),e.modal(d))})})}); \ No newline at end of file diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/css/bootstrap-modal.css b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/css/bootstrap-modal.css deleted file mode 100644 index 76e3be2..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/css/bootstrap-modal.css +++ /dev/null @@ -1,214 +0,0 @@ -/*! - * Bootstrap Modal - * - * Copyright Jordan Schroter - * Licensed under the Apache License v2.0 - * http://www.apache.org/licenses/LICENSE-2.0 - * - */ - -.modal-open { - overflow: hidden; -} - - -/* add a scroll bar to stop page from jerking around */ -.modal-open.page-overflow .page-container, -.modal-open.page-overflow .page-container .navbar-fixed-top, -.modal-open.page-overflow .page-container .navbar-fixed-bottom, -.modal-open.page-overflow .modal-scrollable { - overflow-y: scroll; -} - -@media (max-width: 979px) { - .modal-open.page-overflow .page-container .navbar-fixed-top, - .modal-open.page-overflow .page-container .navbar-fixed-bottom { - overflow-y: visible; - } -} - - -.modal-scrollable { - position: fixed; - top: 0; - bottom: 0; - left: 0; - right: 0; - overflow: auto; -} - -.modal { - outline: none; - position: absolute; - margin-top: 0; - top: 50%; - overflow: visible; /* allow content to popup out (i.e tooltips) */ -} - -.modal.fade { - top: -100%; - -webkit-transition: opacity 0.3s linear, top 0.3s ease-out, bottom 0.3s ease-out, margin-top 0.3s ease-out; - -moz-transition: opacity 0.3s linear, top 0.3s ease-out, bottom 0.3s ease-out, margin-top 0.3s ease-out; - -o-transition: opacity 0.3s linear, top 0.3s ease-out, bottom 0.3s ease-out, margin-top 0.3s ease-out; - transition: opacity 0.3s linear, top 0.3s ease-out, bottom 0.3s ease-out, margin-top 0.3s ease-out; -} - -.modal.fade.in { - top: 50%; -} - -.modal-body { - max-height: none; - overflow: visible; -} - -.modal.modal-absolute { - position: absolute; - z-index: 950; -} - -.modal .loading-mask { - position: absolute; - top: 0; - bottom: 0; - left: 0; - right: 0; - background: #fff; - border-radius: 6px; -} - -.modal-backdrop.modal-absolute{ - position: absolute; - z-index: 940; -} - -.modal-backdrop, -.modal-backdrop.fade.in{ - opacity: 0.7; - filter: alpha(opacity=70); - background: #fff; -} - -.modal.container { - width: 940px; - margin-left: -470px; -} - -/* Modal Overflow */ - -.modal-overflow.modal { - top: 1%; -} - -.modal-overflow.modal.fade { - top: -100%; -} - -.modal-overflow.modal.fade.in { - top: 1%; -} - -.modal-overflow .modal-body { - overflow: auto; - -webkit-overflow-scrolling: touch; -} - -/* Responsive */ - -@media (min-width: 1200px) { - .modal.container { - width: 1170px; - margin-left: -585px; - } -} - -@media (max-width: 979px) { - .modal, - .modal.container, - .modal.modal-overflow { - top: 1%; - right: 1%; - left: 1%; - bottom: auto; - width: auto !important; - height: auto !important; - margin: 0 !important; - padding: 0 !important; - } - - .modal.fade.in, - .modal.container.fade.in, - .modal.modal-overflow.fade.in { - top: 1%; - bottom: auto; - } - - .modal-body, - .modal-overflow .modal-body { - position: static; - margin: 0; - height: auto !important; - max-height: none !important; - overflow: visible !important; - } - - .modal-footer, - .modal-overflow .modal-footer { - position: static; - } -} - -.loading-spinner { - position: absolute; - top: 50%; - left: 50%; - margin: -12px 0 0 -12px; -} - -/* -Animate.css - http://daneden.me/animate -Licensed under the ☺ license (http://licence.visualidiot.com/) - -Copyright (c) 2012 Dan Eden*/ - -.animated { - -webkit-animation-duration: 1s; - -moz-animation-duration: 1s; - -o-animation-duration: 1s; - animation-duration: 1s; - -webkit-animation-fill-mode: both; - -moz-animation-fill-mode: both; - -o-animation-fill-mode: both; - animation-fill-mode: both; -} - -@-webkit-keyframes shake { - 0%, 100% {-webkit-transform: translateX(0);} - 10%, 30%, 50%, 70%, 90% {-webkit-transform: translateX(-10px);} - 20%, 40%, 60%, 80% {-webkit-transform: translateX(10px);} -} - -@-moz-keyframes shake { - 0%, 100% {-moz-transform: translateX(0);} - 10%, 30%, 50%, 70%, 90% {-moz-transform: translateX(-10px);} - 20%, 40%, 60%, 80% {-moz-transform: translateX(10px);} -} - -@-o-keyframes shake { - 0%, 100% {-o-transform: translateX(0);} - 10%, 30%, 50%, 70%, 90% {-o-transform: translateX(-10px);} - 20%, 40%, 60%, 80% {-o-transform: translateX(10px);} -} - -@keyframes shake { - 0%, 100% {transform: translateX(0);} - 10%, 30%, 50%, 70%, 90% {transform: translateX(-10px);} - 20%, 40%, 60%, 80% {transform: translateX(10px);} -} - -.shake { - -webkit-animation-name: shake; - -moz-animation-name: shake; - -o-animation-name: shake; - animation-name: shake; -} diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/img/ajax-loader.gif b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/img/ajax-loader.gif deleted file mode 100644 index 4e651ed..0000000 Binary files a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/img/ajax-loader.gif and /dev/null differ diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modal.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modal.js deleted file mode 100644 index 0e39e9b..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modal.js +++ /dev/null @@ -1,374 +0,0 @@ -/* =========================================================== - * bootstrap-modal.js v2.1 - * =========================================================== - * Copyright 2012 Jordan Schroter - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * ========================================================== */ - - -!function ($) { - - "use strict"; // jshint ;_; - - /* MODAL CLASS DEFINITION - * ====================== */ - - var Modal = function (element, options) { - this.init(element, options); - }; - - Modal.prototype = { - - constructor: Modal, - - init: function (element, options) { - this.options = options; - - this.$element = $(element) - .delegate('[data-dismiss="modal"]', 'click.dismiss.modal', $.proxy(this.hide, this)); - - this.options.remote && this.$element.find('.modal-body').load(this.options.remote); - - var manager = typeof this.options.manager === 'function' ? - this.options.manager.call(this) : this.options.manager; - - manager = manager.appendModal ? - manager : $(manager).modalmanager().data('modalmanager'); - - manager.appendModal(this); - }, - - toggle: function () { - return this[!this.isShown ? 'show' : 'hide'](); - }, - - show: function () { - var e = $.Event('show'); - - if (this.isShown) return; - - this.$element.triggerHandler(e); - - if (e.isDefaultPrevented()) return; - - this.escape(); - - this.tab(); - - this.options.loading && this.loading(); - }, - - hide: function (e) { - e && e.preventDefault(); - - e = $.Event('hide'); - - this.$element.triggerHandler(e); - - if (!this.isShown || e.isDefaultPrevented()) return (this.isShown = false); - - this.isShown = false; - - this.escape(); - - this.tab(); - - this.isLoading && this.loading(); - - $(document).off('focusin.modal'); - - this.$element - .removeClass('in') - .removeClass('animated') - .removeClass(this.options.attentionAnimation) - .removeClass('modal-overflow') - .attr('aria-hidden', true); - - $.support.transition && this.$element.hasClass('fade') ? - this.hideWithTransition() : - this.hideModal(); - }, - - layout: function () { - var prop = this.options.height ? 'height' : 'max-height', - value = this.options.height || this.options.maxHeight; - - if (this.options.width){ - this.$element.css('width', this.options.width); - - var that = this; - this.$element.css('margin-left', function () { - if (/%/ig.test(that.options.width)){ - return -(parseInt(that.options.width) / 2) + '%'; - } else { - return -($(this).width() / 2) + 'px'; - } - }); - } else { - this.$element.css('width', ''); - this.$element.css('margin-left', ''); - } - - this.$element.find('.modal-body') - .css('overflow', '') - .css(prop, ''); - - var modalOverflow = $(window).height() - 10 < this.$element.height(); - - if (value){ - this.$element.find('.modal-body') - .css('overflow', 'auto') - .css(prop, value); - } - - if (modalOverflow || this.options.modalOverflow) { - this.$element - .css('margin-top', 0) - .addClass('modal-overflow'); - } else { - this.$element - .css('margin-top', 0 - this.$element.height() / 2) - .removeClass('modal-overflow'); - } - }, - - tab: function () { - var that = this; - - if (this.isShown && this.options.consumeTab) { - this.$element.on('keydown.tabindex.modal', '[data-tabindex]', function (e) { - if (e.keyCode && e.keyCode == 9){ - var $next = $(this), - $rollover = $(this); - - that.$element.find('[data-tabindex]:enabled:not([readonly])').each(function (e) { - if (!e.shiftKey){ - $next = $next.data('tabindex') < $(this).data('tabindex') ? - $next = $(this) : - $rollover = $(this); - } else { - $next = $next.data('tabindex') > $(this).data('tabindex') ? - $next = $(this) : - $rollover = $(this); - } - }); - - $next[0] !== $(this)[0] ? - $next.focus() : $rollover.focus(); - - e.preventDefault(); - } - }); - } else if (!this.isShown) { - this.$element.off('keydown.tabindex.modal'); - } - }, - - escape: function () { - var that = this; - if (this.isShown && this.options.keyboard) { - if (!this.$element.attr('tabindex')) this.$element.attr('tabindex', -1); - - this.$element.on('keyup.dismiss.modal', function (e) { - e.which == 27 && that.hide(); - }); - } else if (!this.isShown) { - this.$element.off('keyup.dismiss.modal') - } - }, - - hideWithTransition: function () { - var that = this - , timeout = setTimeout(function () { - that.$element.off($.support.transition.end); - that.hideModal(); - }, 500); - - this.$element.one($.support.transition.end, function () { - clearTimeout(timeout); - that.hideModal(); - }); - }, - - hideModal: function () { - this.$element - .hide() - .triggerHandler('hidden'); - - var prop = this.options.height ? 'height' : 'max-height'; - var value = this.options.height || this.options.maxHeight; - - if (value){ - this.$element.find('.modal-body') - .css('overflow', '') - .css(prop, ''); - } - - }, - - removeLoading: function () { - this.$loading.remove(); - this.$loading = null; - this.isLoading = false; - }, - - loading: function (callback) { - callback = callback || function () {}; - - var animate = this.$element.hasClass('fade') ? 'fade' : ''; - - if (!this.isLoading) { - var doAnimate = $.support.transition && animate; - - this.$loading = $('
    ') - .append(this.options.spinner) - .appendTo(this.$element); - - if (doAnimate) this.$loading[0].offsetWidth; // force reflow - - this.$loading.addClass('in'); - - this.isLoading = true; - - doAnimate ? - this.$loading.one($.support.transition.end, callback) : - callback(); - - } else if (this.isLoading && this.$loading) { - this.$loading.removeClass('in'); - - var that = this; - $.support.transition && this.$element.hasClass('fade')? - this.$loading.one($.support.transition.end, function () { that.removeLoading() }) : - that.removeLoading(); - - } else if (callback) { - callback(this.isLoading); - } - }, - - focus: function () { - var $focusElem = this.$element.find(this.options.focusOn); - - $focusElem = $focusElem.length ? $focusElem : this.$element; - - $focusElem.focus(); - }, - - attention: function (){ - // NOTE: transitionEnd with keyframes causes odd behaviour - - if (this.options.attentionAnimation){ - this.$element - .removeClass('animated') - .removeClass(this.options.attentionAnimation); - - var that = this; - - setTimeout(function () { - that.$element - .addClass('animated') - .addClass(that.options.attentionAnimation); - }, 0); - } - - - this.focus(); - }, - - - destroy: function () { - var e = $.Event('destroy'); - this.$element.triggerHandler(e); - if (e.isDefaultPrevented()) return; - - this.teardown(); - }, - - teardown: function () { - if (!this.$parent.length){ - this.$element.remove(); - this.$element = null; - return; - } - - if (this.$parent !== this.$element.parent()){ - this.$element.appendTo(this.$parent); - } - - this.$element.off('.modal'); - this.$element.removeData('modal'); - this.$element - .removeClass('in') - .attr('aria-hidden', true); - } - }; - - - /* MODAL PLUGIN DEFINITION - * ======================= */ - - $.fn.modal = function (option, args) { - return this.each(function () { - var $this = $(this), - data = $this.data('modal'), - options = $.extend({}, $.fn.modal.defaults, $this.data(), typeof option == 'object' && option); - - if (!data) $this.data('modal', (data = new Modal(this, options))); - if (typeof option == 'string') data[option].apply(data, [].concat(args)); - else if (options.show) data.show() - }) - }; - - $.fn.modal.defaults = { - keyboard: true, - backdrop: true, - loading: false, - show: true, - width: null, - height: null, - maxHeight: null, - modalOverflow: false, - consumeTab: true, - focusOn: null, - replace: false, - resize: false, - attentionAnimation: 'shake', - manager: 'body', - spinner: '
    ' - }; - - $.fn.modal.Constructor = Modal; - - - /* MODAL DATA-API - * ============== */ - - $(function () { - $(document).off('.modal').on('click.modal.data-api', '[data-toggle="modal"]', function ( e ) { - var $this = $(this), - href = $this.attr('href'), - $target = $($this.attr('data-target') || (href && href.replace(/.*(?=#[^\s]+$)/, ''))), //strip for ie7 - option = $target.data('modal') ? 'toggle' : $.extend({ remote: !/#/.test(href) && href }, $target.data(), $this.data()); - - e.preventDefault(); - $target - .modal(option) - .one('hide', function () { - $this.focus(); - }) - }); - }); - -}(window.jQuery); diff --git a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modalmanager.js b/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modalmanager.js deleted file mode 100644 index 1373a47..0000000 --- a/pillbox-engine/xadmin/static/xadmin/vendor/bootstrap-modal/js/bootstrap-modalmanager.js +++ /dev/null @@ -1,412 +0,0 @@ -/* =========================================================== - * bootstrap-modalmanager.js v2.1 - * =========================================================== - * Copyright 2012 Jordan Schroter. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * ========================================================== */ - -!function ($) { - - "use strict"; // jshint ;_; - - /* MODAL MANAGER CLASS DEFINITION - * ====================== */ - - var ModalManager = function (element, options) { - this.init(element, options); - }; - - ModalManager.prototype = { - - constructor: ModalManager, - - init: function (element, options) { - this.$element = $(element); - this.options = $.extend({}, $.fn.modalmanager.defaults, this.$element.data(), typeof options == 'object' && options); - this.stack = []; - this.backdropCount = 0; - - if (this.options.resize) { - var resizeTimeout, - that = this; - - $(window).on('resize.modal', function(){ - resizeTimeout && clearTimeout(resizeTimeout); - resizeTimeout = setTimeout(function(){ - for (var i = 0; i < that.stack.length; i++){ - that.stack[i].isShown && that.stack[i].layout(); - } - }, 10); - }); - } - }, - - createModal: function (element, options) { - $(element).modal($.extend({ manager: this }, options)); - }, - - appendModal: function (modal) { - this.stack.push(modal); - - var that = this; - - modal.$element.on('show.modalmanager', targetIsSelf(function (e) { - - var showModal = function(){ - modal.isShown = true; - - var transition = $.support.transition && modal.$element.hasClass('fade'); - - that.$element - .toggleClass('modal-open', that.hasOpenModal()) - .toggleClass('page-overflow', $(window).height() < that.$element.height()); - - modal.$parent = modal.$element.parent(); - - modal.$container = that.createContainer(modal); - - modal.$element.appendTo(modal.$container); - - that.backdrop(modal, function () { - - modal.$element.show(); - - if (transition) { - //modal.$element[0].style.display = 'run-in'; - modal.$element[0].offsetWidth; - //modal.$element.one($.support.transition.end, function () { modal.$element[0].style.display = 'block' }); - } - - modal.layout(); - - modal.$element - .addClass('in') - .attr('aria-hidden', false); - - var complete = function () { - that.setFocus(); - modal.$element.triggerHandler('shown'); - }; - - transition ? - modal.$element.one($.support.transition.end, complete) : - complete(); - }); - }; - - modal.options.replace ? - that.replace(showModal) : - showModal(); - })); - - modal.$element.on('hidden.modalmanager', targetIsSelf(function (e) { - - that.backdrop(modal); - - if (modal.$backdrop){ - $.support.transition && modal.$element.hasClass('fade') ? - modal.$backdrop.one($.support.transition.end, function () { that.destroyModal(modal) }) : - that.destroyModal(modal); - } else { - that.destroyModal(modal); - } - - })); - - modal.$element.on('destroy.modalmanager', targetIsSelf(function (e) { - that.removeModal(modal); - })); - - }, - - destroyModal: function (modal) { - - modal.destroy(); - - var hasOpenModal = this.hasOpenModal(); - - this.$element.toggleClass('modal-open', hasOpenModal); - - if (!hasOpenModal){ - this.$element.removeClass('page-overflow'); - } - - this.removeContainer(modal); - - this.setFocus(); - }, - - hasOpenModal: function () { - for (var i = 0; i < this.stack.length; i++){ - if (this.stack[i].isShown) return true; - } - - return false; - }, - - setFocus: function () { - var topModal; - - for (var i = 0; i < this.stack.length; i++){ - if (this.stack[i].isShown) topModal = this.stack[i]; - } - - if (!topModal) return; - - topModal.focus(); - - }, - - removeModal: function (modal) { - modal.$element.off('.modalmanager'); - if (modal.$backdrop) this.removeBackdrop.call(modal); - this.stack.splice(this.getIndexOfModal(modal), 1); - }, - - getModalAt: function (index) { - return this.stack[index]; - }, - - getIndexOfModal: function (modal) { - for (var i = 0; i < this.stack.length; i++){ - if (modal === this.stack[i]) return i; - } - }, - - replace: function (callback) { - var topModal; - - for (var i = 0; i < this.stack.length; i++){ - if (this.stack[i].isShown) topModal = this.stack[i]; - } - - if (topModal) { - this.$backdropHandle = topModal.$backdrop; - topModal.$backdrop = null; - - callback && topModal.$element.one('hidden', - targetIsSelf( $.proxy(callback, this) )); - - topModal.hide(); - } else if (callback) { - callback(); - } - }, - - removeBackdrop: function (modal) { - modal.$backdrop.remove(); - modal.$backdrop = null; - }, - - createBackdrop: function (animate) { - var $backdrop; - - if (!this.$backdropHandle) { - $backdrop = $('