diff --git a/compensation/models.py b/compensation/models.py index 0d1cf153..19e6ad0d 100644 --- a/compensation/models.py +++ b/compensation/models.py @@ -5,14 +5,13 @@ Contact: michel.peltriaux@sgdnord.rlp.de Created on: 17.11.20 """ -from django.contrib.auth.models import User from django.contrib.gis.db import models from django.utils.timezone import now from compensation.settings import COMPENSATION_IDENTIFIER_LENGTH, COMPENSATION_IDENTIFIER_TEMPLATE -from konova.models import BaseObject, BaseResource +from konova.models import BaseObject, BaseResource, Geometry from konova.utils.generators import generate_random_string -from process.models import Process +from organisation.models import Organisation class CompensationControl(BaseResource): @@ -22,7 +21,7 @@ class CompensationControl(BaseResource): deadline = models.ForeignKey("konova.Deadline", on_delete=models.SET_NULL, null=True, blank=True) type = models.CharField(max_length=500, null=True, blank=True) expected_result = models.CharField(max_length=500, null=True, blank=True, help_text="The expected outcome, that needs to be controlled") - by_authority = models.CharField(max_length=500, null=True, blank=True) + by_authority = models.ForeignKey(Organisation, null=True, blank=True, on_delete=models.SET_NULL) comment = models.TextField() @@ -31,8 +30,7 @@ class CompensationState(models.Model): Compensations must define the state of an area before and after the compensation. """ biotope_type = models.CharField(max_length=500, null=True, blank=True) - amount = models.FloatField() - unit = models.CharField(max_length=100, null=True, blank=True) + surface = models.FloatField() class CompensationAction(BaseResource): @@ -50,22 +48,21 @@ class Compensation(BaseObject): The compensation holds information about which actions have to be performed until which date, who is in charge of this, which legal authority is the point of contact, and so on. """ - is_old_law = models.BooleanField(default=False) - type = models.CharField(max_length=500, null=True, blank=True) - registration_office = models.CharField(max_length=500, null=True, blank=True) # ToDo: Really needed? - process = models.ForeignKey("process.Process", related_name="compensations", on_delete=models.CASCADE) + registration_office = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True) + conservation_office = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True) + ground_definitions = models.CharField(max_length=500, null=True, blank=True) # ToDo: Need to be M2M to laws! action_definitions = models.CharField(max_length=500, null=True, blank=True) # ToDo: Need to be M2M to laws! + + before_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') + after_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') actions = models.ManyToManyField(CompensationAction) + deadline_creation = models.ForeignKey("konova.Deadline", on_delete=models.SET_NULL, null=True, blank=True, related_name="deadline_creation") deadline_maintaining = models.ForeignKey("konova.Deadline", on_delete=models.SET_NULL, null=True, blank=True, related_name="deadline_maintaining") - initial_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') - final_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') - geometry = models.MultiPolygonField(null=True, blank=True) - documents = models.ManyToManyField("konova.Document", blank=True) - def __str__(self): - return "{} of {}".format(self.type, self.process) + geometry = models.ForeignKey(Geometry, null=True, blank=True, on_delete=models.SET_NULL) + documents = models.ManyToManyField("konova.Document", blank=True) @staticmethod def __generate_new_identifier() -> str: @@ -92,36 +89,8 @@ class Compensation(BaseObject): self.identifier = new_id super().save(*args, **kwargs) - @staticmethod - def get_role_objects(user: User, order_by: str = "-created_on"): - """ Returns objects depending on the currently selected role of the user - * REGISTRATIONOFFICE - * User can see the processes where registration_office is set to the organisation of the currently selected role - * User can see self-created processes - * LICENSINGOFFICE - * same - * DATAPROVIDER - * User can see only self-created processes - - Args: - user (User): The performing user - order_by (str): Order by which Process attribute - - Returns: - - """ - role = user.current_role - if role is None: - return Compensation.objects.none() - processes = Process.get_role_objects(user, order_by) - processes.prefetch_related("compensations") - compensations = [] - [compensations.extend(process.compensations.all()) for process in processes] - return compensations - - -class EcoAccount(BaseResource): +class EcoAccount(Compensation): """ An eco account is a kind of 'prepaid' compensation. It can be compared to an account that already has been filled with some kind of currency. From this account one is able to 'withdraw' currency for current projects. @@ -129,17 +98,4 @@ class EcoAccount(BaseResource): 'Withdrawing' can only be applied by shrinking the size of the available geometry and declaring the withdrawed geometry as a compensation for a process. """ - is_old_law = models.BooleanField(default=False) - type = models.CharField(max_length=500, null=True, blank=True) - licensing_authority_document_identifier = models.CharField(max_length=500, null=True, blank=True) - registration_office = models.CharField(max_length=500, null=True, blank=True) - handler = models.CharField(max_length=500, null=True, blank=True) - handler_comments = models.TextField() - geometry = models.GeometryCollectionField() - documents = models.ManyToManyField("konova.Document") - initial_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') - final_states = models.ManyToManyField(CompensationState, blank=True, related_name='+') - actions = models.ManyToManyField(CompensationAction) - deadline_maintaining = models.ForeignKey("konova.Deadline", on_delete=models.SET_NULL, null=True, blank=True) - deadline_other = models.ManyToManyField("konova.Deadline", blank=True, related_name='+') - comments = models.TextField() + handler = models.CharField(max_length=500, null=True, blank=True, help_text="Who is responsible for handling the actions") diff --git a/compensation/views.py b/compensation/views.py index 7e98294e..fd3ab434 100644 --- a/compensation/views.py +++ b/compensation/views.py @@ -9,7 +9,6 @@ from konova.decorators import * @login_required -@resolve_user_role def index_view(request: HttpRequest): """ Renders the index view for compensation @@ -22,7 +21,7 @@ def index_view(request: HttpRequest): """ template = "generic_index.html" user = request.user - compensations = Compensation.get_role_objects(user) + compensations = None # ToDo table = CompensationTable( request=request, queryset=compensations diff --git a/intervention/admin.py b/intervention/admin.py index b4374cfe..18fcf743 100644 --- a/intervention/admin.py +++ b/intervention/admin.py @@ -7,11 +7,11 @@ class InterventionAdmin(admin.ModelAdmin): list_display = [ "id", "title", - "type", + "process_type", "handler", - "created_on", "is_active", - "is_deleted", + "created_on", + "deleted_on", ] diff --git a/intervention/models.py b/intervention/models.py index 04b8c21d..9096f173 100644 --- a/intervention/models.py +++ b/intervention/models.py @@ -10,10 +10,9 @@ from django.contrib.gis.db import models from django.utils.timezone import now from intervention.settings import INTERVENTION_IDENTIFIER_LENGTH, INTERVENTION_IDENTIFIER_TEMPLATE -from konova.models import BaseObject +from konova.models import BaseObject, Geometry from konova.utils.generators import generate_random_string -from organisation.enums import RoleTypeEnum -from process.models import Process +from organisation.models import Organisation class Intervention(BaseObject): @@ -22,21 +21,30 @@ class Intervention(BaseObject): A process consists of exactly one intervention and one or more compensation """ - type = models.CharField(max_length=500, null=True, blank=True) + registration_office = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True) + registration_file_number = models.CharField(max_length=1000, blank=True, null=True) + registration_date = models.DateTimeField(null=True, blank=True) + + conservation_office = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True) + conservations_file_number = models.CharField(max_length=1000, blank=True, null=True) + + process_type = models.CharField(max_length=500, null=True, blank=True) law = models.CharField(max_length=500, null=True, blank=True) handler = models.CharField(max_length=500, null=True, blank=True) - data_provider = models.ForeignKey("organisation.Organisation", on_delete=models.SET_NULL, null=True, blank=True) - data_provider_detail = models.CharField(max_length=500, null=True, blank=True) - geometry = models.MultiPolygonField(null=True, blank=True) - process = models.OneToOneField("process.Process", on_delete=models.CASCADE, null=True, blank=True, related_name="intervention") + geometry = models.ForeignKey(Geometry, null=True, blank=True, on_delete=models.SET_NULL) documents = models.ManyToManyField("konova.Document", blank=True) + # Refers to "verzeichnen" + recorded_on = models.DateTimeField(default=None) + recorded_by = models.ForeignKey(User, null=True, blank=True, on_delete=models.SET_NULL) + + # Holds which intervention is simply a newer version of this dataset + next_version = models.ForeignKey("Intervention", null=True, on_delete=models.DO_NOTHING) + def __str__(self): return "{} by {}".format(self.type, self.handler) def delete(self, *args, **kwargs): - if self.process is not None: - self.process.delete() super().delete(*args, **kwargs) @staticmethod @@ -62,30 +70,4 @@ class Intervention(BaseObject): while Intervention.objects.filter(identifier=new_id).exists(): new_id = self.__generate_new_identifier() self.identifier = new_id - super().save(*args, **kwargs) - - @staticmethod - def get_role_objects(user: User, order_by: str = "-created_on") -> list: - """ Returns objects depending on the currently selected role of the user - - * REGISTRATIONOFFICE - * User can see the processes where registration_office is set to the organisation of the currently selected role - * User can see self-created processes - * LICENSINGOFFICE - * same - * DATAPROVIDER - * User can see only self-created processes - - Args: - user (User): The performing user - order_by (str): Order by which Process attribute - - Returns: - - """ - role = user.current_role - if role is None: - return Intervention.objects.none() - processes = Process.get_role_objects(user, order_by) - interventions = [process.intervention for process in processes] - return interventions \ No newline at end of file + super().save(*args, **kwargs) \ No newline at end of file diff --git a/intervention/views.py b/intervention/views.py index 6d2ea5e6..4181dd05 100644 --- a/intervention/views.py +++ b/intervention/views.py @@ -15,7 +15,7 @@ from process.models import Process @login_required -@resolve_user_role + def index_view(request: HttpRequest): """ Renders the index view for process @@ -28,7 +28,7 @@ def index_view(request: HttpRequest): """ template = "generic_index.html" user = request.user - interventions = Intervention.get_role_objects(user) + interventions = Intervention # ToDo table = InterventionTable( request=request, queryset=interventions diff --git a/kspneo/__init__.py b/konova/__init__.py similarity index 100% rename from kspneo/__init__.py rename to konova/__init__.py diff --git a/kspneo/admin.py b/konova/admin.py similarity index 100% rename from kspneo/admin.py rename to konova/admin.py diff --git a/kspneo/asgi.py b/konova/asgi.py similarity index 100% rename from kspneo/asgi.py rename to konova/asgi.py diff --git a/kspneo/autocompletes.py b/konova/autocompletes.py similarity index 100% rename from kspneo/autocompletes.py rename to konova/autocompletes.py diff --git a/kspneo/contexts.py b/konova/contexts.py similarity index 54% rename from kspneo/contexts.py rename to konova/contexts.py index 5498f693..f601161a 100644 --- a/kspneo/contexts.py +++ b/konova/contexts.py @@ -7,9 +7,7 @@ Created on: 16.11.20 """ from django.http import HttpRequest -from konova.models import RoleGroup -from konova.sub_settings.context_settings import BASE_TITLE, WIKI_URL, BASE_FRONTEND_TITLE, RENDER_HEADER -from konova.utils.session import set_session_user_role +from konova.sub_settings.context_settings import BASE_TITLE, WIKI_URL, BASE_FRONTEND_TITLE class BaseContext: @@ -22,7 +20,6 @@ class BaseContext: "language": "en", "wiki_url": WIKI_URL, "user": None, - "render_header": RENDER_HEADER, "current_role": None, } @@ -33,21 +30,3 @@ class BaseContext: # Add additional context, derived from given parameters self.context.update(additional_context) - - def __handle_current_role(self, request: HttpRequest): - """ Reads/Writes current role from/to session - - Args: - request (HttpRequest): The incoming request - - Returns: - - """ - # Store current role in session object to reduce amount of db access - current_role = request.session.get("current_role", {}) - - if len(current_role) == 0 and request.user.is_authenticated: - role_group = RoleGroup.get_users_role_groups(request.user).first() - current_role = set_session_user_role(request, role_group) - - self.context["current_role"] = current_role \ No newline at end of file diff --git a/konova/decorators.py b/konova/decorators.py new file mode 100644 index 00000000..5c4795ca --- /dev/null +++ b/konova/decorators.py @@ -0,0 +1,44 @@ +""" +Author: Michel Peltriaux +Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany +Contact: michel.peltriaux@sgdnord.rlp.de +Created on: 16.11.20 + +""" + +from functools import wraps + +from django.contrib import messages +from django.shortcuts import redirect +from django.urls import reverse +from django.utils.translation import gettext_lazy as _ + + +def staff_required(function): + """ + A decorator for functions which shall only be usable for staff members of the system + """ + @wraps(function) + def wrap(request, *args, **kwargs): + user = request.user + if user.is_staff: + return function(request, *args, **kwargs) + else: + messages.info(request, _("You need to be staff to perform this action!")) + return redirect(request.META.get("HTTP_REFERER", reverse("home"))) + return wrap + + +def superuser_required(function): + """ + A decorator for functions which shall only be usable for superusers of the system + """ + @wraps(function) + def wrap(request, *args, **kwargs): + user = request.user + if user.is_superuser: + return function(request, *args, **kwargs) + else: + messages.info(request, _("You need to be administrator to perform this action!")) + return redirect(request.META.get("HTTP_REFERER", reverse("home"))) + return wrap \ No newline at end of file diff --git a/kspneo/enums.py b/konova/enums.py similarity index 100% rename from kspneo/enums.py rename to konova/enums.py diff --git a/kspneo/forms.py b/konova/forms.py similarity index 100% rename from kspneo/forms.py rename to konova/forms.py diff --git a/kspneo/management/commands/setup.py b/konova/management/commands/setup.py similarity index 83% rename from kspneo/management/commands/setup.py rename to konova/management/commands/setup.py index dce534a4..1e1aeec3 100644 --- a/kspneo/management/commands/setup.py +++ b/konova/management/commands/setup.py @@ -13,7 +13,6 @@ from django.db import transaction from konova.management.commands.setup_test_data import TEST_ORGANISATION_DATA, TEST_ROLE_GROUPS_DATA from konova.models import RoleType, RoleGroup -from organisation.enums import RoleTypeEnum from organisation.models import Organisation CREATED_TEMPLATE = "{} created" @@ -27,7 +26,6 @@ class Command(BaseCommand): with transaction.atomic(): self.__init_superuser() self.__init_test_organisation() - self.__init_role_types() self.__init_role_groups() except KeyboardInterrupt: self.__break_line() @@ -76,28 +74,6 @@ class Command(BaseCommand): ) self.__break_line() - def __init_role_types(self): - """ Initializes available role types according to RoleTypeEnum - - Returns: - - """ - self.stdout.write( - self.style.WARNING( - "--- Role types ---" - ) - ) - for role_type_enum in RoleTypeEnum: - role_type = RoleType.objects.get_or_create( - type=role_type_enum.value - )[0] - self.stdout.write( - self.style.SUCCESS( - CREATED_TEMPLATE.format(role_type.type) - ) - ) - self.__break_line() - def __init_test_organisation(self): """ Creates test organisations from predefined data diff --git a/kspneo/management/commands/setup_test_data.py b/konova/management/commands/setup_test_data.py similarity index 70% rename from kspneo/management/commands/setup_test_data.py rename to konova/management/commands/setup_test_data.py index a77e8d3c..e31a53c8 100644 --- a/kspneo/management/commands/setup_test_data.py +++ b/konova/management/commands/setup_test_data.py @@ -5,32 +5,27 @@ Contact: michel.peltriaux@sgdnord.rlp.de Created on: 15.12.20 """ -from organisation.enums import OrganisationTypeEnum, RoleTypeEnum TEST_ORGANISATION_DATA = [ { "name": "Test_Official_1", "is_active": True, "is_deleted": False, - "type": OrganisationTypeEnum.OFFICIAL.value, }, { "name": "Test_Official_2", "is_active": True, "is_deleted": False, - "type": OrganisationTypeEnum.OFFICIAL.value, }, { "name": "Test_NGO_1", "is_active": True, "is_deleted": False, - "type": OrganisationTypeEnum.NGO.value, }, { "name": "Test_Company_1", "is_active": True, "is_deleted": False, - "type": OrganisationTypeEnum.COMPANY.value, }, ] @@ -38,21 +33,17 @@ TEST_ROLE_GROUPS_DATA = [ { "name": "Registration office Test_Official_1", "organisation": "Test_Official_1", - "role": RoleTypeEnum.REGISTRATIONOFFICE.value, }, { "name": "Licensing authority Test_Official_1", "organisation": "Test_Official_1", - "role": RoleTypeEnum.LICENSINGAUTHORITY.value, }, { "name": "Dataprovider Test_Official_2", "organisation": "Test_Official_2", - "role": RoleTypeEnum.LICENSINGAUTHORITY.value, }, { "name": "Dataprovider Test_Company_1", "organisation": "Test_Company_1", - "role": RoleTypeEnum.DATAPROVIDER.value, }, ] \ No newline at end of file diff --git a/kspneo/models.py b/konova/models.py similarity index 55% rename from kspneo/models.py rename to konova/models.py index 3fcce37b..907081c5 100644 --- a/kspneo/models.py +++ b/konova/models.py @@ -7,11 +7,9 @@ Created on: 17.11.20 """ import uuid -from django.contrib.auth.models import User, Group +from django.contrib.auth.models import User +from django.contrib.gis.db.models import MultiPolygonField from django.db import models -from django.db.models import QuerySet - -from organisation.enums import RoleTypeEnum class BaseResource(models.Model): @@ -22,8 +20,6 @@ class BaseResource(models.Model): primary_key=True, default=uuid.uuid4, ) - is_active = models.BooleanField(default=True) - is_deleted = models.BooleanField(default=False) created_on = models.DateTimeField(auto_now_add=True, null=True) created_by = models.ForeignKey(User, null=True, on_delete=models.SET_NULL) @@ -39,6 +35,9 @@ class BaseObject(BaseResource): """ identifier = models.CharField(max_length=1000, null=True, blank=True) title = models.CharField(max_length=1000, null=True, blank=True) + deleted_on = models.DateTimeField(null=True) + deleted_by = models.ForeignKey(User, null=True, on_delete=models.SET_NULL) + comment = models.TextField() class Meta: abstract = True @@ -64,41 +63,8 @@ class Document(BaseResource): comment = models.TextField() -class RoleType(BaseResource): +class Geometry(BaseResource): """ - Defines different role types + Outsourced geometry model so multiple versions of the same object can refer to the same geometry if it is not changed """ - type = models.CharField(max_length=255, choices=RoleTypeEnum.as_choices(drop_empty_choice=True), unique=True) - - def __str__(self): - return self.type - - -class RoleGroup(Group): - """ - Role groups are specialized groups which hold information on which users are related to a certain organisation and - a role - """ - organisation = models.ForeignKey("organisation.Organisation", on_delete=models.CASCADE) - role = models.ForeignKey(RoleType, on_delete=models.CASCADE) - - class Meta: - unique_together = [ - ["organisation", "role", ] - ] - - @staticmethod - def get_users_role_groups(user: User) -> QuerySet: - """ Get all role groups of a given user - - Args: - user (User): The user - - Returns: - qs (QuerySet) - """ - if user.is_anonymous: - return RoleGroup.objects.none() - return RoleGroup.objects.filter( - user=user - ) + geom = MultiPolygonField(null=True, blank=True) diff --git a/kspneo/settings.py b/konova/settings.py similarity index 100% rename from kspneo/settings.py rename to konova/settings.py diff --git a/kspneo/static/images/csm_rlp-logo_8de1241483.png b/konova/static/images/csm_rlp-logo_8de1241483.png similarity index 100% rename from kspneo/static/images/csm_rlp-logo_8de1241483.png rename to konova/static/images/csm_rlp-logo_8de1241483.png diff --git a/kspneo/static/images/header-bg.png b/konova/static/images/header-bg.png similarity index 100% rename from kspneo/static/images/header-bg.png rename to konova/static/images/header-bg.png diff --git a/kspneo/static/images/menu-bg.png b/konova/static/images/menu-bg.png similarity index 100% rename from kspneo/static/images/menu-bg.png rename to konova/static/images/menu-bg.png diff --git a/kspneo/static/images/rlp-logos-MUEEF.png b/konova/static/images/rlp-logos-MUEEF.png similarity index 100% rename from kspneo/static/images/rlp-logos-MUEEF.png rename to konova/static/images/rlp-logos-MUEEF.png diff --git a/kspneo/sub_settings/context_settings.py b/konova/sub_settings/context_settings.py similarity index 94% rename from kspneo/sub_settings/context_settings.py rename to konova/sub_settings/context_settings.py index ec6be17e..cb25b58a 100644 --- a/kspneo/sub_settings/context_settings.py +++ b/konova/sub_settings/context_settings.py @@ -9,4 +9,3 @@ Created on: 16.11.20 BASE_TITLE = "konova" BASE_FRONTEND_TITLE = "Kompensationsverzeichnis Service Portal" WIKI_URL = "https://dienste.naturschutz.rlp.de/doku/doku.php?id=ksp:start" -RENDER_HEADER = False \ No newline at end of file diff --git a/kspneo/sub_settings/django_settings.py b/konova/sub_settings/django_settings.py similarity index 99% rename from kspneo/sub_settings/django_settings.py rename to konova/sub_settings/django_settings.py index 9f27c671..ffc16433 100644 --- a/kspneo/sub_settings/django_settings.py +++ b/konova/sub_settings/django_settings.py @@ -56,6 +56,7 @@ INSTALLED_APPS = [ 'simple_sso.sso_server', 'django_tables2', 'fontawesome_5', + 'bootstrap4', 'konova', 'compensation', 'intervention', diff --git a/kspneo/templates/kspneo/choiceColumnForm.html b/konova/templates/kspneo/choiceColumnForm.html similarity index 100% rename from kspneo/templates/kspneo/choiceColumnForm.html rename to konova/templates/kspneo/choiceColumnForm.html diff --git a/kspneo/templates/kspneo/form.html b/konova/templates/kspneo/form.html similarity index 100% rename from kspneo/templates/kspneo/form.html rename to konova/templates/kspneo/form.html diff --git a/kspneo/templates/kspneo/home.html b/konova/templates/kspneo/home.html similarity index 100% rename from kspneo/templates/kspneo/home.html rename to konova/templates/kspneo/home.html diff --git a/kspneo/templatetags/__init__.py b/konova/templatetags/__init__.py similarity index 100% rename from kspneo/templatetags/__init__.py rename to konova/templatetags/__init__.py diff --git a/kspneo/templatetags/custom_tags.py b/konova/templatetags/custom_tags.py similarity index 100% rename from kspneo/templatetags/custom_tags.py rename to konova/templatetags/custom_tags.py diff --git a/kspneo/urls.py b/konova/urls.py similarity index 97% rename from kspneo/urls.py rename to konova/urls.py index 3fc2ead7..f914ccd9 100644 --- a/kspneo/urls.py +++ b/konova/urls.py @@ -28,7 +28,6 @@ urlpatterns = [ path('login/', include(sso_client.get_urls())), path('logout/', logout_view, name="logout"), path('', home_view, name="home"), - path('process/', include("process.urls")), path('intervention/', include("intervention.urls")), path('compensation/', include("compensation.urls")), path('eco-account/', include("process.urls")), diff --git a/kspneo/utils/generators.py b/konova/utils/generators.py similarity index 100% rename from kspneo/utils/generators.py rename to konova/utils/generators.py diff --git a/kspneo/utils/mailer.py b/konova/utils/mailer.py similarity index 100% rename from kspneo/utils/mailer.py rename to konova/utils/mailer.py diff --git a/kspneo/utils/session.py b/konova/utils/session.py similarity index 100% rename from kspneo/utils/session.py rename to konova/utils/session.py diff --git a/kspneo/utils/tables.py b/konova/utils/tables.py similarity index 100% rename from kspneo/utils/tables.py rename to konova/utils/tables.py diff --git a/kspneo/views.py b/konova/views.py similarity index 65% rename from kspneo/views.py rename to konova/views.py index 09b3fb73..34baada5 100644 --- a/kspneo/views.py +++ b/konova/views.py @@ -43,25 +43,6 @@ def home_view(request: HttpRequest): """ template = "konova/home.html" - if request.method == "POST": - form = ChangeUserRoleForm( - request.POST or None, - user=request.user, - ) - if form.is_valid(): - role = form.save(request) - messages.success(request, _("Role changed")) - else: - messages.error(request, _("Invalid role")) - return redirect("home") - else: - # GET - form = ChangeUserRoleForm( - user=request.user, - initial={"role": int(get_session_user_role(request).get("id", -1))}, - ) - additional_context = { - "form": form, - } + additional_context = {} context = BaseContext(request, additional_context).context return render(request, template, context) \ No newline at end of file diff --git a/kspneo/wsgi.py b/konova/wsgi.py similarity index 100% rename from kspneo/wsgi.py rename to konova/wsgi.py diff --git a/kspneo/decorators.py b/kspneo/decorators.py deleted file mode 100644 index c0f70cd6..00000000 --- a/kspneo/decorators.py +++ /dev/null @@ -1,94 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 16.11.20 - -""" - -from functools import wraps - -from django.contrib import messages -from django.core.exceptions import ObjectDoesNotExist -from django.shortcuts import redirect -from django.urls import reverse -from django.utils.translation import gettext_lazy as _ - -from konova.models import RoleGroup -from konova.utils.session import get_session_user_role -from organisation.enums import RoleTypeEnum -from process.enums import PROCESS_EDITABLE_STATE -from process.models import Process - - -def staff_required(function): - """ - A decorator for functions which shall only be usable for staff members of the system - """ - @wraps(function) - def wrap(request, *args, **kwargs): - user = request.user - if user.is_staff: - return function(request, *args, **kwargs) - else: - messages.info(request, _("You need to be staff to perform this action!")) - return redirect(request.META.get("HTTP_REFERER", reverse("home"))) - return wrap - - -def superuser_required(function): - """ - A decorator for functions which shall only be usable for superusers of the system - """ - @wraps(function) - def wrap(request, *args, **kwargs): - user = request.user - if user.is_superuser: - return function(request, *args, **kwargs) - else: - messages.info(request, _("You need to be administrator to perform this action!")) - return redirect(request.META.get("HTTP_REFERER", reverse("home"))) - return wrap - - -def resolve_user_role(function): - """ - A decorator for functions to resolve the current user role and store it in the user object - """ - @wraps(function) - def wrap(request, *args, **kwargs): - user = request.user - role = get_session_user_role(request) - try: - role = RoleGroup.objects.get(id=role.get("id", -1)) - user.current_role = role - except ObjectDoesNotExist: - user.current_role = None - return function(request, *args, **kwargs) - return wrap - - -def valid_process_role_required(function): - """ - A decorator for functions to check whether the user has a valid role selected - """ - @wraps(function) - def wrap(request, *args, **kwargs): - user = request.user - if user.current_role is None: - role = get_session_user_role(request) - else: - role = user.current_role - try: - process = Process.objects.get(id=kwargs.get("id")) - editable = PROCESS_EDITABLE_STATE.get(process.state) - role_enum = RoleTypeEnum[role.role.type] - if role_enum in editable: - return function(request, *args, **kwargs) - else: - messages.error(request, _("Your current role is not allowed to do this")) - return redirect(request.META.get("HTTP_REFERER", "home")) - except ObjectDoesNotExist: - process = None - return function(request, *args, **kwargs) - return wrap \ No newline at end of file diff --git a/kspneo/static/css/kspneo.css b/kspneo/static/css/kspneo.css deleted file mode 100644 index ccc3a40e..00000000 --- a/kspneo/static/css/kspneo.css +++ /dev/null @@ -1,57 +0,0 @@ -.body-content{ - min-height: 75vh; -} - -.note{ - font-size: 0.75rem; - color: lightgray; -} - -.label-required{ - color: red; -} - -table{ - width: 100%; -} - -.footer{ - width: 100%; - position: absolute; -} - -.error{ - color: #D8000C !important; - background-color: #FFBABA !important; -} - -i.true{ - color: green; -} -i.false{ - color: red; -} - -.button{ - margin: 0.5625rem; -} - -.action-col{ - max-width: 8rem; -} - -.action-col .button{ - margin: 0.1rem; -} - -.user-role{ - background: url('../images/menu-bg.png') repeat #871d33; - color: white; - padding: 0.5rem 0; - border-bottom: 4px solid #8e8e8e; - text-align: center; -} - -.user-role > a { - color: white; -} diff --git a/kspneo/static/css/messages.css b/kspneo/static/css/messages.css deleted file mode 100644 index b6785330..00000000 --- a/kspneo/static/css/messages.css +++ /dev/null @@ -1,43 +0,0 @@ -.info, .success, .warning, .error, .validation { -border: 1px solid; -margin: 10px 0px; -padding:15px 10px; -} - -.info:hover, -.success:hover, -.warning:hover, -.error:hover, -.validation:hover { - cursor: default; - filter: brightness(1.2); -} - -.info { -color: #00529B; -background-color: #BDE5F8; -/* -background-image: url('../images/knobs/info.png'); -*/ -} -.success { -color: #4F8A10; -background-color: #DFF2BF; -/* -background-image:url('../images/knobs/success.png'); -*/ -} -.warning { -color: #9F6000; -background-color: #FEEFB3; -/* -background-image: url('../images/knobs/warning.png'); -*/ -} -.error { -color: #D8000C; -background-color: #FFBABA; -/* -background-image: url('../images/knobs/error.png'); -*/ -} \ No newline at end of file diff --git a/kspneo/static/css/mulewf.css b/kspneo/static/css/mulewf.css deleted file mode 100644 index 82c1b6f7..00000000 --- a/kspneo/static/css/mulewf.css +++ /dev/null @@ -1,9877 +0,0 @@ - -/* Generated by grunt-webfont */ -@font-face { - font-family: "rlp-icons"; - src: url('../fonts/rlp-icons.eot'); - src: url('../fonts/rlp-icons.woff') format("woff"), url('../fonts/rlp-icons.eot?#iefix') format("embedded-opentype"), url('../fonts/rlp-icons.ttf') format("truetype"); - font-weight: normal; - font-style: normal; -} - -/* Icons */ -/* 0, 640px */ -/* 641px, 1024px */ -/* 1024px, 1440px ; changed from foundation standard*/ -/* 1441px, 1920px */ -/* line 364, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-version { - font-family: "/5.5.2/"; -} - -/* line 368, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-small { - font-family: "/only screen/"; - width: 0; -} - -/* line 373, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-small-only { - font-family: "/only screen and (max-width: 40em)/"; - width: 0; -} - -/* line 378, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-medium { - font-family: "/only screen and (min-width:40.063em)/"; - width: 40.063em; -} - -/* line 383, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-medium-only { - font-family: "/only screen and (min-width:40.063em) and (max-width:63.99em)/"; - width: 40.063em; -} - -/* line 388, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-large { - font-family: "/only screen and (min-width:64em)/"; - width: 64em; -} - -/* line 393, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-large-only { - font-family: "/only screen and (min-width:64em) and (max-width:90em)/"; - width: 64em; -} - -/* line 398, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-xlarge { - font-family: "/only screen and (min-width:90.063em)/"; - width: 90.063em; -} - -/* line 403, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-xlarge-only { - font-family: "/only screen and (min-width:90.063em) and (max-width:120em)/"; - width: 90.063em; -} - -/* line 408, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-mq-xxlarge { - font-family: "/only screen and (min-width:120.063em)/"; - width: 120.063em; -} - -/* line 413, ../bower_components/foundation/scss/foundation/components/_global.scss */ -meta.foundation-data-attribute-namespace { - font-family: false; -} - -/* line 422, ../bower_components/foundation/scss/foundation/components/_global.scss */ -html, body { - height: 100%; -} - -/* line 425, ../bower_components/foundation/scss/foundation/components/_global.scss */ -html { - box-sizing: border-box; -} - -/* line 430, ../bower_components/foundation/scss/foundation/components/_global.scss */ -*, -*:before, -*:after { - box-sizing: inherit; -} - -/* line 435, ../bower_components/foundation/scss/foundation/components/_global.scss */ -html, -body { - font-size: 100%; -} - -/* line 438, ../bower_components/foundation/scss/foundation/components/_global.scss */ -body { - background: white; - color: #666666; - cursor: auto; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; - font-style: normal; - font-weight: normal; - line-height: 1.5; - margin: 0; - padding: 0; - position: relative; -} - -/* line 451, ../bower_components/foundation/scss/foundation/components/_global.scss */ -a:hover { - cursor: pointer; -} - -/* line 454, ../bower_components/foundation/scss/foundation/components/_global.scss */ -img { - max-width: 100%; - height: auto; -} - -/* line 456, ../bower_components/foundation/scss/foundation/components/_global.scss */ -img { - -ms-interpolation-mode: bicubic; -} - -/* line 463, ../bower_components/foundation/scss/foundation/components/_global.scss */ -#map_canvas img, -#map_canvas embed, -#map_canvas object, -.map_canvas img, -.map_canvas embed, -.map_canvas object, -.mqa-display img, -.mqa-display embed, -.mqa-display object { - max-width: none !important; -} - -/* line 468, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.left { - float: left !important; -} - -/* line 469, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.right { - float: right !important; -} - -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.clearfix:before, .mobile-menu:before, .mobile-menu .search-box form:before, .mobile-menu .buttons:before, .clearfix:after, .mobile-menu:after, .mobile-menu .search-box form:after, .mobile-menu .buttons:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.clearfix:after, .mobile-menu:after, .mobile-menu .search-box form:after, .mobile-menu .buttons:after { - clear: both; -} - -/* line 473, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.hide { - display: none; -} - -/* line 478, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.invisible { - visibility: hidden; -} - -/* line 484, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.antialiased { - -webkit-font-smoothing: antialiased; - -moz-osx-font-smoothing: grayscale; -} - -/* line 487, ../bower_components/foundation/scss/foundation/components/_global.scss */ -img { - display: inline-block; - vertical-align: middle; -} - -/* line 497, ../bower_components/foundation/scss/foundation/components/_global.scss */ -textarea { - height: auto; - min-height: 50px; -} - -/* line 500, ../bower_components/foundation/scss/foundation/components/_global.scss */ -select { - width: 100%; -} - -/* line 228, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.row { - margin: 0 auto; - max-width: 75rem; - width: 100%; -} - -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row:before, .row:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row:after { - clear: both; -} -/* line 233, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.row.collapse > .column, -.row.collapse > .columns { - padding-left: 0; - padding-right: 0; -} -/* line 235, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.row.collapse .row { - margin-left: 0; - margin-right: 0; -} -/* line 238, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.row .row { - margin: 0 -0.9375rem; - max-width: none; - width: auto; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row .row:before, .row .row:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row .row:after { - clear: both; -} -/* line 239, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.row .row.collapse { - margin: 0; - max-width: none; - width: auto; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row .row.collapse:before, .row .row.collapse:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.row .row.collapse:after { - clear: both; -} - -.rowmax { - margin: 0 auto; - max-width: 112rem; - width: 100%; -} - -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax:before, .rowmax:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax:after { - clear: both; -} -/* line 233, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.rowmax.collapse > .column, -.rowmax.collapse > .columns { - padding-left: 0; - padding-right: 0; -} -/* line 235, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.rowmax.collapse .rowmax { - margin-left: 0; - margin-right: 0; -} -/* line 238, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.rowmax .rowmax { - margin: 0 -0.9375rem; - max-width: none; - width: auto; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax .rowmax:before, .rowmax .rowmax:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax .rowmax:after { - clear: both; -} -/* line 239, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.rowmax .rowmax.collapse { - margin: 0; - max-width: none; - width: auto; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax .rowmax.collapse:before, .rowmax .rowmax.collapse:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.rowmax .rowmax.collapse:after { - clear: both; -} - -/* line 244, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.column, -.columns { - padding-left: 0.9375rem; - padding-right: 0.9375rem; - width: 100%; - float: left; -} - -/* line 248, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.column + .column:last-child, -.columns + -.columns:last-child { - float: right; -} -/* line 251, ../bower_components/foundation/scss/foundation/components/_grid.scss */ -.column + .column.end, -.columns + -.columns.end { - float: left; -} - -@media only screen { - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-0 { - position: relative; - left: 0; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-0 { - position: relative; - right: 0; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-1 { - position: relative; - left: 8.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-1 { - position: relative; - right: 8.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-2 { - position: relative; - left: 16.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-2 { - position: relative; - right: 16.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-3 { - position: relative; - left: 25%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-3 { - position: relative; - right: 25%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-4 { - position: relative; - left: 33.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-4 { - position: relative; - right: 33.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-5 { - position: relative; - left: 41.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-5 { - position: relative; - right: 41.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-6 { - position: relative; - left: 50%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-6 { - position: relative; - right: 50%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-7 { - position: relative; - left: 58.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-7 { - position: relative; - right: 58.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-8 { - position: relative; - left: 66.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-8 { - position: relative; - right: 66.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-9 { - position: relative; - left: 75%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-9 { - position: relative; - right: 75%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-10 { - position: relative; - left: 83.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-10 { - position: relative; - right: 83.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-push-11 { - position: relative; - left: 91.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-pull-11 { - position: relative; - right: 91.66667%; - left: auto; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column, - .columns { - position: relative; - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-1 { - width: 8.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-2 { - width: 16.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-3 { - width: 25%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-4 { - width: 33.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-5 { - width: 41.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-6 { - width: 50%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-7 { - width: 58.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-8 { - width: 66.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-9 { - width: 75%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-10 { - width: 83.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-11 { - width: 91.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-12 { - width: 100%; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-0 { - margin-left: 0 !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-1 { - margin-left: 8.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-2 { - margin-left: 16.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-3 { - margin-left: 25% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-4 { - margin-left: 33.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-5 { - margin-left: 41.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-6 { - margin-left: 50% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-7 { - margin-left: 58.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-8 { - margin-left: 66.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-9 { - margin-left: 75% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-10 { - margin-left: 83.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-offset-11 { - margin-left: 91.66667% !important; - } - - /* line 175, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .small-reset-order { - float: left; - left: auto; - margin-left: 0; - margin-right: 0; - right: auto; - } - - /* line 184, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.small-centered, - .columns.small-centered { - margin-left: auto; - margin-right: auto; - float: none; - } - - /* line 187, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.small-uncentered, - .columns.small-uncentered { - float: left; - margin-left: 0; - margin-right: 0; - } - - /* line 195, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.small-centered:last-child, - .columns.small-centered:last-child { - float: none; - } - - /* line 201, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.small-uncentered:last-child, - .columns.small-uncentered:last-child { - float: left; - } - - /* line 206, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.small-uncentered.opposite, - .columns.small-uncentered.opposite { - float: right; - } - - /* line 213, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.small-collapse > .column, - .row.small-collapse > .columns { - padding-left: 0; - padding-right: 0; - } - /* line 215, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.small-collapse .row { - margin-left: 0; - margin-right: 0; - } - /* line 219, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.small-uncollapse > .column, - .row.small-uncollapse > .columns { - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } -} -@media only screen and (min-width: 40.063em) { - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-0 { - position: relative; - left: 0; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-0 { - position: relative; - right: 0; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-1 { - position: relative; - left: 8.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-1 { - position: relative; - right: 8.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-2 { - position: relative; - left: 16.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-2 { - position: relative; - right: 16.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-3 { - position: relative; - left: 25%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-3 { - position: relative; - right: 25%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-4 { - position: relative; - left: 33.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-4 { - position: relative; - right: 33.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-5 { - position: relative; - left: 41.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-5 { - position: relative; - right: 41.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-6 { - position: relative; - left: 50%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-6 { - position: relative; - right: 50%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-7 { - position: relative; - left: 58.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-7 { - position: relative; - right: 58.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-8 { - position: relative; - left: 66.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-8 { - position: relative; - right: 66.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-9 { - position: relative; - left: 75%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-9 { - position: relative; - right: 75%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-10 { - position: relative; - left: 83.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-10 { - position: relative; - right: 83.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-push-11 { - position: relative; - left: 91.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-pull-11 { - position: relative; - right: 91.66667%; - left: auto; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column, - .columns { - position: relative; - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-1 { - width: 8.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-2 { - width: 16.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-3 { - width: 25%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-4 { - width: 33.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-5 { - width: 41.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-6 { - width: 50%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-7 { - width: 58.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-8 { - width: 66.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-9 { - width: 75%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-10 { - width: 83.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-11 { - width: 91.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-12 { - width: 100%; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-0 { - margin-left: 0 !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-1 { - margin-left: 8.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-2 { - margin-left: 16.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-3 { - margin-left: 25% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-4 { - margin-left: 33.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-5 { - margin-left: 41.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-6 { - margin-left: 50% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-7 { - margin-left: 58.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-8 { - margin-left: 66.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-9 { - margin-left: 75% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-10 { - margin-left: 83.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-offset-11 { - margin-left: 91.66667% !important; - } - - /* line 175, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .medium-reset-order { - float: left; - left: auto; - margin-left: 0; - margin-right: 0; - right: auto; - } - - /* line 184, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.medium-centered, - .columns.medium-centered { - margin-left: auto; - margin-right: auto; - float: none; - } - - /* line 187, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.medium-uncentered, - .columns.medium-uncentered { - float: left; - margin-left: 0; - margin-right: 0; - } - - /* line 195, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.medium-centered:last-child, - .columns.medium-centered:last-child { - float: none; - } - - /* line 201, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.medium-uncentered:last-child, - .columns.medium-uncentered:last-child { - float: left; - } - - /* line 206, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.medium-uncentered.opposite, - .columns.medium-uncentered.opposite { - float: right; - } - - /* line 213, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.medium-collapse > .column, - .row.medium-collapse > .columns { - padding-left: 0; - padding-right: 0; - } - /* line 215, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.medium-collapse .row { - margin-left: 0; - margin-right: 0; - } - /* line 219, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.medium-uncollapse > .column, - .row.medium-uncollapse > .columns { - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-0 { - position: relative; - left: 0; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-0 { - position: relative; - right: 0; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-1 { - position: relative; - left: 8.33333%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-1 { - position: relative; - right: 8.33333%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-2 { - position: relative; - left: 16.66667%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-2 { - position: relative; - right: 16.66667%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-3 { - position: relative; - left: 25%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-3 { - position: relative; - right: 25%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-4 { - position: relative; - left: 33.33333%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-4 { - position: relative; - right: 33.33333%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-5 { - position: relative; - left: 41.66667%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-5 { - position: relative; - right: 41.66667%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-6 { - position: relative; - left: 50%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-6 { - position: relative; - right: 50%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-7 { - position: relative; - left: 58.33333%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-7 { - position: relative; - right: 58.33333%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-8 { - position: relative; - left: 66.66667%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-8 { - position: relative; - right: 66.66667%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-9 { - position: relative; - left: 75%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-9 { - position: relative; - right: 75%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-10 { - position: relative; - left: 83.33333%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-10 { - position: relative; - right: 83.33333%; - left: auto; - } - - /* line 264, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-11 { - position: relative; - left: 91.66667%; - right: auto; - } - - /* line 267, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-11 { - position: relative; - right: 91.66667%; - left: auto; - } -} -@media only screen and (min-width: 64em) { - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-0 { - position: relative; - left: 0; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-0 { - position: relative; - right: 0; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-1 { - position: relative; - left: 8.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-1 { - position: relative; - right: 8.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-2 { - position: relative; - left: 16.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-2 { - position: relative; - right: 16.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-3 { - position: relative; - left: 25%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-3 { - position: relative; - right: 25%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-4 { - position: relative; - left: 33.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-4 { - position: relative; - right: 33.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-5 { - position: relative; - left: 41.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-5 { - position: relative; - right: 41.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-6 { - position: relative; - left: 50%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-6 { - position: relative; - right: 50%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-7 { - position: relative; - left: 58.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-7 { - position: relative; - right: 58.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-8 { - position: relative; - left: 66.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-8 { - position: relative; - right: 66.66667%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-9 { - position: relative; - left: 75%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-9 { - position: relative; - right: 75%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-10 { - position: relative; - left: 83.33333%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-10 { - position: relative; - right: 83.33333%; - left: auto; - } - - /* line 155, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-push-11 { - position: relative; - left: 91.66667%; - right: auto; - } - - /* line 158, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-pull-11 { - position: relative; - right: 91.66667%; - left: auto; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column, - .columns { - position: relative; - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-1 { - width: 8.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-2 { - width: 16.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-3 { - width: 25%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-4 { - width: 33.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-5 { - width: 41.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-6 { - width: 50%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-7 { - width: 58.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-8 { - width: 66.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-9 { - width: 75%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-10 { - width: 83.33333%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-11 { - width: 91.66667%; - } - - /* line 168, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-12 { - width: 100%; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-0 { - margin-left: 0 !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-1 { - margin-left: 8.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-2 { - margin-left: 16.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-3 { - margin-left: 25% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-4 { - margin-left: 33.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-5 { - margin-left: 41.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-6 { - margin-left: 50% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-7 { - margin-left: 58.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-8 { - margin-left: 66.66667% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-9 { - margin-left: 75% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-10 { - margin-left: 83.33333% !important; - } - - /* line 172, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-offset-11 { - margin-left: 91.66667% !important; - } - - /* line 175, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .large-reset-order { - float: left; - left: auto; - margin-left: 0; - margin-right: 0; - right: auto; - } - - /* line 184, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.large-centered, - .columns.large-centered { - margin-left: auto; - margin-right: auto; - float: none; - } - - /* line 187, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.large-uncentered, - .columns.large-uncentered { - float: left; - margin-left: 0; - margin-right: 0; - } - - /* line 195, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.large-centered:last-child, - .columns.large-centered:last-child { - float: none; - } - - /* line 201, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.large-uncentered:last-child, - .columns.large-uncentered:last-child { - float: left; - } - - /* line 206, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .column.large-uncentered.opposite, - .columns.large-uncentered.opposite { - float: right; - } - - /* line 213, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.large-collapse > .column, - .row.large-collapse > .columns { - padding-left: 0; - padding-right: 0; - } - /* line 215, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.large-collapse .row { - margin-left: 0; - margin-right: 0; - } - /* line 219, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .row.large-uncollapse > .column, - .row.large-uncollapse > .columns { - padding-left: 0.9375rem; - padding-right: 0.9375rem; - float: left; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-0 { - position: relative; - left: 0; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-0 { - position: relative; - right: 0; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-1 { - position: relative; - left: 8.33333%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-1 { - position: relative; - right: 8.33333%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-2 { - position: relative; - left: 16.66667%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-2 { - position: relative; - right: 16.66667%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-3 { - position: relative; - left: 25%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-3 { - position: relative; - right: 25%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-4 { - position: relative; - left: 33.33333%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-4 { - position: relative; - right: 33.33333%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-5 { - position: relative; - left: 41.66667%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-5 { - position: relative; - right: 41.66667%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-6 { - position: relative; - left: 50%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-6 { - position: relative; - right: 50%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-7 { - position: relative; - left: 58.33333%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-7 { - position: relative; - right: 58.33333%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-8 { - position: relative; - left: 66.66667%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-8 { - position: relative; - right: 66.66667%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-9 { - position: relative; - left: 75%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-9 { - position: relative; - right: 75%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-10 { - position: relative; - left: 83.33333%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-10 { - position: relative; - right: 83.33333%; - left: auto; - } - - /* line 275, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .push-11 { - position: relative; - left: 91.66667%; - right: auto; - } - - /* line 278, ../bower_components/foundation/scss/foundation/components/_grid.scss */ - .pull-11 { - position: relative; - right: 91.66667%; - left: auto; - } -} -/* line 129, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion { - margin-bottom: 0; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.accordion:before, .accordion:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.accordion:after { - clear: both; -} -/* line 132, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation, .accordion dd { - display: block; - margin-bottom: 0 !important; -} -/* line 135, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation.active > a, .accordion dd.active > a { - background: #eeeeee; -} -/* line 136, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation > a, .accordion dd > a { - background: white; - color: #871d33; - display: block; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; - font-size: 1.0625rem; - padding: 1.25rem; -} -/* line 143, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation > a:hover, .accordion dd > a:hover { - background: #e2e2e2; -} -/* line 146, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation > .content, .accordion dd > .content { - display: none; - padding: 0.9375rem; -} -/* line 149, ../bower_components/foundation/scss/foundation/components/_accordion.scss */ -.accordion .accordion-navigation > .content.active, .accordion dd > .content.active { - background: white; - display: block; -} - -/* line 107, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ -[class*="block-grid-"] { - display: block; - padding: 0; - margin: 0; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -[class*="block-grid-"]:before, [class*="block-grid-"]:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -[class*="block-grid-"]:after { - clear: both; -} -/* line 51, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ -[class*="block-grid-"] > li { - display: block; - float: left; - height: auto; - padding: 0 0.9375rem 1.875rem; -} - -@media only screen { - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-1 > li { - list-style: none; - width: 100%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-1 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-1 > li:nth-of-type(1n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-1 > li:nth-of-type(1n) { - padding-left: 0rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-2 > li { - list-style: none; - width: 50%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-2 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-2 > li:nth-of-type(2n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-2 > li:nth-of-type(2n+1) { - padding-left: 0rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-2 > li:nth-of-type(2n) { - padding-left: 0.9375rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li { - list-style: none; - width: 33.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li:nth-of-type(3n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li:nth-of-type(3n+1) { - padding-left: 0rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li:nth-of-type(3n+2) { - padding-left: 0.625rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-3 > li:nth-of-type(3n) { - padding-left: 1.25rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li { - list-style: none; - width: 25%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(4n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(4n+1) { - padding-left: 0rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(4n+2) { - padding-left: 0.46875rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(4n+3) { - padding-left: 0.9375rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-4 > li:nth-of-type(4n) { - padding-left: 1.40625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li { - list-style: none; - width: 20%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n+1) { - padding-left: 0rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n+2) { - padding-left: 0.375rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n+3) { - padding-left: 0.75rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n+4) { - padding-left: 1.125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-5 > li:nth-of-type(5n) { - padding-left: 1.5rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li { - list-style: none; - width: 16.66667%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+1) { - padding-left: 0rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+2) { - padding-left: 0.3125rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+3) { - padding-left: 0.625rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+4) { - padding-left: 0.9375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n+5) { - padding-left: 1.25rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-6 > li:nth-of-type(6n) { - padding-left: 1.5625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li { - list-style: none; - width: 14.28571%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+1) { - padding-left: 0rem; - padding-right: 1.60714rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+2) { - padding-left: 0.26786rem; - padding-right: 1.33929rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+3) { - padding-left: 0.53571rem; - padding-right: 1.07143rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+4) { - padding-left: 0.80357rem; - padding-right: 0.80357rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+5) { - padding-left: 1.07143rem; - padding-right: 0.53571rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n+6) { - padding-left: 1.33929rem; - padding-right: 0.26786rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-7 > li:nth-of-type(7n) { - padding-left: 1.60714rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li { - list-style: none; - width: 12.5%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+1) { - padding-left: 0rem; - padding-right: 1.64063rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+2) { - padding-left: 0.23438rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+3) { - padding-left: 0.46875rem; - padding-right: 1.17188rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+4) { - padding-left: 0.70313rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+5) { - padding-left: 0.9375rem; - padding-right: 0.70313rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+6) { - padding-left: 1.17188rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n+7) { - padding-left: 1.40625rem; - padding-right: 0.23438rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-8 > li:nth-of-type(8n) { - padding-left: 1.64063rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li { - list-style: none; - width: 11.11111%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+1) { - padding-left: 0rem; - padding-right: 1.66667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+2) { - padding-left: 0.20833rem; - padding-right: 1.45833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+3) { - padding-left: 0.41667rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+4) { - padding-left: 0.625rem; - padding-right: 1.04167rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+5) { - padding-left: 0.83333rem; - padding-right: 0.83333rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+6) { - padding-left: 1.04167rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+7) { - padding-left: 1.25rem; - padding-right: 0.41667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n+8) { - padding-left: 1.45833rem; - padding-right: 0.20833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-9 > li:nth-of-type(9n) { - padding-left: 1.66667rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li { - list-style: none; - width: 10%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+1) { - padding-left: 0rem; - padding-right: 1.6875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+2) { - padding-left: 0.1875rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+3) { - padding-left: 0.375rem; - padding-right: 1.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+4) { - padding-left: 0.5625rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+5) { - padding-left: 0.75rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+6) { - padding-left: 0.9375rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+7) { - padding-left: 1.125rem; - padding-right: 0.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+8) { - padding-left: 1.3125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n+9) { - padding-left: 1.5rem; - padding-right: 0.1875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-10 > li:nth-of-type(10n) { - padding-left: 1.6875rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li { - list-style: none; - width: 9.09091%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+1) { - padding-left: 0.0rem; - padding-right: 1.70455rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+2) { - padding-left: 0.17045rem; - padding-right: 1.53409rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+3) { - padding-left: 0.34091rem; - padding-right: 1.36364rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+4) { - padding-left: 0.51136rem; - padding-right: 1.19318rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+5) { - padding-left: 0.68182rem; - padding-right: 1.02273rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+6) { - padding-left: 0.85227rem; - padding-right: 0.85227rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+7) { - padding-left: 1.02273rem; - padding-right: 0.68182rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+8) { - padding-left: 1.19318rem; - padding-right: 0.51136rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+9) { - padding-left: 1.36364rem; - padding-right: 0.34091rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n+10) { - padding-left: 1.53409rem; - padding-right: 0.17045rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-11 > li:nth-of-type(11n) { - padding-left: 1.70455rem; - padding-right: 0.0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li { - list-style: none; - width: 8.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+1) { - padding-left: 0rem; - padding-right: 1.71875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+2) { - padding-left: 0.15625rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+3) { - padding-left: 0.3125rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+4) { - padding-left: 0.46875rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+5) { - padding-left: 0.625rem; - padding-right: 1.09375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+6) { - padding-left: 0.78125rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+7) { - padding-left: 0.9375rem; - padding-right: 0.78125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+8) { - padding-left: 1.09375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+9) { - padding-left: 1.25rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+10) { - padding-left: 1.40625rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n+11) { - padding-left: 1.5625rem; - padding-right: 0.15625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .small-block-grid-12 > li:nth-of-type(12n) { - padding-left: 1.71875rem; - padding-right: 0rem; - } -} -@media only screen and (min-width: 40.063em) { - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-1 > li { - list-style: none; - width: 100%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-1 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-1 > li:nth-of-type(1n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-1 > li:nth-of-type(1n) { - padding-left: 0rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-2 > li { - list-style: none; - width: 50%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-2 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-2 > li:nth-of-type(2n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-2 > li:nth-of-type(2n+1) { - padding-left: 0rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-2 > li:nth-of-type(2n) { - padding-left: 0.9375rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li { - list-style: none; - width: 33.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li:nth-of-type(3n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li:nth-of-type(3n+1) { - padding-left: 0rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li:nth-of-type(3n+2) { - padding-left: 0.625rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-3 > li:nth-of-type(3n) { - padding-left: 1.25rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li { - list-style: none; - width: 25%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(4n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(4n+1) { - padding-left: 0rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(4n+2) { - padding-left: 0.46875rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(4n+3) { - padding-left: 0.9375rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-4 > li:nth-of-type(4n) { - padding-left: 1.40625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li { - list-style: none; - width: 20%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n+1) { - padding-left: 0rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n+2) { - padding-left: 0.375rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n+3) { - padding-left: 0.75rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n+4) { - padding-left: 1.125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-5 > li:nth-of-type(5n) { - padding-left: 1.5rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li { - list-style: none; - width: 16.66667%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+1) { - padding-left: 0rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+2) { - padding-left: 0.3125rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+3) { - padding-left: 0.625rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+4) { - padding-left: 0.9375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n+5) { - padding-left: 1.25rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-6 > li:nth-of-type(6n) { - padding-left: 1.5625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li { - list-style: none; - width: 14.28571%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+1) { - padding-left: 0rem; - padding-right: 1.60714rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+2) { - padding-left: 0.26786rem; - padding-right: 1.33929rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+3) { - padding-left: 0.53571rem; - padding-right: 1.07143rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+4) { - padding-left: 0.80357rem; - padding-right: 0.80357rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+5) { - padding-left: 1.07143rem; - padding-right: 0.53571rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n+6) { - padding-left: 1.33929rem; - padding-right: 0.26786rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-7 > li:nth-of-type(7n) { - padding-left: 1.60714rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li { - list-style: none; - width: 12.5%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+1) { - padding-left: 0rem; - padding-right: 1.64063rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+2) { - padding-left: 0.23438rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+3) { - padding-left: 0.46875rem; - padding-right: 1.17188rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+4) { - padding-left: 0.70313rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+5) { - padding-left: 0.9375rem; - padding-right: 0.70313rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+6) { - padding-left: 1.17188rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n+7) { - padding-left: 1.40625rem; - padding-right: 0.23438rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-8 > li:nth-of-type(8n) { - padding-left: 1.64063rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li { - list-style: none; - width: 11.11111%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+1) { - padding-left: 0rem; - padding-right: 1.66667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+2) { - padding-left: 0.20833rem; - padding-right: 1.45833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+3) { - padding-left: 0.41667rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+4) { - padding-left: 0.625rem; - padding-right: 1.04167rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+5) { - padding-left: 0.83333rem; - padding-right: 0.83333rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+6) { - padding-left: 1.04167rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+7) { - padding-left: 1.25rem; - padding-right: 0.41667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n+8) { - padding-left: 1.45833rem; - padding-right: 0.20833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-9 > li:nth-of-type(9n) { - padding-left: 1.66667rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li { - list-style: none; - width: 10%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+1) { - padding-left: 0rem; - padding-right: 1.6875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+2) { - padding-left: 0.1875rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+3) { - padding-left: 0.375rem; - padding-right: 1.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+4) { - padding-left: 0.5625rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+5) { - padding-left: 0.75rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+6) { - padding-left: 0.9375rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+7) { - padding-left: 1.125rem; - padding-right: 0.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+8) { - padding-left: 1.3125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n+9) { - padding-left: 1.5rem; - padding-right: 0.1875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-10 > li:nth-of-type(10n) { - padding-left: 1.6875rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li { - list-style: none; - width: 9.09091%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+1) { - padding-left: 0.0rem; - padding-right: 1.70455rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+2) { - padding-left: 0.17045rem; - padding-right: 1.53409rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+3) { - padding-left: 0.34091rem; - padding-right: 1.36364rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+4) { - padding-left: 0.51136rem; - padding-right: 1.19318rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+5) { - padding-left: 0.68182rem; - padding-right: 1.02273rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+6) { - padding-left: 0.85227rem; - padding-right: 0.85227rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+7) { - padding-left: 1.02273rem; - padding-right: 0.68182rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+8) { - padding-left: 1.19318rem; - padding-right: 0.51136rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+9) { - padding-left: 1.36364rem; - padding-right: 0.34091rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n+10) { - padding-left: 1.53409rem; - padding-right: 0.17045rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-11 > li:nth-of-type(11n) { - padding-left: 1.70455rem; - padding-right: 0.0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li { - list-style: none; - width: 8.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+1) { - padding-left: 0rem; - padding-right: 1.71875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+2) { - padding-left: 0.15625rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+3) { - padding-left: 0.3125rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+4) { - padding-left: 0.46875rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+5) { - padding-left: 0.625rem; - padding-right: 1.09375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+6) { - padding-left: 0.78125rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+7) { - padding-left: 0.9375rem; - padding-right: 0.78125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+8) { - padding-left: 1.09375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+9) { - padding-left: 1.25rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+10) { - padding-left: 1.40625rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n+11) { - padding-left: 1.5625rem; - padding-right: 0.15625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .medium-block-grid-12 > li:nth-of-type(12n) { - padding-left: 1.71875rem; - padding-right: 0rem; - } -} -@media only screen and (min-width: 64em) { - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-1 > li { - list-style: none; - width: 100%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-1 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-1 > li:nth-of-type(1n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-1 > li:nth-of-type(1n) { - padding-left: 0rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-2 > li { - list-style: none; - width: 50%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-2 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-2 > li:nth-of-type(2n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-2 > li:nth-of-type(2n+1) { - padding-left: 0rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-2 > li:nth-of-type(2n) { - padding-left: 0.9375rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li { - list-style: none; - width: 33.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li:nth-of-type(3n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li:nth-of-type(3n+1) { - padding-left: 0rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li:nth-of-type(3n+2) { - padding-left: 0.625rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-3 > li:nth-of-type(3n) { - padding-left: 1.25rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li { - list-style: none; - width: 25%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(4n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(4n+1) { - padding-left: 0rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(4n+2) { - padding-left: 0.46875rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(4n+3) { - padding-left: 0.9375rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-4 > li:nth-of-type(4n) { - padding-left: 1.40625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li { - list-style: none; - width: 20%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n+1) { - padding-left: 0rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n+2) { - padding-left: 0.375rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n+3) { - padding-left: 0.75rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n+4) { - padding-left: 1.125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-5 > li:nth-of-type(5n) { - padding-left: 1.5rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li { - list-style: none; - width: 16.66667%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+1) { - padding-left: 0rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+2) { - padding-left: 0.3125rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+3) { - padding-left: 0.625rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+4) { - padding-left: 0.9375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n+5) { - padding-left: 1.25rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-6 > li:nth-of-type(6n) { - padding-left: 1.5625rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li { - list-style: none; - width: 14.28571%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+1) { - padding-left: 0rem; - padding-right: 1.60714rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+2) { - padding-left: 0.26786rem; - padding-right: 1.33929rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+3) { - padding-left: 0.53571rem; - padding-right: 1.07143rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+4) { - padding-left: 0.80357rem; - padding-right: 0.80357rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+5) { - padding-left: 1.07143rem; - padding-right: 0.53571rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n+6) { - padding-left: 1.33929rem; - padding-right: 0.26786rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-7 > li:nth-of-type(7n) { - padding-left: 1.60714rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li { - list-style: none; - width: 12.5%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+1) { - padding-left: 0rem; - padding-right: 1.64063rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+2) { - padding-left: 0.23438rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+3) { - padding-left: 0.46875rem; - padding-right: 1.17188rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+4) { - padding-left: 0.70313rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+5) { - padding-left: 0.9375rem; - padding-right: 0.70313rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+6) { - padding-left: 1.17188rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n+7) { - padding-left: 1.40625rem; - padding-right: 0.23438rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-8 > li:nth-of-type(8n) { - padding-left: 1.64063rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li { - list-style: none; - width: 11.11111%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+1) { - padding-left: 0rem; - padding-right: 1.66667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+2) { - padding-left: 0.20833rem; - padding-right: 1.45833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+3) { - padding-left: 0.41667rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+4) { - padding-left: 0.625rem; - padding-right: 1.04167rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+5) { - padding-left: 0.83333rem; - padding-right: 0.83333rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+6) { - padding-left: 1.04167rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+7) { - padding-left: 1.25rem; - padding-right: 0.41667rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n+8) { - padding-left: 1.45833rem; - padding-right: 0.20833rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-9 > li:nth-of-type(9n) { - padding-left: 1.66667rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li { - list-style: none; - width: 10%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+1) { - padding-left: 0rem; - padding-right: 1.6875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+2) { - padding-left: 0.1875rem; - padding-right: 1.5rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+3) { - padding-left: 0.375rem; - padding-right: 1.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+4) { - padding-left: 0.5625rem; - padding-right: 1.125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+5) { - padding-left: 0.75rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+6) { - padding-left: 0.9375rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+7) { - padding-left: 1.125rem; - padding-right: 0.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+8) { - padding-left: 1.3125rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n+9) { - padding-left: 1.5rem; - padding-right: 0.1875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-10 > li:nth-of-type(10n) { - padding-left: 1.6875rem; - padding-right: 0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li { - list-style: none; - width: 9.09091%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+1) { - padding-left: 0.0rem; - padding-right: 1.70455rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+2) { - padding-left: 0.17045rem; - padding-right: 1.53409rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+3) { - padding-left: 0.34091rem; - padding-right: 1.36364rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+4) { - padding-left: 0.51136rem; - padding-right: 1.19318rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+5) { - padding-left: 0.68182rem; - padding-right: 1.02273rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+6) { - padding-left: 0.85227rem; - padding-right: 0.85227rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+7) { - padding-left: 1.02273rem; - padding-right: 0.68182rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+8) { - padding-left: 1.19318rem; - padding-right: 0.51136rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+9) { - padding-left: 1.36364rem; - padding-right: 0.34091rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n+10) { - padding-left: 1.53409rem; - padding-right: 0.17045rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-11 > li:nth-of-type(11n) { - padding-left: 1.70455rem; - padding-right: 0.0rem; - } - - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li { - list-style: none; - width: 8.33333%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+1) { - padding-left: 0rem; - padding-right: 1.71875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+2) { - padding-left: 0.15625rem; - padding-right: 1.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+3) { - padding-left: 0.3125rem; - padding-right: 1.40625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+4) { - padding-left: 0.46875rem; - padding-right: 1.25rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+5) { - padding-left: 0.625rem; - padding-right: 1.09375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+6) { - padding-left: 0.78125rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+7) { - padding-left: 0.9375rem; - padding-right: 0.78125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+8) { - padding-left: 1.09375rem; - padding-right: 0.625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+9) { - padding-left: 1.25rem; - padding-right: 0.46875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+10) { - padding-left: 1.40625rem; - padding-right: 0.3125rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n+11) { - padding-left: 1.5625rem; - padding-right: 0.15625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .large-block-grid-12 > li:nth-of-type(12n) { - padding-left: 1.71875rem; - padding-right: 0rem; - } -} -/* Foundation Dropdowns */ -/* line 231, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown { - display: none; - left: -9999px; - list-style: none; - margin-left: 0; - position: absolute; - background: white; - border: solid 0px #cccccc; - font-size: 0.875rem; - height: auto; - max-height: none; - width: 100%; - z-index: 89; - margin-top: 2px; - max-width: 200px; -} -/* line 73, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.open { - display: block; -} -/* line 77, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown > *:first-child { - margin-top: 0; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown > *:last-child { - margin-bottom: 0; -} -/* line 105, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown:before { - border: inset 6px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent transparent white transparent; - border-bottom-style: solid; - position: absolute; - top: -12px; - left: 10px; - z-index: 89; -} -/* line 112, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown:after { - border: inset 7px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent transparent #cccccc transparent; - border-bottom-style: solid; - position: absolute; - top: -14px; - left: 9px; - z-index: 88; -} -/* line 120, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.right:before { - left: auto; - right: 10px; -} -/* line 124, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.right:after { - left: auto; - right: 9px; -} -/* line 234, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right { - display: none; - left: -9999px; - list-style: none; - margin-left: 0; - position: absolute; - background: white; - border: solid 0px #cccccc; - font-size: 0.875rem; - height: auto; - max-height: none; - width: 100%; - z-index: 89; - margin-top: 0; - margin-left: 2px; - max-width: 200px; -} -/* line 73, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right.open { - display: block; -} -/* line 77, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right > *:first-child { - margin-top: 0; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right > *:last-child { - margin-bottom: 0; -} -/* line 135, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right:before { - border: inset 6px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent white transparent transparent; - border-right-style: solid; - position: absolute; - top: 10px; - left: -12px; - z-index: 89; -} -/* line 142, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-right:after { - border: inset 7px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent #cccccc transparent transparent; - border-right-style: solid; - position: absolute; - top: 9px; - left: -14px; - z-index: 88; -} -/* line 238, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left { - display: none; - left: -9999px; - list-style: none; - margin-left: 0; - position: absolute; - background: white; - border: solid 0px #cccccc; - font-size: 0.875rem; - height: auto; - max-height: none; - width: 100%; - z-index: 89; - margin-top: 0; - margin-left: -2px; - max-width: 200px; -} -/* line 73, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left.open { - display: block; -} -/* line 77, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left > *:first-child { - margin-top: 0; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left > *:last-child { - margin-bottom: 0; -} -/* line 156, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left:before { - border: inset 6px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent transparent transparent white; - border-left-style: solid; - position: absolute; - top: 10px; - right: -12px; - left: auto; - z-index: 89; -} -/* line 164, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-left:after { - border: inset 7px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: transparent transparent transparent #cccccc; - border-left-style: solid; - position: absolute; - top: 9px; - right: -14px; - left: auto; - z-index: 88; -} -/* line 242, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top { - display: none; - left: -9999px; - list-style: none; - margin-left: 0; - position: absolute; - background: white; - border: solid 0px #cccccc; - font-size: 0.875rem; - height: auto; - max-height: none; - width: 100%; - z-index: 89; - margin-left: 0; - margin-top: -2px; - max-width: 200px; -} -/* line 73, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top.open { - display: block; -} -/* line 77, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top > *:first-child { - margin-top: 0; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top > *:last-child { - margin-bottom: 0; -} -/* line 179, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top:before { - border: inset 6px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: white transparent transparent transparent; - border-top-style: solid; - bottom: -12px; - position: absolute; - top: auto; - left: 10px; - right: auto; - z-index: 89; -} -/* line 188, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.drop-top:after { - border: inset 7px; - content: ""; - display: block; - height: 0; - width: 0; - border-color: #cccccc transparent transparent transparent; - border-top-style: solid; - bottom: -14px; - position: absolute; - top: auto; - left: 9px; - right: auto; - z-index: 88; -} -/* line 247, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown li { - cursor: pointer; - font-size: 0.875rem; - line-height: 1.125rem; - margin: 0; -} -/* line 216, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown li:hover, .f-dropdown li:focus { - background: #eeeeee; -} -/* line 218, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown li.radius, .f-dropdown li.button { - border-radius: 4px; -} -/* line 220, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown li a { - display: block; - padding: 0.5rem; - color: #555555; -} -/* line 250, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.content { - display: none; - left: -9999px; - list-style: none; - margin-left: 0; - position: absolute; - background: white; - border: solid 0px #cccccc; - font-size: 0.875rem; - height: auto; - max-height: none; - padding: 1.25rem; - width: 100%; - z-index: 89; - max-width: 200px; -} -/* line 73, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.content.open { - display: block; -} -/* line 77, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.content > *:first-child { - margin-top: 0; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.content > *:last-child { - margin-bottom: 0; -} -/* line 253, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.tiny, .tsarlp-pagebrowser li a.f-dropdown { - max-width: 200px; -} -/* line 254, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.small { - max-width: 300px; -} -/* line 255, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.medium { - max-width: 500px; -} -/* line 256, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.large { - max-width: 800px; -} -/* line 257, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.mega { - width: 100% !important; - max-width: 100% !important; -} -/* line 261, ../bower_components/foundation/scss/foundation/components/_dropdown.scss */ -.f-dropdown.mega.open { - left: 0 !important; -} - -/* line 123, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button, .tsarlp-pagebrowser li a.dropdown, button.dropdown { - position: relative; - padding-right: 3.5625rem; -} -/* line 63, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button::after, .tsarlp-pagebrowser li a.dropdown::after, button.dropdown::after { - border-color: white transparent transparent transparent; - border-style: solid; - content: ""; - display: block; - height: 0; - position: absolute; - top: 50%; - width: 0; -} -/* line 98, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button::after, .tsarlp-pagebrowser li a.dropdown::after, button.dropdown::after { - border-width: 0.375rem; - right: 1.40625rem; - margin-top: -0.15625rem; -} -/* line 117, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button::after, .tsarlp-pagebrowser li a.dropdown::after, button.dropdown::after { - border-color: white transparent transparent transparent; -} -/* line 124, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.tiny, .tsarlp-pagebrowser li a.dropdown, button.dropdown.tiny { - padding-right: 2.625rem; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.tiny:after, .tsarlp-pagebrowser li a.dropdown:after, button.dropdown.tiny:after { - border-width: 0.375rem; - right: 1.125rem; - margin-top: -0.125rem; -} -/* line 117, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.tiny::after, .tsarlp-pagebrowser li a.dropdown::after, button.dropdown.tiny::after { - border-color: white transparent transparent transparent; -} -/* line 125, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.small, .tsarlp-pagebrowser li a.dropdown.small, button.dropdown.small { - padding-right: 3.0625rem; -} -/* line 88, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.small::after, .tsarlp-pagebrowser li a.dropdown.small::after, button.dropdown.small::after { - border-width: 0.4375rem; - right: 1.3125rem; - margin-top: -0.15625rem; -} -/* line 117, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.small::after, .tsarlp-pagebrowser li a.dropdown.small::after, button.dropdown.small::after { - border-color: white transparent transparent transparent; -} -/* line 126, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.large, .tsarlp-pagebrowser li a.dropdown.large, button.dropdown.large { - padding-right: 3.625rem; -} -/* line 108, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.large::after, .tsarlp-pagebrowser li a.dropdown.large::after, button.dropdown.large::after { - border-width: 0.3125rem; - right: 1.71875rem; - margin-top: -0.15625rem; -} -/* line 117, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.large::after, .tsarlp-pagebrowser li a.dropdown.large::after, button.dropdown.large::after { - border-color: white transparent transparent transparent; -} -/* line 127, ../bower_components/foundation/scss/foundation/components/_dropdown-buttons.scss */ -.dropdown.button.secondary:after, .tsarlp-pagebrowser li a.dropdown.secondary:after, button.dropdown.secondary:after { - border-color: #333333 transparent transparent transparent; -} - -/* line 213, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button, .button, .tsarlp-pagebrowser li a { - -webkit-appearance: none; - -moz-appearance: none; - border-radius: 0; - border-style: none; - border-width: 0; - cursor: pointer; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; - font-weight: normal; - line-height: normal; - margin: 0 0 1.25rem; - position: relative; - text-align: center; - text-decoration: none; - display: inline-block; - padding: 1rem 2rem 1.0625rem 2rem; - font-size: 1rem; - background-color: #871d33; - border-color: #4a4a4a; - color: white; - -webkit-transition: background-color 300ms ease-out; - transition: background-color 300ms ease-out; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button:hover, button:focus, .button:hover, .tsarlp-pagebrowser li a:hover, .button:focus, .tsarlp-pagebrowser li a:focus { - background-color: #4a4a4a; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button:hover, button:focus, .button:hover, .tsarlp-pagebrowser li a:hover, .button:focus, .tsarlp-pagebrowser li a:focus { - color: white; -} -/* line 220, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.secondary, .button.secondary, .tsarlp-pagebrowser li a.secondary { - background-color: #8e8e8e; - border-color: #4a4a4a; - color: white; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.secondary:hover, button.secondary:focus, .button.secondary:hover, .tsarlp-pagebrowser li a.secondary:hover, .button.secondary:focus, .tsarlp-pagebrowser li a.secondary:focus { - background-color: #4a4a4a; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.secondary:hover, button.secondary:focus, .button.secondary:hover, .tsarlp-pagebrowser li a.secondary:hover, .button.secondary:focus, .tsarlp-pagebrowser li a.secondary:focus { - color: white; -} -/* line 221, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.success, .button.success, .tsarlp-pagebrowser li a.success { - background-color: #43ac6a; - border-color: #368a55; - color: white; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.success:hover, button.success:focus, .button.success:hover, .tsarlp-pagebrowser li a.success:hover, .button.success:focus, .tsarlp-pagebrowser li a.success:focus { - background-color: #368a55; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.success:hover, button.success:focus, .button.success:hover, .tsarlp-pagebrowser li a.success:hover, .button.success:focus, .tsarlp-pagebrowser li a.success:focus { - color: white; -} -/* line 222, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.alert, .button.alert, .tsarlp-pagebrowser li a.alert { - background-color: #f04124; - border-color: #cf2a0e; - color: white; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.alert:hover, button.alert:focus, .button.alert:hover, .tsarlp-pagebrowser li a.alert:hover, .button.alert:focus, .tsarlp-pagebrowser li a.alert:focus { - background-color: #cf2a0e; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.alert:hover, button.alert:focus, .button.alert:hover, .tsarlp-pagebrowser li a.alert:hover, .button.alert:focus, .tsarlp-pagebrowser li a.alert:focus { - color: white; -} -/* line 223, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.warning, .button.warning, .tsarlp-pagebrowser li a.warning { - background-color: #f08a24; - border-color: #cf6e0e; - color: white; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.warning:hover, button.warning:focus, .button.warning:hover, .tsarlp-pagebrowser li a.warning:hover, .button.warning:focus, .tsarlp-pagebrowser li a.warning:focus { - background-color: #cf6e0e; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.warning:hover, button.warning:focus, .button.warning:hover, .tsarlp-pagebrowser li a.warning:hover, .button.warning:focus, .tsarlp-pagebrowser li a.warning:focus { - color: white; -} -/* line 224, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.info, .button.info, .tsarlp-pagebrowser li a.info { - background-color: #a0d3e8; - border-color: #61b6d9; - color: #333333; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.info:hover, button.info:focus, .button.info:hover, .tsarlp-pagebrowser li a.info:hover, .button.info:focus, .tsarlp-pagebrowser li a.info:focus { - background-color: #61b6d9; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.info:hover, button.info:focus, .button.info:hover, .tsarlp-pagebrowser li a.info:hover, .button.info:focus, .tsarlp-pagebrowser li a.info:focus { - color: white; -} -/* line 226, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.large, .button.large, .tsarlp-pagebrowser li a.large { - padding: 1.125rem 2.25rem 1.1875rem 2.25rem; - font-size: 1.25rem; -} -/* line 227, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.small, .button.small, .tsarlp-pagebrowser li a.small { - padding: 0.5625rem 1.125rem 0.625rem 1.125rem; - font-size: 0.875rem; -} -/* line 228, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.tiny, .button.tiny, .tsarlp-pagebrowser li a { - padding: 0.375rem 0.75rem 0.4375rem 0.75rem; - font-size: 0.6875rem; -} -/* line 229, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.expand, .button.expand, .tsarlp-pagebrowser li a.expand { - padding-left: 0; - padding-right: 0; - width: 100%; -} -/* line 231, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.left-align, .button.left-align, .tsarlp-pagebrowser li a.left-align { - text-align: left; - text-indent: 0.75rem; -} -/* line 232, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.right-align, .button.right-align, .tsarlp-pagebrowser li a.right-align { - text-align: right; - padding-right: 0.75rem; -} -/* line 234, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.radius, button.button, .button.radius, .button, .tsarlp-pagebrowser li a { - border-radius: 4px; -} -/* line 235, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.round, .button.round, .tsarlp-pagebrowser li a.round { - border-radius: 1000px; -} -/* line 237, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled, button[disabled], .button.disabled, .tsarlp-pagebrowser li a.disabled, .button[disabled], .tsarlp-pagebrowser li a[disabled] { - background-color: #871d33; - border-color: #4a4a4a; - color: white; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled:hover, button.disabled:focus, button[disabled]:hover, button[disabled]:focus, .button.disabled:hover, .tsarlp-pagebrowser li a.disabled:hover, .button.disabled:focus, .tsarlp-pagebrowser li a.disabled:focus, .button[disabled]:hover, .tsarlp-pagebrowser li a[disabled]:hover, .button[disabled]:focus, .tsarlp-pagebrowser li a[disabled]:focus { - background-color: #4a4a4a; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled:hover, button.disabled:focus, button[disabled]:hover, button[disabled]:focus, .button.disabled:hover, .tsarlp-pagebrowser li a.disabled:hover, .button.disabled:focus, .tsarlp-pagebrowser li a.disabled:focus, .button[disabled]:hover, .tsarlp-pagebrowser li a[disabled]:hover, .button[disabled]:focus, .tsarlp-pagebrowser li a[disabled]:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled:hover, button.disabled:focus, button[disabled]:hover, button[disabled]:focus, .button.disabled:hover, .tsarlp-pagebrowser li a.disabled:hover, .button.disabled:focus, .tsarlp-pagebrowser li a.disabled:focus, .button[disabled]:hover, .tsarlp-pagebrowser li a[disabled]:hover, .button[disabled]:focus, .tsarlp-pagebrowser li a[disabled]:focus { - background-color: #871d33; -} -/* line 238, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.secondary, button[disabled].secondary, .button.disabled.secondary, .tsarlp-pagebrowser li a.disabled.secondary, .button[disabled].secondary, .tsarlp-pagebrowser li a[disabled].secondary { - background-color: #8e8e8e; - border-color: #4a4a4a; - color: white; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.secondary:hover, button.disabled.secondary:focus, button[disabled].secondary:hover, button[disabled].secondary:focus, .button.disabled.secondary:hover, .tsarlp-pagebrowser li a.disabled.secondary:hover, .button.disabled.secondary:focus, .tsarlp-pagebrowser li a.disabled.secondary:focus, .button[disabled].secondary:hover, .tsarlp-pagebrowser li a[disabled].secondary:hover, .button[disabled].secondary:focus, .tsarlp-pagebrowser li a[disabled].secondary:focus { - background-color: #4a4a4a; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.secondary:hover, button.disabled.secondary:focus, button[disabled].secondary:hover, button[disabled].secondary:focus, .button.disabled.secondary:hover, .tsarlp-pagebrowser li a.disabled.secondary:hover, .button.disabled.secondary:focus, .tsarlp-pagebrowser li a.disabled.secondary:focus, .button[disabled].secondary:hover, .tsarlp-pagebrowser li a[disabled].secondary:hover, .button[disabled].secondary:focus, .tsarlp-pagebrowser li a[disabled].secondary:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.secondary:hover, button.disabled.secondary:focus, button[disabled].secondary:hover, button[disabled].secondary:focus, .button.disabled.secondary:hover, .tsarlp-pagebrowser li a.disabled.secondary:hover, .button.disabled.secondary:focus, .tsarlp-pagebrowser li a.disabled.secondary:focus, .button[disabled].secondary:hover, .tsarlp-pagebrowser li a[disabled].secondary:hover, .button[disabled].secondary:focus, .tsarlp-pagebrowser li a[disabled].secondary:focus { - background-color: #8e8e8e; -} -/* line 239, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.success, button[disabled].success, .button.disabled.success, .tsarlp-pagebrowser li a.disabled.success, .button[disabled].success, .tsarlp-pagebrowser li a[disabled].success { - background-color: #43ac6a; - border-color: #368a55; - color: white; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.success:hover, button.disabled.success:focus, button[disabled].success:hover, button[disabled].success:focus, .button.disabled.success:hover, .tsarlp-pagebrowser li a.disabled.success:hover, .button.disabled.success:focus, .tsarlp-pagebrowser li a.disabled.success:focus, .button[disabled].success:hover, .tsarlp-pagebrowser li a[disabled].success:hover, .button[disabled].success:focus, .tsarlp-pagebrowser li a[disabled].success:focus { - background-color: #368a55; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.success:hover, button.disabled.success:focus, button[disabled].success:hover, button[disabled].success:focus, .button.disabled.success:hover, .tsarlp-pagebrowser li a.disabled.success:hover, .button.disabled.success:focus, .tsarlp-pagebrowser li a.disabled.success:focus, .button[disabled].success:hover, .tsarlp-pagebrowser li a[disabled].success:hover, .button[disabled].success:focus, .tsarlp-pagebrowser li a[disabled].success:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.success:hover, button.disabled.success:focus, button[disabled].success:hover, button[disabled].success:focus, .button.disabled.success:hover, .tsarlp-pagebrowser li a.disabled.success:hover, .button.disabled.success:focus, .tsarlp-pagebrowser li a.disabled.success:focus, .button[disabled].success:hover, .tsarlp-pagebrowser li a[disabled].success:hover, .button[disabled].success:focus, .tsarlp-pagebrowser li a[disabled].success:focus { - background-color: #43ac6a; -} -/* line 240, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.alert, button[disabled].alert, .button.disabled.alert, .tsarlp-pagebrowser li a.disabled.alert, .button[disabled].alert, .tsarlp-pagebrowser li a[disabled].alert { - background-color: #f04124; - border-color: #cf2a0e; - color: white; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.alert:hover, button.disabled.alert:focus, button[disabled].alert:hover, button[disabled].alert:focus, .button.disabled.alert:hover, .tsarlp-pagebrowser li a.disabled.alert:hover, .button.disabled.alert:focus, .tsarlp-pagebrowser li a.disabled.alert:focus, .button[disabled].alert:hover, .tsarlp-pagebrowser li a[disabled].alert:hover, .button[disabled].alert:focus, .tsarlp-pagebrowser li a[disabled].alert:focus { - background-color: #cf2a0e; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.alert:hover, button.disabled.alert:focus, button[disabled].alert:hover, button[disabled].alert:focus, .button.disabled.alert:hover, .tsarlp-pagebrowser li a.disabled.alert:hover, .button.disabled.alert:focus, .tsarlp-pagebrowser li a.disabled.alert:focus, .button[disabled].alert:hover, .tsarlp-pagebrowser li a[disabled].alert:hover, .button[disabled].alert:focus, .tsarlp-pagebrowser li a[disabled].alert:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.alert:hover, button.disabled.alert:focus, button[disabled].alert:hover, button[disabled].alert:focus, .button.disabled.alert:hover, .tsarlp-pagebrowser li a.disabled.alert:hover, .button.disabled.alert:focus, .tsarlp-pagebrowser li a.disabled.alert:focus, .button[disabled].alert:hover, .tsarlp-pagebrowser li a[disabled].alert:hover, .button[disabled].alert:focus, .tsarlp-pagebrowser li a[disabled].alert:focus { - background-color: #f04124; -} -/* line 241, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.warning, button[disabled].warning, .button.disabled.warning, .tsarlp-pagebrowser li a.disabled.warning, .button[disabled].warning, .tsarlp-pagebrowser li a[disabled].warning { - background-color: #f08a24; - border-color: #cf6e0e; - color: white; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.warning:hover, button.disabled.warning:focus, button[disabled].warning:hover, button[disabled].warning:focus, .button.disabled.warning:hover, .tsarlp-pagebrowser li a.disabled.warning:hover, .button.disabled.warning:focus, .tsarlp-pagebrowser li a.disabled.warning:focus, .button[disabled].warning:hover, .tsarlp-pagebrowser li a[disabled].warning:hover, .button[disabled].warning:focus, .tsarlp-pagebrowser li a[disabled].warning:focus { - background-color: #cf6e0e; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.warning:hover, button.disabled.warning:focus, button[disabled].warning:hover, button[disabled].warning:focus, .button.disabled.warning:hover, .tsarlp-pagebrowser li a.disabled.warning:hover, .button.disabled.warning:focus, .tsarlp-pagebrowser li a.disabled.warning:focus, .button[disabled].warning:hover, .tsarlp-pagebrowser li a[disabled].warning:hover, .button[disabled].warning:focus, .tsarlp-pagebrowser li a[disabled].warning:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.warning:hover, button.disabled.warning:focus, button[disabled].warning:hover, button[disabled].warning:focus, .button.disabled.warning:hover, .tsarlp-pagebrowser li a.disabled.warning:hover, .button.disabled.warning:focus, .tsarlp-pagebrowser li a.disabled.warning:focus, .button[disabled].warning:hover, .tsarlp-pagebrowser li a[disabled].warning:hover, .button[disabled].warning:focus, .tsarlp-pagebrowser li a[disabled].warning:focus { - background-color: #f08a24; -} -/* line 242, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.info, button[disabled].info, .button.disabled.info, .tsarlp-pagebrowser li a.disabled.info, .button[disabled].info, .tsarlp-pagebrowser li a[disabled].info { - background-color: #a0d3e8; - border-color: #61b6d9; - color: #333333; - box-shadow: none; - cursor: default; - opacity: 0.7; -} -/* line 159, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.info:hover, button.disabled.info:focus, button[disabled].info:hover, button[disabled].info:focus, .button.disabled.info:hover, .tsarlp-pagebrowser li a.disabled.info:hover, .button.disabled.info:focus, .tsarlp-pagebrowser li a.disabled.info:focus, .button[disabled].info:hover, .tsarlp-pagebrowser li a[disabled].info:hover, .button[disabled].info:focus, .tsarlp-pagebrowser li a[disabled].info:focus { - background-color: #61b6d9; -} -/* line 165, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.info:hover, button.disabled.info:focus, button[disabled].info:hover, button[disabled].info:focus, .button.disabled.info:hover, .tsarlp-pagebrowser li a.disabled.info:hover, .button.disabled.info:focus, .tsarlp-pagebrowser li a.disabled.info:focus, .button[disabled].info:hover, .tsarlp-pagebrowser li a[disabled].info:hover, .button[disabled].info:focus, .tsarlp-pagebrowser li a[disabled].info:focus { - color: white; -} -/* line 176, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button.disabled.info:hover, button.disabled.info:focus, button[disabled].info:hover, button[disabled].info:focus, .button.disabled.info:hover, .tsarlp-pagebrowser li a.disabled.info:hover, .button.disabled.info:focus, .tsarlp-pagebrowser li a.disabled.info:focus, .button[disabled].info:hover, .tsarlp-pagebrowser li a[disabled].info:hover, .button[disabled].info:focus, .tsarlp-pagebrowser li a[disabled].info:focus { - background-color: #a0d3e8; -} - -/* line 247, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ -button::-moz-focus-inner { - border: 0; - padding: 0; -} - -@media only screen and (min-width: 40.063em) { - /* line 250, ../bower_components/foundation/scss/foundation/components/_buttons.scss */ - button, .button, .tsarlp-pagebrowser li a { - display: inline-block; - } -} -/* Standard Forms */ -/* line 387, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form { - margin: 0 0 1rem; -} - -/* Using forms within rows, we need to set some defaults */ -/* line 92, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .row { - margin: 0 -0.5rem; -} -/* line 95, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .row .column, -form .row .row .columns { - padding: 0 0.5rem; -} -/* line 98, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .row.collapse { - margin: 0; -} -/* line 101, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .row.collapse .column, -form .row .row.collapse .columns { - padding: 0; -} -/* line 102, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .row.collapse input { - -webkit-border-bottom-right-radius: 0; - -webkit-border-top-right-radius: 0; - border-bottom-right-radius: 0; - border-top-right-radius: 0; -} -/* line 111, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row input.column, -form .row input.columns, -form .row textarea.column, -form .row textarea.columns { - padding-left: 0.5rem; -} - -/* Label Styles */ -/* line 393, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -label { - color: #4d4d4d; - cursor: default; - display: block; - font-size: 0.875rem; - font-weight: normal; - line-height: 1.5; - margin-bottom: 0; - /* Styles for required inputs */ -} -/* line 394, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -label.right { - float: none !important; - text-align: right; -} -/* line 395, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -label.inline { - margin: 0 0 1rem 0; - padding: 0.5625rem 0; -} -/* line 397, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -label small { - text-transform: capitalize; - color: #676767; -} - -/* Attach elements to the beginning or end of an input */ -/* line 405, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.prefix, -.postfix { - border-style: none; - border-width: 0; - display: block; - font-size: 0.875rem; - height: 2.3125rem; - line-height: 2.3125rem; - overflow: visible; - padding-bottom: 0; - padding-top: 0; - position: relative; - text-align: center; - width: 100%; - z-index: 2; -} - -/* Adjust padding, alignment and radius if pre/post element is a button */ -/* line 408, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.postfix.button, .tsarlp-pagebrowser li a.postfix { - border-color: true; -} - -/* line 409, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.prefix.button, .tsarlp-pagebrowser li a.prefix { - border: none; - padding-left: 0; - padding-right: 0; - padding-bottom: 0; - padding-top: 0; - text-align: center; -} - -/* line 411, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.prefix.button.radius, .prefix.button, .tsarlp-pagebrowser li a.prefix { - border-radius: 0; - -webkit-border-bottom-left-radius: 4px; - -webkit-border-top-left-radius: 4px; - border-bottom-left-radius: 4px; - border-top-left-radius: 4px; -} - -/* line 412, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.postfix.button.radius, .postfix.button, .tsarlp-pagebrowser li a.postfix { - border-radius: 0; - -webkit-border-bottom-right-radius: 4px; - -webkit-border-top-right-radius: 4px; - border-bottom-right-radius: 4px; - border-top-right-radius: 4px; -} - -/* line 413, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.prefix.button.round, .tsarlp-pagebrowser li a.prefix.round { - border-radius: 0; - -webkit-border-bottom-left-radius: 1000px; - -webkit-border-top-left-radius: 1000px; - border-bottom-left-radius: 1000px; - border-top-left-radius: 1000px; -} - -/* line 414, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.postfix.button.round, .tsarlp-pagebrowser li a.postfix.round { - border-radius: 0; - -webkit-border-bottom-right-radius: 1000px; - -webkit-border-top-right-radius: 1000px; - border-bottom-right-radius: 1000px; - border-top-right-radius: 1000px; -} - -/* Separate prefix and postfix styles when on span or label so buttons keep their own */ -/* line 417, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -span.prefix, label.prefix { - background: #f2f2f2; - border-right: none; - color: #333333; - border-color: #cccccc; -} - -/* line 418, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -span.postfix, label.postfix { - background: #f2f2f2; - color: #333333; - border-color: #cccccc; -} - -/* We use this to get basic styling on all basic form elements */ -/* line 421, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="text"], input[type="password"], input[type="date"], input[type="datetime"], input[type="datetime-local"], input[type="month"], input[type="week"], input[type="email"], input[type="number"], input[type="search"], input[type="tel"], input[type="time"], input[type="url"], input[type="color"], textarea { - -webkit-appearance: none; - -moz-appearance: none; - border-radius: 0; - background-color: #eeeeee; - border-style: solid; - border-width: 1px; - border-color: #c6c6c6; - box-shadow: none; - color: #666666; - display: block; - font-family: inherit; - font-size: 0.875rem; - height: 2.3125rem; - margin: 0 0 1rem 0; - padding: 0.5rem; - width: 100%; - box-sizing: border-box; - -webkit-transition: border-color 0.15s linear, background 0.15s linear; - transition: border-color 0.15s linear, background 0.15s linear; -} -/* line 138, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="text"]:focus, input[type="password"]:focus, input[type="date"]:focus, input[type="datetime"]:focus, input[type="datetime-local"]:focus, input[type="month"]:focus, input[type="week"]:focus, input[type="email"]:focus, input[type="number"]:focus, input[type="search"]:focus, input[type="tel"]:focus, input[type="time"]:focus, input[type="url"]:focus, input[type="color"]:focus, textarea:focus { - background: white; - border-color: #999999; - outline: none; -} -/* line 144, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="text"]:disabled, input[type="password"]:disabled, input[type="date"]:disabled, input[type="datetime"]:disabled, input[type="datetime-local"]:disabled, input[type="month"]:disabled, input[type="week"]:disabled, input[type="email"]:disabled, input[type="number"]:disabled, input[type="search"]:disabled, input[type="tel"]:disabled, input[type="time"]:disabled, input[type="url"]:disabled, input[type="color"]:disabled, textarea:disabled { - background-color: #dddddd; - cursor: default; -} -/* line 152, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="text"][disabled], input[type="text"][readonly], fieldset[disabled] input[type="text"], input[type="password"][disabled], input[type="password"][readonly], fieldset[disabled] input[type="password"], input[type="date"][disabled], input[type="date"][readonly], fieldset[disabled] input[type="date"], input[type="datetime"][disabled], input[type="datetime"][readonly], fieldset[disabled] input[type="datetime"], input[type="datetime-local"][disabled], input[type="datetime-local"][readonly], fieldset[disabled] input[type="datetime-local"], input[type="month"][disabled], input[type="month"][readonly], fieldset[disabled] input[type="month"], input[type="week"][disabled], input[type="week"][readonly], fieldset[disabled] input[type="week"], input[type="email"][disabled], input[type="email"][readonly], fieldset[disabled] input[type="email"], input[type="number"][disabled], input[type="number"][readonly], fieldset[disabled] input[type="number"], input[type="search"][disabled], input[type="search"][readonly], fieldset[disabled] input[type="search"], input[type="tel"][disabled], input[type="tel"][readonly], fieldset[disabled] input[type="tel"], input[type="time"][disabled], input[type="time"][readonly], fieldset[disabled] input[type="time"], input[type="url"][disabled], input[type="url"][readonly], fieldset[disabled] input[type="url"], input[type="color"][disabled], input[type="color"][readonly], fieldset[disabled] input[type="color"], textarea[disabled], textarea[readonly], fieldset[disabled] textarea { - background-color: #dddddd; - cursor: default; -} -/* line 433, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="text"].radius, input[type="text"].button, input[type="password"].radius, input[type="password"].button, input[type="date"].radius, input[type="date"].button, input[type="datetime"].radius, input[type="datetime"].button, input[type="datetime-local"].radius, input[type="datetime-local"].button, input[type="month"].radius, input[type="month"].button, input[type="week"].radius, input[type="week"].button, input[type="email"].radius, input[type="email"].button, input[type="number"].radius, input[type="number"].button, input[type="search"].radius, input[type="search"].button, input[type="tel"].radius, input[type="tel"].button, input[type="time"].radius, input[type="time"].button, input[type="url"].radius, input[type="url"].button, input[type="color"].radius, input[type="color"].button, textarea.radius, textarea.button { - border-radius: 4px; -} - -/* line 444, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .prefix-radius.row.collapse input, -form .row .prefix-radius.row.collapse textarea, -form .row .prefix-radius.row.collapse select, -form .row .prefix-radius.row.collapse button { - border-radius: 0; - -webkit-border-bottom-right-radius: 4px; - -webkit-border-top-right-radius: 4px; - border-bottom-right-radius: 4px; - border-top-right-radius: 4px; -} -/* line 445, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .prefix-radius.row.collapse .prefix { - border-radius: 0; - -webkit-border-bottom-left-radius: 4px; - -webkit-border-top-left-radius: 4px; - border-bottom-left-radius: 4px; - border-top-left-radius: 4px; -} -/* line 451, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .postfix-radius.row.collapse input, -form .row .postfix-radius.row.collapse textarea, -form .row .postfix-radius.row.collapse select, -form .row .postfix-radius.row.collapse button { - border-radius: 0; - -webkit-border-bottom-left-radius: 4px; - -webkit-border-top-left-radius: 4px; - border-bottom-left-radius: 4px; - border-top-left-radius: 4px; -} -/* line 452, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .postfix-radius.row.collapse .postfix { - border-radius: 0; - -webkit-border-bottom-right-radius: 4px; - -webkit-border-top-right-radius: 4px; - border-bottom-right-radius: 4px; - border-top-right-radius: 4px; -} -/* line 458, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .prefix-round.row.collapse input, -form .row .prefix-round.row.collapse textarea, -form .row .prefix-round.row.collapse select, -form .row .prefix-round.row.collapse button { - border-radius: 0; - -webkit-border-bottom-right-radius: 1000px; - -webkit-border-top-right-radius: 1000px; - border-bottom-right-radius: 1000px; - border-top-right-radius: 1000px; -} -/* line 459, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .prefix-round.row.collapse .prefix { - border-radius: 0; - -webkit-border-bottom-left-radius: 1000px; - -webkit-border-top-left-radius: 1000px; - border-bottom-left-radius: 1000px; - border-top-left-radius: 1000px; -} -/* line 465, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .postfix-round.row.collapse input, -form .row .postfix-round.row.collapse textarea, -form .row .postfix-round.row.collapse select, -form .row .postfix-round.row.collapse button { - border-radius: 0; - -webkit-border-bottom-left-radius: 1000px; - -webkit-border-top-left-radius: 1000px; - border-bottom-left-radius: 1000px; - border-top-left-radius: 1000px; -} -/* line 466, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -form .row .postfix-round.row.collapse .postfix { - border-radius: 0; - -webkit-border-bottom-right-radius: 1000px; - -webkit-border-top-right-radius: 1000px; - border-bottom-right-radius: 1000px; - border-top-right-radius: 1000px; -} - -/* line 471, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="submit"] { - -webkit-appearance: none; - -moz-appearance: none; - border-radius: 0; -} - -/* Respect enforced amount of rows for textarea */ -/* line 478, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -textarea[rows] { - height: auto; -} - -/* Not allow resize out of parent */ -/* line 483, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -textarea { - max-width: 100%; -} - -/* line 488, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -::-webkit-input-placeholder { - color: #888888; -} - -/* line 492, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -:-moz-placeholder { - /* Firefox 18- */ - color: #888888; -} - -/* line 496, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -::-moz-placeholder { - /* Firefox 19+ */ - color: #888888; -} - -/* line 500, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -:-ms-input-placeholder { - color: #888888; -} - -/* Add height value for select elements to match text input height */ -/* line 506, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select { - -webkit-appearance: none !important; - -moz-appearance: none !important; - background-color: #eeeeee; - border-radius: 0; - background-image: url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZlcnNpb249IjEuMSIgeD0iMTJweCIgeT0iMHB4IiB3aWR0aD0iMjRweCIgaGVpZ2h0PSIzcHgiIHZpZXdCb3g9IjAgMCA2IDMiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgMCAwIDYgMyIgeG1sOnNwYWNlPSJwcmVzZXJ2ZSI+PHBvbHlnb24gcG9pbnRzPSI1Ljk5MiwwIDIuOTkyLDMgLTAuMDA4LDAgIi8+PC9zdmc+); - background-position: 100% center; - background-repeat: no-repeat; - border-style: solid; - border-width: 1px; - border-color: #c6c6c6; - color: #666666; - font-family: inherit; - font-size: 0.875rem; - line-height: normal; - padding: 0.5rem; - border-radius: 0; - height: 2.3125rem; -} -/* line 337, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select::-ms-expand { - display: none; -} -/* line 360, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select.radius, select.button { - border-radius: 4px; -} -/* line 361, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select:hover { - background-color: #e7e7e7; - border-color: #999999; -} -/* line 366, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select:disabled { - background-color: #dddddd; - cursor: default; -} -/* line 509, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -select[multiple] { - height: auto; -} - -/* Adjust margin for form elements below */ -/* line 518, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="file"], -input[type="checkbox"], -input[type="radio"], -select { - margin: 0 0 1rem 0; -} - -/* line 523, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="checkbox"] + label, -input[type="radio"] + label { - display: inline-block; - margin-left: 0.5rem; - margin-right: 1rem; - margin-bottom: 0; - vertical-align: baseline; -} - -/* Normalize file input width */ -/* line 532, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input[type="file"] { - width: 100%; -} - -/* HTML5 Number spinners settings */ -/* We add basic fieldset styling */ -/* line 546, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -fieldset { - border: 1px solid #dddddd; - margin: 1.125rem 0; - padding: 1.25rem; -} -/* line 279, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -fieldset legend { - background: white; - font-weight: bold; - margin-left: -0.1875rem; - margin: 0; - padding: 0 0.1875rem; -} - -/* Error Handling */ -/* line 553, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -[data-abide] .error small.error, [data-abide] .error span.error, [data-abide] span.error, [data-abide] small.error { - display: block; - font-size: 0.75rem; - font-style: italic; - font-weight: normal; - margin-bottom: 1rem; - margin-top: -1px; - padding: 0.375rem 0.5625rem 0 0; - background: #f04124; - color: red; -} -/* line 556, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -[data-abide] span.error, [data-abide] small.error { - display: none; -} - -/* line 559, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -span.error, small.error { - display: block; - font-size: 0.75rem; - font-style: italic; - font-weight: normal; - margin-bottom: 1rem; - margin-top: -1px; - padding: 0.375rem 0.5625rem 0 0; - background: #f04124; - color: red; -} - -/* line 566, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error input, -.error textarea, -.error select { - margin-bottom: 0; -} -/* line 571, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error input[type="checkbox"], -.error input[type="radio"] { - margin-bottom: 1rem; -} -/* line 576, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error label, -.error label.error { - color: #f04124; -} -/* line 580, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error small.error { - display: block; - font-size: 0.75rem; - font-style: italic; - font-weight: normal; - margin-bottom: 1rem; - margin-top: -1px; - padding: 0.375rem 0.5625rem 0 0; - background: #f04124; - color: red; -} -/* line 585, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error > label > small { - background: transparent; - color: #676767; - display: inline; - font-size: 60%; - font-style: normal; - margin: 0; - padding: 0; - text-transform: capitalize; -} -/* line 597, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -.error span.error-message { - display: block; -} - -/* line 604, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -input.error, -textarea.error, -select.error { - margin-bottom: 0; -} - -/* line 607, ../bower_components/foundation/scss/foundation/components/_forms.scss */ -label.error { - color: #f04124; -} - -/* line 53, ../bower_components/foundation/scss/foundation/components/_inline-lists.scss */ -.inline-list { - list-style: none; - margin-left: -0.1875rem; - margin-right: 0; - margin: 0 auto 1.0625rem auto; - overflow: hidden; - padding: 0; -} -/* line 42, ../bower_components/foundation/scss/foundation/components/_inline-lists.scss */ -.inline-list > li { - display: block; - float: left; - list-style: none; - margin-left: 0.25rem; -} -/* line 47, ../bower_components/foundation/scss/foundation/components/_inline-lists.scss */ -.inline-list > li > * { - display: block; -} - -/* line 149, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination { - display: block; - margin-left: 0; - min-height: 2.0625rem; -} -/* line 104, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li { - color: #871d33; - font-size: 0.875rem; - height: 1.5rem; - margin-left: 0.0625rem; -} -/* line 110, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li a, ul.pagination li button { - border-radius: 4px; - -webkit-transition: background-color 300ms ease-out; - transition: background-color 300ms ease-out; - background: none; - color: #871d33; - display: block; - font-size: 1em; - font-weight: normal; - line-height: inherit; - padding: 0 0.8125rem; -} -/* line 126, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li:hover a, -ul.pagination li a:focus, ul.pagination li:hover button, -ul.pagination li button:focus { - background: #8e8e8e; -} -/* line 51, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li.unavailable a, ul.pagination li.unavailable button { - cursor: default; - color: #8e8e8e; -} -/* line 60, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li.unavailable:hover a, ul.pagination li.unavailable a:focus, ul.pagination li.unavailable:hover button, ul.pagination li.unavailable button:focus { - background: transparent; -} -/* line 68, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li.current a, ul.pagination li.current button { - background: #bbbbbb; - color: white; - cursor: default; - font-weight: normal; -} -/* line 75, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li.current a:hover, ul.pagination li.current a:focus, ul.pagination li.current button:hover, ul.pagination li.current button:focus { - background: #8e8e8e; -} -/* line 136, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -ul.pagination li { - display: block; - float: left; -} - -/* Pagination centred wrapper */ -/* line 154, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -.pagination-centered { - text-align: center; -} -/* line 136, ../bower_components/foundation/scss/foundation/components/_pagination.scss */ -.pagination-centered ul.pagination li { - display: inline-block; - float: none; -} - -/* Panels */ -/* line 86, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel { - border-style: solid; - border-width: 1px; - border-color: #d8d8d8; - margin-bottom: 1.25rem; - padding: 1.25rem; - background: #f2f2f2; - color: #333333; -} -/* line 61, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel > :first-child { - margin-top: 0; -} -/* line 62, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel > :last-child { - margin-bottom: 0; -} -/* line 67, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel h1, .panel .h1, .panel h2, .panel .h2, .panel h3, .panel .h3, .panel h4, .panel .h4, .panel h5, .panel .h5, .panel h6, .panel .text-image-right-column--content h1, .text-image-right-column--content .panel h1, .panel .text-image-right-column--content .h1, .text-image-right-column--content .panel .h1, .panel .text-image-right-column--content h2, .text-image-right-column--content .panel h2, .panel .text-image-right-column--content .h2, .text-image-right-column--content .panel .h2, .panel .text-image-right-column--content h3, .text-image-right-column--content .panel h3, .panel .text-image-right-column--content .h3, .text-image-right-column--content .panel .h3, .panel .text-image-right-column--content h4, .text-image-right-column--content .panel h4, .panel .text-image-right-column--content .h4, .text-image-right-column--content .panel .h4, .panel .text-image-right-column--content h5, .text-image-right-column--content .panel h5, .panel .text-image-right-column--content .h5, .text-image-right-column--content .panel .h5, .panel .h6, .panel p, .panel li, .panel dl { - color: #333333; -} -/* line 74, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel h1, .panel .h1, .panel h2, .panel .h2, .panel h3, .panel .h3, .panel h4, .panel .h4, .panel h5, .panel .h5, .panel h6, .panel .text-image-right-column--content h1, .text-image-right-column--content .panel h1, .panel .text-image-right-column--content .h1, .text-image-right-column--content .panel .h1, .panel .text-image-right-column--content h2, .text-image-right-column--content .panel h2, .panel .text-image-right-column--content .h2, .text-image-right-column--content .panel .h2, .panel .text-image-right-column--content h3, .text-image-right-column--content .panel h3, .panel .text-image-right-column--content .h3, .text-image-right-column--content .panel .h3, .panel .text-image-right-column--content h4, .text-image-right-column--content .panel h4, .panel .text-image-right-column--content .h4, .text-image-right-column--content .panel .h4, .panel .text-image-right-column--content h5, .text-image-right-column--content .panel h5, .panel .text-image-right-column--content .h5, .text-image-right-column--content .panel .h5, .panel .h6 { - line-height: 1; - margin-bottom: 0.625rem; -} -/* line 76, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel h1.subheader, .panel .subheader.h1, .panel h2.subheader, .panel .subheader.h2, .panel h3.subheader, .panel .subheader.h3, .panel h4.subheader, .panel .subheader.h4, .panel h5.subheader, .panel .subheader.h5, .panel h6.subheader, .panel .text-image-right-column--content h1.subheader, .text-image-right-column--content .panel h1.subheader, .panel .text-image-right-column--content .subheader.h1, .text-image-right-column--content .panel .subheader.h1, .panel .text-image-right-column--content h2.subheader, .text-image-right-column--content .panel h2.subheader, .panel .text-image-right-column--content .subheader.h2, .text-image-right-column--content .panel .subheader.h2, .panel .text-image-right-column--content h3.subheader, .text-image-right-column--content .panel h3.subheader, .panel .text-image-right-column--content .subheader.h3, .text-image-right-column--content .panel .subheader.h3, .panel .text-image-right-column--content h4.subheader, .text-image-right-column--content .panel h4.subheader, .panel .text-image-right-column--content .subheader.h4, .text-image-right-column--content .panel .subheader.h4, .panel .text-image-right-column--content h5.subheader, .text-image-right-column--content .panel h5.subheader, .panel .text-image-right-column--content .subheader.h5, .text-image-right-column--content .panel .subheader.h5, .panel .subheader.h6 { - line-height: 1.4; -} -/* line 88, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout { - border-style: solid; - border-width: 1px; - border-color: #d8d8d8; - margin-bottom: 1.25rem; - padding: 1.25rem; - background: #ecfaff; - color: #333333; -} -/* line 61, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout > :first-child { - margin-top: 0; -} -/* line 62, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout > :last-child { - margin-bottom: 0; -} -/* line 67, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout h1, .panel.callout .h1, .panel.callout h2, .panel.callout .h2, .panel.callout h3, .panel.callout .h3, .panel.callout h4, .panel.callout .h4, .panel.callout h5, .panel.callout .h5, .panel.callout h6, .panel.callout .text-image-right-column--content h1, .text-image-right-column--content .panel.callout h1, .panel.callout .text-image-right-column--content .h1, .text-image-right-column--content .panel.callout .h1, .panel.callout .text-image-right-column--content h2, .text-image-right-column--content .panel.callout h2, .panel.callout .text-image-right-column--content .h2, .text-image-right-column--content .panel.callout .h2, .panel.callout .text-image-right-column--content h3, .text-image-right-column--content .panel.callout h3, .panel.callout .text-image-right-column--content .h3, .text-image-right-column--content .panel.callout .h3, .panel.callout .text-image-right-column--content h4, .text-image-right-column--content .panel.callout h4, .panel.callout .text-image-right-column--content .h4, .text-image-right-column--content .panel.callout .h4, .panel.callout .text-image-right-column--content h5, .text-image-right-column--content .panel.callout h5, .panel.callout .text-image-right-column--content .h5, .text-image-right-column--content .panel.callout .h5, .panel.callout .h6, .panel.callout p, .panel.callout li, .panel.callout dl { - color: #333333; -} -/* line 74, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout h1, .panel.callout .h1, .panel.callout h2, .panel.callout .h2, .panel.callout h3, .panel.callout .h3, .panel.callout h4, .panel.callout .h4, .panel.callout h5, .panel.callout .h5, .panel.callout h6, .panel.callout .text-image-right-column--content h1, .text-image-right-column--content .panel.callout h1, .panel.callout .text-image-right-column--content .h1, .text-image-right-column--content .panel.callout .h1, .panel.callout .text-image-right-column--content h2, .text-image-right-column--content .panel.callout h2, .panel.callout .text-image-right-column--content .h2, .text-image-right-column--content .panel.callout .h2, .panel.callout .text-image-right-column--content h3, .text-image-right-column--content .panel.callout h3, .panel.callout .text-image-right-column--content .h3, .text-image-right-column--content .panel.callout .h3, .panel.callout .text-image-right-column--content h4, .text-image-right-column--content .panel.callout h4, .panel.callout .text-image-right-column--content .h4, .text-image-right-column--content .panel.callout .h4, .panel.callout .text-image-right-column--content h5, .text-image-right-column--content .panel.callout h5, .panel.callout .text-image-right-column--content .h5, .text-image-right-column--content .panel.callout .h5, .panel.callout .h6 { - line-height: 1; - margin-bottom: 0.625rem; -} -/* line 76, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout h1.subheader, .panel.callout .subheader.h1, .panel.callout h2.subheader, .panel.callout .subheader.h2, .panel.callout h3.subheader, .panel.callout .subheader.h3, .panel.callout h4.subheader, .panel.callout .subheader.h4, .panel.callout h5.subheader, .panel.callout .subheader.h5, .panel.callout h6.subheader, .panel.callout .text-image-right-column--content h1.subheader, .text-image-right-column--content .panel.callout h1.subheader, .panel.callout .text-image-right-column--content .subheader.h1, .text-image-right-column--content .panel.callout .subheader.h1, .panel.callout .text-image-right-column--content h2.subheader, .text-image-right-column--content .panel.callout h2.subheader, .panel.callout .text-image-right-column--content .subheader.h2, .text-image-right-column--content .panel.callout .subheader.h2, .panel.callout .text-image-right-column--content h3.subheader, .text-image-right-column--content .panel.callout h3.subheader, .panel.callout .text-image-right-column--content .subheader.h3, .text-image-right-column--content .panel.callout .subheader.h3, .panel.callout .text-image-right-column--content h4.subheader, .text-image-right-column--content .panel.callout h4.subheader, .panel.callout .text-image-right-column--content .subheader.h4, .text-image-right-column--content .panel.callout .subheader.h4, .panel.callout .text-image-right-column--content h5.subheader, .text-image-right-column--content .panel.callout h5.subheader, .panel.callout .text-image-right-column--content .subheader.h5, .text-image-right-column--content .panel.callout .subheader.h5, .panel.callout .subheader.h6 { - line-height: 1.4; -} -/* line 90, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout a:not(.button) { - color: #008cba; -} -/* line 94, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.callout a:not(.button):hover, .panel.callout a:not(.button):focus { - color: #0078a0; -} -/* line 100, ../bower_components/foundation/scss/foundation/components/_panels.scss */ -.panel.radius, .panel.button, .tsarlp-pagebrowser li a.panel { - border-radius: 4px; -} - -/* line 131, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table { - background: white; - border: solid 1px #c6c6c6; - margin-bottom: 1.25rem; - table-layout: auto; - -} -/* line 69, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table caption { - background: transparent; - color: #4a4a4a; - font-size: 1rem; - font-weight: bold; -} -/* line 78, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table thead { - background: #eeeeee; -} -/* line 83, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table thead tr th, -table thead tr td { - color: #4a4a4a; - font-size: 1.0625rem; - font-weight: normal; - padding: 1.25rem 0.9375rem 1.25rem; -} -/* line 92, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table tfoot { - background: #eeeeee; -} -/* line 97, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table tfoot tr th, -table tfoot tr td { - color: #4a4a4a; - font-size: 1.0625rem; - font-weight: normal; - padding: 1.25rem 0.9375rem 1.25rem; -} -/* line 108, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table tr th, -table tr td { - color: #222222; - font-size: 0.875rem; - padding: 1.25rem 0.9375rem; - text-align: left; -} -table.nachrichten tr.nachrichten th.nachrichten, -table.nachrichten tr.nachrichten td.nachrichten { - color: #222222; - font-size: 0.875rem; - padding: 0.5rem 0.9375rem; - text-align: left; -} -/* line 117, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table tr.even, table tr.alt, table tr:nth-of-type(even) { - background: white; -} -/* line 125, ../bower_components/foundation/scss/foundation/components/_tables.scss */ -table thead tr th, -table tfoot tr th, -table tfoot tr td, -table tbody tr th, -table tbody tr td, -table tr td { - display: table-cell; - line-height: 1.125rem; -} - -/* line 155, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.text-left { - text-align: left !important; -} - -/* line 156, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.text-right { - text-align: right !important; -} - -/* line 157, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.text-center { - text-align: center !important; -} - -/* line 158, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.text-justify { - text-align: justify !important; -} - -@media only screen and (max-width: 40em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-only-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-only-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-only-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-only-text-justify { - text-align: justify !important; - } -} -@media only screen { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .small-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 40.063em) and (max-width: 63.99em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-only-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-only-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-only-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-only-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 40.063em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .medium-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 64em) and (max-width: 90em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-only-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-only-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-only-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-only-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 64em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .large-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 90.063em) and (max-width: 120em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-only-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-only-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-only-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-only-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 90.063em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xlarge-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 120.063em) and (max-width: 99999999em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-only-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-only-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-only-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-only-text-justify { - text-align: justify !important; - } -} -@media only screen and (min-width: 120.063em) { - /* line 162, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-text-left { - text-align: left !important; - } - - /* line 163, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-text-right { - text-align: right !important; - } - - /* line 164, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-text-center { - text-align: center !important; - } - - /* line 165, ../bower_components/foundation/scss/foundation/components/_type.scss */ - .xxlarge-text-justify { - text-align: justify !important; - } -} -/* Typography resets */ -/* line 211, ../bower_components/foundation/scss/foundation/components/_type.scss */ -div, -dl, -dt, -dd, -ul, -ol, -li, -h1, -.h1, -h2, -.h2, -h3, -.h3, -h4, -.h4, -h5, -.h5, -h6, -.text-image-right-column--content h1, -.text-image-right-column--content .h1, -.text-image-right-column--content h2, -.text-image-right-column--content .h2, -.text-image-right-column--content h3, -.text-image-right-column--content .h3, -.text-image-right-column--content h4, -.text-image-right-column--content .h4, -.text-image-right-column--content h5, -.text-image-right-column--content .h5, -.text-image-right-column--content h6, -.h6, -pre, -form, -p, -blockquote, -th, -td { - margin: 0; - padding: 0; -} - -/* Default Link Styles */ -/* line 217, ../bower_components/foundation/scss/foundation/components/_type.scss */ -a { - color: #871d33; - line-height: inherit; - text-decoration: underline; -} -/* line 223, ../bower_components/foundation/scss/foundation/components/_type.scss */ -a:hover, a:focus { - color: #74192c; - text-decoration: none; -} -/* line 230, ../bower_components/foundation/scss/foundation/components/_type.scss */ -a img { - border: none; -} - -/* Default paragraph styles */ -/* line 234, ../bower_components/foundation/scss/foundation/components/_type.scss */ -p { - font-family: inherit; - font-size: 0.875rem; - font-weight: normal; - line-height: 1.35; - margin-bottom: 1.5rem; - text-rendering: optimizeLegibility; -} -/* line 242, ../bower_components/foundation/scss/foundation/components/_type.scss */ -p.lead { - font-size: 1.09375rem; - line-height: 1.6; -} -/* line 244, ../bower_components/foundation/scss/foundation/components/_type.scss */ -p aside { - font-size: 0.875rem; - font-style: italic; - line-height: 1.35; -} - -/* Default header styles */ -/* line 252, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h1, .h1, h2, .h2, h3, .h3, h4, .h4, h5, .h5, h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - color: #333333; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; - font-style: normal; - font-weight: bold; - line-height: 1.2; - margin-bottom: 0; - margin-top: 0; - text-rendering: optimizeLegibility; -} -/* line 262, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h1 small, .h1 small, h2 small, .h2 small, h3 small, .h3 small, h4 small, .h4 small, h5 small, .h5 small, h6 small, .text-image-right-column--content h1 small, .text-image-right-column--content .h1 small, .text-image-right-column--content h2 small, .text-image-right-column--content .h2 small, .text-image-right-column--content h3 small, .text-image-right-column--content .h3 small, .text-image-right-column--content h4 small, .text-image-right-column--content .h4 small, .text-image-right-column--content h5 small, .text-image-right-column--content .h5 small, .text-image-right-column--content h6 small, .h6 small { - color: #7a7a7a; - font-size: 60%; - line-height: 0; -} - -/* line 269, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h1, .h1 { - font-size: 1.75rem; -} - -/* line 270, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h2, .h2 { - font-size: 1.5rem; -} - -/* line 271, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h3, .h3 { - font-size: 1.25rem; -} - -/* line 272, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h4, .h4 { - font-size: 1.0625rem; -} - -/* line 273, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h5, .h5 { - font-size: 0.875rem; -} - -/* line 274, ../bower_components/foundation/scss/foundation/components/_type.scss */ -h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - font-size: 0.8125rem; -} - -/* line 276, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.subheader { - line-height: 1.4; - color: #7a7a7a; - font-weight: normal; - margin-top: 0.2rem; - margin-bottom: 0.5rem; -} - -/* line 278, ../bower_components/foundation/scss/foundation/components/_type.scss */ -hr { - border: solid #dddddd; - border-width: 1px 0 0; - clear: both; - height: 0; - margin: 1.25rem 0 1.1875rem; -} - -/* Helpful Typography Defaults */ -/* line 288, ../bower_components/foundation/scss/foundation/components/_type.scss */ -em, -i { - font-style: italic; - line-height: inherit; -} - -/* line 294, ../bower_components/foundation/scss/foundation/components/_type.scss */ -strong, -b { - font-weight: bold; - line-height: inherit; -} - -/* line 299, ../bower_components/foundation/scss/foundation/components/_type.scss */ -small { - font-size: 60%; - line-height: inherit; -} - -/* line 304, ../bower_components/foundation/scss/foundation/components/_type.scss */ -code { - background-color: #dddddd; - border-color: #c7c7c7; - border-style: solid; - border-width: 1px; - color: #333333; - font-family: Consolas, "Liberation Mono", Courier, monospace; - font-weight: normal; - padding: 0.125rem 0.3125rem 0.0625rem; -} - -/* Lists */ -/* line 318, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul, -ol, -dl { - font-family: inherit; - font-size: 0.875rem; - line-height: 1.4; - list-style-position: outside; - margin-bottom: 1.5rem; -} - -/* line 326, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul { - margin-left: 1.1rem; -} -/* line 328, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.no-bullet { - margin-left: 0; -} -/* line 332, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.no-bullet li ul, -ul.no-bullet li ol { - margin-left: 1.25rem; - margin-bottom: 0; - list-style: none; -} - -/* Unordered Lists */ -/* line 345, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul li ul, -ul li ol { - margin-left: 1.25rem; - margin-bottom: 0; -} -/* line 353, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.square li ul, ul.circle li ul, ul.disc li ul { - list-style: inherit; -} -/* line 356, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.square { - list-style-type: square; - margin-left: 1.1rem; -} -/* line 357, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.circle { - list-style-type: circle; - margin-left: 1.1rem; -} -/* line 358, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.disc { - list-style-type: disc; - margin-left: 1.1rem; -} -/* line 359, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ul.no-bullet { - list-style: none; -} - -/* Ordered Lists */ -/* line 363, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ol { - margin-left: 1.4rem; -} -/* line 367, ../bower_components/foundation/scss/foundation/components/_type.scss */ -ol li ul, -ol li ol { - margin-left: 1.25rem; - margin-bottom: 0; -} - -/* Definition Lists */ -/* line 376, ../bower_components/foundation/scss/foundation/components/_type.scss */ -dl dt { - margin-bottom: 0.3rem; - font-weight: bold; -} -/* line 380, ../bower_components/foundation/scss/foundation/components/_type.scss */ -dl dd { - margin-bottom: 0.75rem; -} - -/* Abbreviations */ -/* line 385, ../bower_components/foundation/scss/foundation/components/_type.scss */ -abbr, -acronym { - text-transform: uppercase; - font-size: 90%; - color: #666666; - cursor: help; -} - -/* line 391, ../bower_components/foundation/scss/foundation/components/_type.scss */ -abbr { - text-transform: none; -} -/* line 393, ../bower_components/foundation/scss/foundation/components/_type.scss */ -abbr[title] { - border-bottom: 1px dotted #dddddd; -} - -/* Blockquotes */ -/* line 399, ../bower_components/foundation/scss/foundation/components/_type.scss */ -blockquote { - margin: 0 0 1.5rem; - padding: 0.5625rem 1.25rem 0 1.1875rem; - border-left: none; -} -/* line 404, ../bower_components/foundation/scss/foundation/components/_type.scss */ -blockquote cite { - display: block; - font-size: 0.8125rem; - color: #333333; -} -/* line 408, ../bower_components/foundation/scss/foundation/components/_type.scss */ -blockquote cite:before { - content: "\2014 \0020"; -} -/* line 413, ../bower_components/foundation/scss/foundation/components/_type.scss */ -blockquote cite a, -blockquote cite a:visited { - color: #333333; -} - -/* line 419, ../bower_components/foundation/scss/foundation/components/_type.scss */ -blockquote, -blockquote p { - line-height: 1.35; - color: #7a7a7a; -} - -/* Microformats */ -/* line 425, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.vcard { - display: inline-block; - margin: 0 0 1.25rem 0; - border: 1px solid #dddddd; - padding: 0.625rem 0.75rem; -} -/* line 431, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.vcard li { - margin: 0; - display: block; -} -/* line 435, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.vcard .fn { - font-weight: bold; - font-size: 0.9375rem; -} - -/* line 442, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.vevent .summary { - font-weight: bold; -} -/* line 444, ../bower_components/foundation/scss/foundation/components/_type.scss */ -.vevent abbr { - cursor: default; - text-decoration: none; - font-weight: bold; - border: none; - padding: 0 0.0625rem; -} - -@media only screen and (min-width: 40.063em) { - /* line 455, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h1, .h1, h2, .h2, h3, .h3, h4, .h4, h5, .h5, h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - line-height: 1.2; - } - - /* line 456, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h1, .h1 { - font-size: 2rem; - } - - /* line 457, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h2, .h2 { - font-size: 1.75rem; - } - - /* line 458, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h3, .h3 { - font-size: 1.5rem; - } - - /* line 459, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h4, .h4 { - font-size: 1.25rem; - } - - /* line 460, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h5, .h5 { - font-size: 1.0625rem; - } - - /* line 461, ../bower_components/foundation/scss/foundation/components/_type.scss */ - h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - font-size: 0.875rem; - } -} -/* small displays */ -@media only screen { - /* line 244, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-small-only, .show-for-small-up, .show-for-small, .show-for-small-down, .hide-for-medium-only, .hide-for-medium-up, .hide-for-medium, .show-for-medium-down, .hide-for-large-only, .hide-for-large-up, .hide-for-large, .show-for-large-down, .hide-for-xlarge-only, .hide-for-xlarge-up, .hide-for-xxlarge-only, .hide-for-xxlarge-up { - display: inherit !important; - } - - /* line 247, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-small-only, .hide-for-small-up, .hide-for-small, .hide-for-small-down, .show-for-medium-only, .show-for-medium-up, .show-for-medium, .hide-for-medium-down, .show-for-large-only, .show-for-large-up, .show-for-large, .hide-for-large-down, .show-for-xlarge-only, .show-for-xlarge-up, .show-for-xxlarge-only, .show-for-xxlarge-up { - display: none !important; - } - - /* line 251, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .visible-for-small-only, .visible-for-small-up, .visible-for-small, .visible-for-small-down, .hidden-for-medium-only, .hidden-for-medium-up, .hidden-for-medium, .visible-for-medium-down, .hidden-for-large-only, .hidden-for-large-up, .hidden-for-large, .visible-for-large-down, .hidden-for-xlarge-only, .hidden-for-xlarge-up, .hidden-for-xxlarge-only, .hidden-for-xxlarge-up { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - } - - /* line 254, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hidden-for-small-only, .hidden-for-small-up, .hidden-for-small, .hidden-for-small-down, .visible-for-medium-only, .visible-for-medium-up, .visible-for-medium, .hidden-for-medium-down, .visible-for-large-only, .visible-for-large-up, .visible-for-large, .hidden-for-large-down, .visible-for-xlarge-only, .visible-for-xlarge-up, .visible-for-xxlarge-only, .visible-for-xxlarge-up { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; - } - - /* line 259, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.show-for-small-only, table.show-for-small-up, table.show-for-small, table.show-for-small-down, table.hide-for-medium-only, table.hide-for-medium-up, table.hide-for-medium, table.show-for-medium-down, table.hide-for-large-only, table.hide-for-large-up, table.hide-for-large, table.show-for-large-down, table.hide-for-xlarge-only, table.hide-for-xlarge-up, table.hide-for-xxlarge-only, table.hide-for-xxlarge-up { - display: table !important; - } - - /* line 262, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.show-for-small-only, thead.show-for-small-up, thead.show-for-small, thead.show-for-small-down, thead.hide-for-medium-only, thead.hide-for-medium-up, thead.hide-for-medium, thead.show-for-medium-down, thead.hide-for-large-only, thead.hide-for-large-up, thead.hide-for-large, thead.show-for-large-down, thead.hide-for-xlarge-only, thead.hide-for-xlarge-up, thead.hide-for-xxlarge-only, thead.hide-for-xxlarge-up { - display: table-header-group !important; - } - - /* line 265, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.show-for-small-only, tbody.show-for-small-up, tbody.show-for-small, tbody.show-for-small-down, tbody.hide-for-medium-only, tbody.hide-for-medium-up, tbody.hide-for-medium, tbody.show-for-medium-down, tbody.hide-for-large-only, tbody.hide-for-large-up, tbody.hide-for-large, tbody.show-for-large-down, tbody.hide-for-xlarge-only, tbody.hide-for-xlarge-up, tbody.hide-for-xxlarge-only, tbody.hide-for-xxlarge-up { - display: table-row-group !important; - } - - /* line 268, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.show-for-small-only, tr.show-for-small-up, tr.show-for-small, tr.show-for-small-down, tr.hide-for-medium-only, tr.hide-for-medium-up, tr.hide-for-medium, tr.show-for-medium-down, tr.hide-for-large-only, tr.hide-for-large-up, tr.hide-for-large, tr.show-for-large-down, tr.hide-for-xlarge-only, tr.hide-for-xlarge-up, tr.hide-for-xxlarge-only, tr.hide-for-xxlarge-up { - display: table-row; - } - - /* line 271, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.show-for-small-only, td.show-for-small-only, th.show-for-small-up, td.show-for-small-up, th.show-for-small, td.show-for-small, th.show-for-small-down, td.show-for-small-down, th.hide-for-medium-only, td.hide-for-medium-only, th.hide-for-medium-up, td.hide-for-medium-up, th.hide-for-medium, td.hide-for-medium, th.show-for-medium-down, td.show-for-medium-down, th.hide-for-large-only, td.hide-for-large-only, th.hide-for-large-up, td.hide-for-large-up, th.hide-for-large, td.hide-for-large, th.show-for-large-down, td.show-for-large-down, th.hide-for-xlarge-only, td.hide-for-xlarge-only, th.hide-for-xlarge-up, td.hide-for-xlarge-up, th.hide-for-xxlarge-only, td.hide-for-xxlarge-only, th.hide-for-xxlarge-up, td.hide-for-xxlarge-up { - display: table-cell !important; - } -} -/* medium displays */ -@media only screen and (min-width: 40.063em) { - /* line 244, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-small-only, .show-for-small-up, .hide-for-small, .hide-for-small-down, .show-for-medium-only, .show-for-medium-up, .show-for-medium, .show-for-medium-down, .hide-for-large-only, .hide-for-large-up, .hide-for-large, .show-for-large-down, .hide-for-xlarge-only, .hide-for-xlarge-up, .hide-for-xxlarge-only, .hide-for-xxlarge-up { - display: inherit !important; - } - - /* line 247, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-small-only, .hide-for-small-up, .show-for-small, .show-for-small-down, .hide-for-medium-only, .hide-for-medium-up, .hide-for-medium, .hide-for-medium-down, .show-for-large-only, .show-for-large-up, .show-for-large, .hide-for-large-down, .show-for-xlarge-only, .show-for-xlarge-up, .show-for-xxlarge-only, .show-for-xxlarge-up { - display: none !important; - } - - /* line 251, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hidden-for-small-only, .visible-for-small-up, .hidden-for-small, .hidden-for-small-down, .visible-for-medium-only, .visible-for-medium-up, .visible-for-medium, .visible-for-medium-down, .hidden-for-large-only, .hidden-for-large-up, .hidden-for-large, .visible-for-large-down, .hidden-for-xlarge-only, .hidden-for-xlarge-up, .hidden-for-xxlarge-only, .hidden-for-xxlarge-up { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - } - - /* line 254, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .visible-for-small-only, .hidden-for-small-up, .visible-for-small, .visible-for-small-down, .hidden-for-medium-only, .hidden-for-medium-up, .hidden-for-medium, .hidden-for-medium-down, .visible-for-large-only, .visible-for-large-up, .visible-for-large, .hidden-for-large-down, .visible-for-xlarge-only, .visible-for-xlarge-up, .visible-for-xxlarge-only, .visible-for-xxlarge-up { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; - } - - /* line 259, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.hide-for-small-only, table.show-for-small-up, table.hide-for-small, table.hide-for-small-down, table.show-for-medium-only, table.show-for-medium-up, table.show-for-medium, table.show-for-medium-down, table.hide-for-large-only, table.hide-for-large-up, table.hide-for-large, table.show-for-large-down, table.hide-for-xlarge-only, table.hide-for-xlarge-up, table.hide-for-xxlarge-only, table.hide-for-xxlarge-up { - display: table !important; - } - - /* line 262, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.hide-for-small-only, thead.show-for-small-up, thead.hide-for-small, thead.hide-for-small-down, thead.show-for-medium-only, thead.show-for-medium-up, thead.show-for-medium, thead.show-for-medium-down, thead.hide-for-large-only, thead.hide-for-large-up, thead.hide-for-large, thead.show-for-large-down, thead.hide-for-xlarge-only, thead.hide-for-xlarge-up, thead.hide-for-xxlarge-only, thead.hide-for-xxlarge-up { - display: table-header-group !important; - } - - /* line 265, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.hide-for-small-only, tbody.show-for-small-up, tbody.hide-for-small, tbody.hide-for-small-down, tbody.show-for-medium-only, tbody.show-for-medium-up, tbody.show-for-medium, tbody.show-for-medium-down, tbody.hide-for-large-only, tbody.hide-for-large-up, tbody.hide-for-large, tbody.show-for-large-down, tbody.hide-for-xlarge-only, tbody.hide-for-xlarge-up, tbody.hide-for-xxlarge-only, tbody.hide-for-xxlarge-up { - display: table-row-group !important; - } - - /* line 268, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.hide-for-small-only, tr.show-for-small-up, tr.hide-for-small, tr.hide-for-small-down, tr.show-for-medium-only, tr.show-for-medium-up, tr.show-for-medium, tr.show-for-medium-down, tr.hide-for-large-only, tr.hide-for-large-up, tr.hide-for-large, tr.show-for-large-down, tr.hide-for-xlarge-only, tr.hide-for-xlarge-up, tr.hide-for-xxlarge-only, tr.hide-for-xxlarge-up { - display: table-row; - } - - /* line 271, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.hide-for-small-only, td.hide-for-small-only, th.show-for-small-up, td.show-for-small-up, th.hide-for-small, td.hide-for-small, th.hide-for-small-down, td.hide-for-small-down, th.show-for-medium-only, td.show-for-medium-only, th.show-for-medium-up, td.show-for-medium-up, th.show-for-medium, td.show-for-medium, th.show-for-medium-down, td.show-for-medium-down, th.hide-for-large-only, td.hide-for-large-only, th.hide-for-large-up, td.hide-for-large-up, th.hide-for-large, td.hide-for-large, th.show-for-large-down, td.show-for-large-down, th.hide-for-xlarge-only, td.hide-for-xlarge-only, th.hide-for-xlarge-up, td.hide-for-xlarge-up, th.hide-for-xxlarge-only, td.hide-for-xxlarge-only, th.hide-for-xxlarge-up, td.hide-for-xxlarge-up { - display: table-cell !important; - } -} -/* large displays */ -@media only screen and (min-width: 64em) { - /* line 244, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-small-only, .show-for-small-up, .hide-for-small, .hide-for-small-down, .hide-for-medium-only, .show-for-medium-up, .hide-for-medium, .hide-for-medium-down, .show-for-large-only, .show-for-large-up, .show-for-large, .show-for-large-down, .hide-for-xlarge-only, .hide-for-xlarge-up, .hide-for-xxlarge-only, .hide-for-xxlarge-up { - display: inherit !important; - } - - /* line 247, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-small-only, .hide-for-small-up, .show-for-small, .show-for-small-down, .show-for-medium-only, .hide-for-medium-up, .show-for-medium, .show-for-medium-down, .hide-for-large-only, .hide-for-large-up, .hide-for-large, .hide-for-large-down, .show-for-xlarge-only, .show-for-xlarge-up, .show-for-xxlarge-only, .show-for-xxlarge-up { - display: none !important; - } - - /* line 251, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hidden-for-small-only, .visible-for-small-up, .hidden-for-small, .hidden-for-small-down, .hidden-for-medium-only, .visible-for-medium-up, .hidden-for-medium, .hidden-for-medium-down, .visible-for-large-only, .visible-for-large-up, .visible-for-large, .visible-for-large-down, .hidden-for-xlarge-only, .hidden-for-xlarge-up, .hidden-for-xxlarge-only, .hidden-for-xxlarge-up { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - } - - /* line 254, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .visible-for-small-only, .hidden-for-small-up, .visible-for-small, .visible-for-small-down, .visible-for-medium-only, .hidden-for-medium-up, .visible-for-medium, .visible-for-medium-down, .hidden-for-large-only, .hidden-for-large-up, .hidden-for-large, .hidden-for-large-down, .visible-for-xlarge-only, .visible-for-xlarge-up, .visible-for-xxlarge-only, .visible-for-xxlarge-up { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; - } - - /* line 259, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.hide-for-small-only, table.show-for-small-up, table.hide-for-small, table.hide-for-small-down, table.hide-for-medium-only, table.show-for-medium-up, table.hide-for-medium, table.hide-for-medium-down, table.show-for-large-only, table.show-for-large-up, table.show-for-large, table.show-for-large-down, table.hide-for-xlarge-only, table.hide-for-xlarge-up, table.hide-for-xxlarge-only, table.hide-for-xxlarge-up { - display: table !important; - } - - /* line 262, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.hide-for-small-only, thead.show-for-small-up, thead.hide-for-small, thead.hide-for-small-down, thead.hide-for-medium-only, thead.show-for-medium-up, thead.hide-for-medium, thead.hide-for-medium-down, thead.show-for-large-only, thead.show-for-large-up, thead.show-for-large, thead.show-for-large-down, thead.hide-for-xlarge-only, thead.hide-for-xlarge-up, thead.hide-for-xxlarge-only, thead.hide-for-xxlarge-up { - display: table-header-group !important; - } - - /* line 265, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.hide-for-small-only, tbody.show-for-small-up, tbody.hide-for-small, tbody.hide-for-small-down, tbody.hide-for-medium-only, tbody.show-for-medium-up, tbody.hide-for-medium, tbody.hide-for-medium-down, tbody.show-for-large-only, tbody.show-for-large-up, tbody.show-for-large, tbody.show-for-large-down, tbody.hide-for-xlarge-only, tbody.hide-for-xlarge-up, tbody.hide-for-xxlarge-only, tbody.hide-for-xxlarge-up { - display: table-row-group !important; - } - - /* line 268, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.hide-for-small-only, tr.show-for-small-up, tr.hide-for-small, tr.hide-for-small-down, tr.hide-for-medium-only, tr.show-for-medium-up, tr.hide-for-medium, tr.hide-for-medium-down, tr.show-for-large-only, tr.show-for-large-up, tr.show-for-large, tr.show-for-large-down, tr.hide-for-xlarge-only, tr.hide-for-xlarge-up, tr.hide-for-xxlarge-only, tr.hide-for-xxlarge-up { - display: table-row; - } - - /* line 271, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.hide-for-small-only, td.hide-for-small-only, th.show-for-small-up, td.show-for-small-up, th.hide-for-small, td.hide-for-small, th.hide-for-small-down, td.hide-for-small-down, th.hide-for-medium-only, td.hide-for-medium-only, th.show-for-medium-up, td.show-for-medium-up, th.hide-for-medium, td.hide-for-medium, th.hide-for-medium-down, td.hide-for-medium-down, th.show-for-large-only, td.show-for-large-only, th.show-for-large-up, td.show-for-large-up, th.show-for-large, td.show-for-large, th.show-for-large-down, td.show-for-large-down, th.hide-for-xlarge-only, td.hide-for-xlarge-only, th.hide-for-xlarge-up, td.hide-for-xlarge-up, th.hide-for-xxlarge-only, td.hide-for-xxlarge-only, th.hide-for-xxlarge-up, td.hide-for-xxlarge-up { - display: table-cell !important; - } -} -/* xlarge displays */ -@media only screen and (min-width: 90.063em) { - /* line 244, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-small-only, .show-for-small-up, .hide-for-small, .hide-for-small-down, .hide-for-medium-only, .show-for-medium-up, .hide-for-medium, .hide-for-medium-down, .hide-for-large-only, .show-for-large-up, .hide-for-large, .hide-for-large-down, .show-for-xlarge-only, .show-for-xlarge-up, .hide-for-xxlarge-only, .hide-for-xxlarge-up { - display: inherit !important; - } - - /* line 247, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-small-only, .hide-for-small-up, .show-for-small, .show-for-small-down, .show-for-medium-only, .hide-for-medium-up, .show-for-medium, .show-for-medium-down, .show-for-large-only, .hide-for-large-up, .show-for-large, .show-for-large-down, .hide-for-xlarge-only, .hide-for-xlarge-up, .show-for-xxlarge-only, .show-for-xxlarge-up { - display: none !important; - } - - /* line 251, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hidden-for-small-only, .visible-for-small-up, .hidden-for-small, .hidden-for-small-down, .hidden-for-medium-only, .visible-for-medium-up, .hidden-for-medium, .hidden-for-medium-down, .hidden-for-large-only, .visible-for-large-up, .hidden-for-large, .hidden-for-large-down, .visible-for-xlarge-only, .visible-for-xlarge-up, .hidden-for-xxlarge-only, .hidden-for-xxlarge-up { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - } - - /* line 254, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .visible-for-small-only, .hidden-for-small-up, .visible-for-small, .visible-for-small-down, .visible-for-medium-only, .hidden-for-medium-up, .visible-for-medium, .visible-for-medium-down, .visible-for-large-only, .hidden-for-large-up, .visible-for-large, .visible-for-large-down, .hidden-for-xlarge-only, .hidden-for-xlarge-up, .visible-for-xxlarge-only, .visible-for-xxlarge-up { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; - } - - /* line 259, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.hide-for-small-only, table.show-for-small-up, table.hide-for-small, table.hide-for-small-down, table.hide-for-medium-only, table.show-for-medium-up, table.hide-for-medium, table.hide-for-medium-down, table.hide-for-large-only, table.show-for-large-up, table.hide-for-large, table.hide-for-large-down, table.show-for-xlarge-only, table.show-for-xlarge-up, table.hide-for-xxlarge-only, table.hide-for-xxlarge-up { - display: table !important; - } - - /* line 262, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.hide-for-small-only, thead.show-for-small-up, thead.hide-for-small, thead.hide-for-small-down, thead.hide-for-medium-only, thead.show-for-medium-up, thead.hide-for-medium, thead.hide-for-medium-down, thead.hide-for-large-only, thead.show-for-large-up, thead.hide-for-large, thead.hide-for-large-down, thead.show-for-xlarge-only, thead.show-for-xlarge-up, thead.hide-for-xxlarge-only, thead.hide-for-xxlarge-up { - display: table-header-group !important; - } - - /* line 265, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.hide-for-small-only, tbody.show-for-small-up, tbody.hide-for-small, tbody.hide-for-small-down, tbody.hide-for-medium-only, tbody.show-for-medium-up, tbody.hide-for-medium, tbody.hide-for-medium-down, tbody.hide-for-large-only, tbody.show-for-large-up, tbody.hide-for-large, tbody.hide-for-large-down, tbody.show-for-xlarge-only, tbody.show-for-xlarge-up, tbody.hide-for-xxlarge-only, tbody.hide-for-xxlarge-up { - display: table-row-group !important; - } - - /* line 268, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.hide-for-small-only, tr.show-for-small-up, tr.hide-for-small, tr.hide-for-small-down, tr.hide-for-medium-only, tr.show-for-medium-up, tr.hide-for-medium, tr.hide-for-medium-down, tr.hide-for-large-only, tr.show-for-large-up, tr.hide-for-large, tr.hide-for-large-down, tr.show-for-xlarge-only, tr.show-for-xlarge-up, tr.hide-for-xxlarge-only, tr.hide-for-xxlarge-up { - display: table-row; - } - - /* line 271, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.hide-for-small-only, td.hide-for-small-only, th.show-for-small-up, td.show-for-small-up, th.hide-for-small, td.hide-for-small, th.hide-for-small-down, td.hide-for-small-down, th.hide-for-medium-only, td.hide-for-medium-only, th.show-for-medium-up, td.show-for-medium-up, th.hide-for-medium, td.hide-for-medium, th.hide-for-medium-down, td.hide-for-medium-down, th.hide-for-large-only, td.hide-for-large-only, th.show-for-large-up, td.show-for-large-up, th.hide-for-large, td.hide-for-large, th.hide-for-large-down, td.hide-for-large-down, th.show-for-xlarge-only, td.show-for-xlarge-only, th.show-for-xlarge-up, td.show-for-xlarge-up, th.hide-for-xxlarge-only, td.hide-for-xxlarge-only, th.hide-for-xxlarge-up, td.hide-for-xxlarge-up { - display: table-cell !important; - } -} -/* xxlarge displays */ -@media only screen and (min-width: 120.063em) { - /* line 244, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-small-only, .show-for-small-up, .hide-for-small, .hide-for-small-down, .hide-for-medium-only, .show-for-medium-up, .hide-for-medium, .hide-for-medium-down, .hide-for-large-only, .show-for-large-up, .hide-for-large, .hide-for-large-down, .hide-for-xlarge-only, .show-for-xlarge-up, .show-for-xxlarge-only, .show-for-xxlarge-up { - display: inherit !important; - } - - /* line 247, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-small-only, .hide-for-small-up, .show-for-small, .show-for-small-down, .show-for-medium-only, .hide-for-medium-up, .show-for-medium, .show-for-medium-down, .show-for-large-only, .hide-for-large-up, .show-for-large, .show-for-large-down, .show-for-xlarge-only, .hide-for-xlarge-up, .hide-for-xxlarge-only, .hide-for-xxlarge-up { - display: none !important; - } - - /* line 251, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hidden-for-small-only, .visible-for-small-up, .hidden-for-small, .hidden-for-small-down, .hidden-for-medium-only, .visible-for-medium-up, .hidden-for-medium, .hidden-for-medium-down, .hidden-for-large-only, .visible-for-large-up, .hidden-for-large, .hidden-for-large-down, .hidden-for-xlarge-only, .visible-for-xlarge-up, .visible-for-xxlarge-only, .visible-for-xxlarge-up { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - } - - /* line 254, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .visible-for-small-only, .hidden-for-small-up, .visible-for-small, .visible-for-small-down, .visible-for-medium-only, .hidden-for-medium-up, .visible-for-medium, .visible-for-medium-down, .visible-for-large-only, .hidden-for-large-up, .visible-for-large, .visible-for-large-down, .visible-for-xlarge-only, .hidden-for-xlarge-up, .hidden-for-xxlarge-only, .hidden-for-xxlarge-up { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; - } - - /* line 259, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.hide-for-small-only, table.show-for-small-up, table.hide-for-small, table.hide-for-small-down, table.hide-for-medium-only, table.show-for-medium-up, table.hide-for-medium, table.hide-for-medium-down, table.hide-for-large-only, table.show-for-large-up, table.hide-for-large, table.hide-for-large-down, table.hide-for-xlarge-only, table.show-for-xlarge-up, table.show-for-xxlarge-only, table.show-for-xxlarge-up { - display: table !important; - } - - /* line 262, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.hide-for-small-only, thead.show-for-small-up, thead.hide-for-small, thead.hide-for-small-down, thead.hide-for-medium-only, thead.show-for-medium-up, thead.hide-for-medium, thead.hide-for-medium-down, thead.hide-for-large-only, thead.show-for-large-up, thead.hide-for-large, thead.hide-for-large-down, thead.hide-for-xlarge-only, thead.show-for-xlarge-up, thead.show-for-xxlarge-only, thead.show-for-xxlarge-up { - display: table-header-group !important; - } - - /* line 265, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.hide-for-small-only, tbody.show-for-small-up, tbody.hide-for-small, tbody.hide-for-small-down, tbody.hide-for-medium-only, tbody.show-for-medium-up, tbody.hide-for-medium, tbody.hide-for-medium-down, tbody.hide-for-large-only, tbody.show-for-large-up, tbody.hide-for-large, tbody.hide-for-large-down, tbody.hide-for-xlarge-only, tbody.show-for-xlarge-up, tbody.show-for-xxlarge-only, tbody.show-for-xxlarge-up { - display: table-row-group !important; - } - - /* line 268, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.hide-for-small-only, tr.show-for-small-up, tr.hide-for-small, tr.hide-for-small-down, tr.hide-for-medium-only, tr.show-for-medium-up, tr.hide-for-medium, tr.hide-for-medium-down, tr.hide-for-large-only, tr.show-for-large-up, tr.hide-for-large, tr.hide-for-large-down, tr.hide-for-xlarge-only, tr.show-for-xlarge-up, tr.show-for-xxlarge-only, tr.show-for-xxlarge-up { - display: table-row; - } - - /* line 271, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.hide-for-small-only, td.hide-for-small-only, th.show-for-small-up, td.show-for-small-up, th.hide-for-small, td.hide-for-small, th.hide-for-small-down, td.hide-for-small-down, th.hide-for-medium-only, td.hide-for-medium-only, th.show-for-medium-up, td.show-for-medium-up, th.hide-for-medium, td.hide-for-medium, th.hide-for-medium-down, td.hide-for-medium-down, th.hide-for-large-only, td.hide-for-large-only, th.show-for-large-up, td.show-for-large-up, th.hide-for-large, td.hide-for-large, th.hide-for-large-down, td.hide-for-large-down, th.hide-for-xlarge-only, td.hide-for-xlarge-only, th.show-for-xlarge-up, td.show-for-xlarge-up, th.show-for-xxlarge-only, td.show-for-xxlarge-only, th.show-for-xxlarge-up, td.show-for-xxlarge-up { - display: table-cell !important; - } -} -/* Orientation targeting */ -/* line 286, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.show-for-landscape, -.hide-for-portrait { - display: inherit !important; -} - -/* line 288, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.hide-for-landscape, -.show-for-portrait { - display: none !important; -} - -/* Specific visibility for tables */ -/* line 293, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -table.hide-for-landscape, table.show-for-portrait { - display: table !important; -} - -/* line 297, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -thead.hide-for-landscape, thead.show-for-portrait { - display: table-header-group !important; -} - -/* line 301, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -tbody.hide-for-landscape, tbody.show-for-portrait { - display: table-row-group !important; -} - -/* line 305, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -tr.hide-for-landscape, tr.show-for-portrait { - display: table-row !important; -} - -/* line 310, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -td.hide-for-landscape, td.show-for-portrait, -th.hide-for-landscape, -th.show-for-portrait { - display: table-cell !important; -} - -@media only screen and (orientation: landscape) { - /* line 315, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-landscape, - .hide-for-portrait { - display: inherit !important; - } - - /* line 317, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-landscape, - .show-for-portrait { - display: none !important; - } - - /* Specific visibility for tables */ - /* line 322, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.show-for-landscape, table.hide-for-portrait { - display: table !important; - } - - /* line 326, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.show-for-landscape, thead.hide-for-portrait { - display: table-header-group !important; - } - - /* line 330, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.show-for-landscape, tbody.hide-for-portrait { - display: table-row-group !important; - } - - /* line 334, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.show-for-landscape, tr.hide-for-portrait { - display: table-row !important; - } - - /* line 339, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - td.show-for-landscape, td.hide-for-portrait, - th.show-for-landscape, - th.hide-for-portrait { - display: table-cell !important; - } -} -@media only screen and (orientation: portrait) { - /* line 345, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-portrait, - .hide-for-landscape { - display: inherit !important; - } - - /* line 347, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-portrait, - .show-for-landscape { - display: none !important; - } - - /* Specific visibility for tables */ - /* line 352, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.show-for-portrait, table.hide-for-landscape { - display: table !important; - } - - /* line 356, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.show-for-portrait, thead.hide-for-landscape { - display: table-header-group !important; - } - - /* line 360, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.show-for-portrait, tbody.hide-for-landscape { - display: table-row-group !important; - } - - /* line 364, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.show-for-portrait, tr.hide-for-landscape { - display: table-row !important; - } - - /* line 369, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - td.show-for-portrait, td.hide-for-landscape, - th.show-for-portrait, - th.hide-for-landscape { - display: table-cell !important; - } -} -/* Touch-enabled device targeting */ -/* line 374, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.show-for-touch { - display: none !important; -} - -/* line 375, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.hide-for-touch { - display: inherit !important; -} - -/* line 376, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch .show-for-touch { - display: inherit !important; -} - -/* line 377, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch .hide-for-touch { - display: none !important; -} - -/* Specific visibility for tables */ -/* line 380, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -table.hide-for-touch { - display: table !important; -} - -/* line 381, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch table.show-for-touch { - display: table !important; -} - -/* line 382, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -thead.hide-for-touch { - display: table-header-group !important; -} - -/* line 383, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch thead.show-for-touch { - display: table-header-group !important; -} - -/* line 384, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -tbody.hide-for-touch { - display: table-row-group !important; -} - -/* line 385, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch tbody.show-for-touch { - display: table-row-group !important; -} - -/* line 386, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -tr.hide-for-touch { - display: table-row !important; -} - -/* line 387, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch tr.show-for-touch { - display: table-row !important; -} - -/* line 388, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -td.hide-for-touch { - display: table-cell !important; -} - -/* line 389, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch td.show-for-touch { - display: table-cell !important; -} - -/* line 390, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -th.hide-for-touch { - display: table-cell !important; -} - -/* line 391, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.touch th.show-for-touch { - display: table-cell !important; -} - -/* Screen reader-specific classes */ -/* line 394, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.show-for-sr { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; -} - -/* line 397, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.show-on-focus { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; -} -/* line 401, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ -.show-on-focus:focus, .show-on-focus:active { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; -} - -/* Print visibility */ -@media print { - /* line 477, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-print { - display: block; - } - - /* line 478, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .hide-for-print { - display: none; - } - - /* line 480, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - table.show-for-print { - display: table !important; - } - - /* line 481, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - thead.show-for-print { - display: table-header-group !important; - } - - /* line 482, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tbody.show-for-print { - display: table-row-group !important; - } - - /* line 483, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - tr.show-for-print { - display: table-row !important; - } - - /* line 484, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - td.show-for-print { - display: table-cell !important; - } - - /* line 485, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - th.show-for-print { - display: table-cell !important; - } -} -@media not print { - /* line 489, ../bower_components/foundation/scss/foundation/components/_visibility.scss */ - .show-for-print { - display: none !important; - } -} -/* line 60, ../../Private/Stylesheets/screen.scss */ -meta.custom-mq-medium-only { - font-family: "/only screen and (min-width: 40.063em) and (max-width: 63.99em)/"; - width: 40em; -} - -/* line 65, ../../Private/Stylesheets/screen.scss */ -meta.custom-mq-medium-up { - font-family: "/only screen and (min-width: 40.063em)/"; - width: 40em; -} - -/* line 70, ../../Private/Stylesheets/screen.scss */ -meta.custom-mq-large-up { - font-family: "/only screen and (min-width: 64em)/"; - width: 40em; -} - -/* line 75, ../../Private/Stylesheets/screen.scss */ -meta.custom-mq-larger-tablet-horizonal-up { - font-family: "/only screen and (min-width: only screen and (min-width:64.063em)/"; - width: 40em; -} - -/* line 80, ../../Private/Stylesheets/screen.scss */ -meta.custom-mq-small-only { - font-family: "/only screen and (min-width: 0) and (max-width: 40em)/"; - width: 40em; -} - -/* line 3, ../../Private/Stylesheets/components/_header.scss */ -.header { - margin-bottom: 0; -} -/* line 5, ../../Private/Stylesheets/components/_header.scss */ -.header .logo-search-area { - border-bottom: 4px solid #8e8e8e; - padding: 0 0 0.625rem 0; -} -/* line 9, ../../Private/Stylesheets/components/_header.scss */ -.header .search-box { - position: relative; -} -/* line 11, ../../Private/Stylesheets/components/_header.scss */ -.header .search-box input { - margin-bottom: 0; - border-radius: 4px; - background-color: #fff; -} -/* line 16, ../../Private/Stylesheets/components/_header.scss */ -.header .search-box .buttons { - position: absolute; - top: 0; - right: 0; -} -/* line 29, ../../Private/Stylesheets/components/_header.scss */ -.header .search-box .search { - background: none; - border: none; - padding: 0; - margin: 0; - font-size: 0; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.header .search-box .search:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f133"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.header .search-box .search:before:hover { - text-decoration: none; -} -/* line 36, ../../Private/Stylesheets/components/_header.scss */ -.header .search-box .search:before { - color: #871d33; - display: inline-block; - padding: 10px; - font-size: 20px; -} -/* line 49, ../../Private/Stylesheets/components/_header.scss */ -.header .row { - margin-bottom: 0; -} -/* line 53, ../../Private/Stylesheets/components/_header.scss */ -.header .background-wrap { - margin: 0; - background: url('../images/header-bg.png') repeat transparent; -} -/* line 58, ../../Private/Stylesheets/components/_header.scss */ -.header .logo { - width: auto; - position: relative; - top: -0.625rem; - float: right; -} - -@media only screen and (min-width: 40.063em) { - /* line 75, ../../Private/Stylesheets/components/_header.scss */ - .header .logo-search-area { - padding: 0 0 1.4375rem 0; - } -} -@media only screen and (min-width: 64em) { - /* line 83, ../../Private/Stylesheets/components/_header.scss */ - .header .logo-search-area { - padding: 0 0 1.375rem 0; - border-bottom: none; - } -} -/* line 93, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown { - background: none; - color: #871d33; - margin: 0; - padding: 0.0625rem 0.375rem; - position: relative; - font-size: 0.8125rem; -} -/* line 43, ../../Private/Stylesheets/_settings-custom.scss */ -.custom-dropdown:after { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f103"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 51, ../../Private/Stylesheets/_settings-custom.scss */ -.custom-dropdown:after:hover { - text-decoration: none; -} -/* line 101, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown.open, .custom-dropdown:hover, .custom-dropdown:focus { - color: #871d33; - background: none; - z-index: 101; -} -/* line 106, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown:after { - padding-left: 0.3125rem; -} -/* line 117, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown:first-child { - margin-left: 0; -} - -/* line 122, ../../Private/Stylesheets/components/_header.scss */ -.header-meta-dropdown { - margin-left: 0; - padding: 0.4375rem 0; -} -/* line 125, ../../Private/Stylesheets/components/_header.scss */ -.header-meta-dropdown > li { - border-right: 1px solid #c6c6c6; -} -/* line 129, ../../Private/Stylesheets/components/_header.scss */ -.header-meta-dropdown > li:last-child { - border-right: none; -} -/* line 142, ../../Private/Stylesheets/components/_header.scss */ -.header-meta-dropdown li { - margin-left: 0; -} - -/* line 148, ../../Private/Stylesheets/components/_header.scss */ -.meta-link.button, .tsarlp-pagebrowser li a.meta-link { - min-width: 5rem; - background: transparent; - color: #8e8e8e; - margin: 0; - padding: 0.0625rem 0.375rem; - position: relative; - font-size: 0.8125rem; - text-decoration: underline; -} -/* line 157, ../../Private/Stylesheets/components/_header.scss */ -.meta-link.button:hover, .tsarlp-pagebrowser li a.meta-link:hover, .meta-link.button :focus, .tsarlp-pagebrowser li a.meta-link :focus { - background-color: transparent; - color: #8e8e8e; - text-decoration: none; -} - -/* line 166, ../../Private/Stylesheets/components/_header.scss */ -#metanavi, #lang { - position: absolute; - display: none; -} -/* line 169, ../../Private/Stylesheets/components/_header.scss */ -#metanavi.open, #lang.open { - display: block; - z-index: 100; -} - -/* line 175, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content { - min-width: 85px; - background: #fff; - list-style-type: none; - margin: 0 8px 0 -6px; - border: 1px solid #c6c6c6; - border-top: 3px solid #871d33; - position: absolute; - outline: none; - top: 0 /* !important REMOVED for custom usage*/; - box-shadow: 0px 1px 6px rgba(0, 0, 0, 0.3); -} -/* line 187, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content li:first-child { - /* margin-top: 1.75rem; REMOVED for custom usage*/ -} -/* line 191, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content li.selected a { - text-decoration: none; - background: #871d33; - color: #fff; - outline: none; -} -/* line 199, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content a { - color: #333333; - display: block; - text-decoration: none; - padding: 0.625rem; -} -/* line 203, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content a:hover, .custom-dropdown-content a:active, .custom-dropdown-content a:focus { - text-decoration: none; - background: #8e8e8e; - color: #fff; - outline: none; -} -/* line 211, ../../Private/Stylesheets/components/_header.scss */ -.custom-dropdown-content.open { - margin-left: -4px; - z-index: 1; -} - -/* line 217, ../../Private/Stylesheets/components/_header.scss */ -.no-translation { - display: none; -} - -@media only screen and (min-width: 40.063em) { - /* line 223, ../../Private/Stylesheets/components/_header.scss */ - .custom-dropdown { - margin: 0 0.3125rem 0 0; - padding: 0.0625rem 0.4375rem; - } - /* line 227, ../../Private/Stylesheets/components/_header.scss */ - .custom-dropdown:first-child:before { - top: 0.3125rem; - } - - /* line 233, ../../Private/Stylesheets/components/_header.scss */ - .custom-dropdown-content { - min-width: 92px; - } - - /* line 237, ../../Private/Stylesheets/components/_header.scss */ - .header-meta-dropdown { - margin-left: 4px; - } - - /* line 26, ../../Private/Stylesheets/_settings-custom.scss */ - .meta-link:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f124"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; - } - /* line 34, ../../Private/Stylesheets/_settings-custom.scss */ - .meta-link:before:hover { - text-decoration: none; - } - /* line 244, ../../Private/Stylesheets/components/_header.scss */ - .meta-link:before { - padding-right: 8px; - font-size: 15px; - vertical-align: top; - } - /* line 257, ../../Private/Stylesheets/components/_header.scss */ - .meta-link.button, .tsarlp-pagebrowser li a.meta-link { - padding: 0.0625rem 0.4375rem; - } -} -@media only screen and (min-width: 40.063em) { - /* line 265, ../../Private/Stylesheets/components/_header.scss */ - #ministerien { - min-width: 22.8125rem; - } -} -@media only screen and (max-width: 40em) { - /* line 272, ../../Private/Stylesheets/components/_header.scss */ - .custom-dropdown-content { - margin-top: 28px; - } -} -/* line 9, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu { - padding: 0; -} -/* line 12, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu ul { - margin: 0; - padding: 0; - list-style-type: none; - position: relative; -} -/* line 19, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu ul li { - float: left; -} -/* line 31, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu button { - margin: 0; - background: none; - text-align: left; - padding: 13px 0; - margin: 0; -} -/* line 39, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu input { - background-color: #fff; - height: 32px; -} -/* line 42, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu input:focus { - background-color: #fff; -} -/* line 47, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-box { - opacity: 0; - -webkit-transition: opacity 0.3s; - transition: opacity 0.3s; - pointer-events: none; - position: absolute; - left: 0; - top: 0; - width: 100%; - height: 100%; - padding: 0; - background: url('../images/menu-bg.png') repeat #871d33; -} -/* line 48, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-box input, .mobile-menu .search-box button { - display: none\9; -} -/* line 62, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-box.open { - opacity: 1; - display: block; - pointer-events: inherit; -} -/* line 66, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-box.open input, .mobile-menu .search-box.open button { - display: block\9; -} -/* line 72, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-box form { - position: relative; - margin-top: 0.0625rem; -} -/* line 79, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .buttons { - position: absolute; - top: 0; - right: 0; -} -/* line 93, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .js-close-search-box, .mobile-menu .search { - float: left; - margin: 0 0.625rem; - padding: 0.5rem 0; - font-size: 0; -} -/* line 98, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .js-close-search-box:before, .mobile-menu .search:before { - font-size: 1.6875rem; -} -/* line 103, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .js-close-search-box { - color: #4a4a4a; - margin-right: 0; - padding-top: 0.8125rem; - position: relative; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.mobile-menu .js-close-search-box:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f10e"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.mobile-menu .js-close-search-box:before:hover { - text-decoration: none; -} -/* line 109, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .js-close-search-box:before { - font-size: 16px; -} -/* line 114, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search { - color: #871d33; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.mobile-menu .search:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f133"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.mobile-menu .search:before:hover { - text-decoration: none; -} -/* line 120, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu form input { - border-radius: 4px; -} -/* line 125, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-trigger { - float: right; -} -/* line 134, ../../Private/Stylesheets/components/_main-navigation.scss */ -.mobile-menu .search-trigger button { - display: none; -} - -/* line 144, ../../Private/Stylesheets/components/_main-navigation.scss */ -.menu-container { - border-top: 1px solid #fff; -} - -@media only screen and (min-width: 64em) { - /* line 149, ../../Private/Stylesheets/components/_main-navigation.scss */ - .menu-container { - border-top: none; - } -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.menu-trigger:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f107"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.menu-trigger:before:hover { - text-decoration: none; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.menu-trigger.open:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f10e"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.menu-trigger.open:before:hover { - text-decoration: none; -} - -/* line 161, ../../Private/Stylesheets/components/_main-navigation.scss */ -.menu-trigger, .search-trigger { - cursor: pointer; -} -/* line 163, ../../Private/Stylesheets/components/_main-navigation.scss */ -.menu-trigger:before, .search-trigger:before { - cursor: pointer; - color: #fff; - font-size: 1.6875rem; - position: relative; - top: 0.3125rem; - padding-right: 0.3125rem; -} - -/* line 173, ../../Private/Stylesheets/components/_main-navigation.scss */ -.search-trigger { - font-size: 0; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.search-trigger:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f133"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.search-trigger:before:hover { - text-decoration: none; -} -/* line 176, ../../Private/Stylesheets/components/_main-navigation.scss */ -.search-trigger:before { - top: 0.5625rem; -} - -/* line 185, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container { - max-height: 0; - overflow: hidden; - position: absolute; - width: 100%; - z-index: 2000; - background-color: #eeeeee; -} -/* line 186, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container button { - outline: none; -} -/* line 191, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container.open { - max-height: 100000px; -} -/* line 198, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container .main-menu { - width: 100%; - border-top: none; - border-bottom: none; -} -/* line 204, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container .dkd_mm_section_list { - -webkit-transition: 0.3s opacity; - transition: 0.3s opacity; - background-color: #fff; - max-height: 10000px !important; - position: absolute; - width: 100%; - top: 0; - left: 0; -} - -/* line 223, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container--generated .main-menu { - background: none; -} - -/* line 228, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container--generated.open { - background: none; - overflow: visible; -} -/* line 232, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container--generated.open:before { - content: " "; - display: block; - position: absolute; - left: 0; - width: 100%; - min-height: 200px; - background: rgba(0, 0, 0, 0.6); -} - -/* line 247, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list { - box-shadow: -1px 2px 6px rgba(0, 0, 0, 0.3); - max-height: 0; - list-style-type: none; - margin: 0; - padding: 0; - overflow: hidden; -} -/* line 254, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list .dkd_mm_link { - display: block; - position: relative; - margin: 0.25rem 0; -} -/* line 260, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list a { - overflow: hidden; - border: none; - text-decoration: none; - padding: 0.9375rem 0.9375rem 0.9375rem 0.9375rem; - display: block; - color: #4a4a4a; -} -/* line 268, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list .dkd_mm_entry.active a { - color: #fff; - background-color: #8e8e8e; -} - -@media only screen and (min-width: 64em) { - /* line 280, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_section_list .dkd_mm_link a:hover, .dkd_mm_section_list .dkd_mm_link a:focus { - color: #333333; - background-color: #eeeeee; - } - /* line 291, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_section_list .dkd_mm_entry:first-child .dkd_mm_link a { - font-size: 0; - } - /* line 26, ../../Private/Stylesheets/_settings-custom.scss */ - .dkd_mm_section_list .dkd_mm_entry:first-child .dkd_mm_link a:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f121"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; - } - /* line 34, ../../Private/Stylesheets/_settings-custom.scss */ - .dkd_mm_section_list .dkd_mm_entry:first-child .dkd_mm_link a:before:hover { - text-decoration: none; - } - /* line 295, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_section_list .dkd_mm_entry:first-child .dkd_mm_link a:before { - font-size: 19px; - } -} -@media only screen and (max-width: 40em), only screen and (min-width: 40.063em) and (max-width: 63.99em) { - /* line 307, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm { - overflow: hidden; - } - - /* line 311, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu .columns { - padding: 0; - } - - /* line 314, ../../Private/Stylesheets/components/_main-navigation.scss */ - .mobile-menu { - padding: 0 13px; - } -} -/* line 319, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_title { - color: #fff; - background-color: #8e8e8e; -} - -/* line 324, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_title_link { - padding: 0.9375rem; - font-size: 0.9375rem; - font-weight: bold; - display: block; - cursor: pointer; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_section_title_link:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f129"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_section_title_link:before:hover { - text-decoration: none; -} -/* line 333, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_title_link:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_container .dkd_mm_section_list:first-child .dkd_mm_section_title_link:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f10e"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_container .dkd_mm_section_list:first-child .dkd_mm_section_title_link:before:hover { - text-decoration: none; -} - -@media only screen and (max-width: 40em) { - /* line 354, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list { - opacity: 0; - } - /* line 356, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:last-child { - opacity: 1; - } -} -@media only screen and (min-width: 40.063em) { - /* line 366, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list { - max-width: 32%; - } - /* line 368, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:after { - content: " "; - position: absolute; - left: 0; - top: 0; - width: 100%; - height: 100%; - cursor: pointer; - } - /* line 378, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:last-child:after { - display: none; - } - /* line 383, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-last-child(2):after { - opacity: 0; - cursor: pointer; - } - - /* line 418, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(1) { - left: 0; - } - /* line 420, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(1):after { - background: rgba(0, 0, 0, 0.25); - } - /* line 424, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(2) { - left: 10%; - } - /* line 426, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(2):after { - background: rgba(0, 0, 0, 0.15); - } - /* line 430, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(3) { - left: 20%; - } - /* line 433, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .dkd_mm_section_list:nth-child(4) { - left: 30%; - } -} -/* line 442, ../../Private/Stylesheets/components/_main-navigation.scss */ -.main-menu { - background: url('../images/menu-bg.png') repeat #871d33; - border-bottom: 3px solid #fff; -} -/* line 447, ../../Private/Stylesheets/components/_main-navigation.scss */ -.main-menu [data-level="1"] ul { - display: none; -} -/* line 451, ../../Private/Stylesheets/components/_main-navigation.scss */ -.main-menu [data-level="1"] li { - display: block; - width: 100%; - background: transparent; -} -/* line 456, ../../Private/Stylesheets/components/_main-navigation.scss */ -.main-menu [data-level="1"] .dkd_mm_link a { - display: block; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_link.home a:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f121"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.dkd_mm_link.home a:before:hover { - text-decoration: none; -} -/* line 465, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_link.home a:before { - font-size: 1.6875rem; - padding-right: 0.3125rem; - top: 0.1875rem; - position: relative; - height: 1rem; - display: inline-block; - margin-top: -0.375rem; -} - -/* line 480, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list .slug .submenu-trigger { - border-left-color: transparent; - background: #4a4a4a; -} -/* line 483, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_section_list .slug .submenu-trigger:before { - color: #fff; -} - -/* line 491, ../../Private/Stylesheets/components/_main-navigation.scss */ -.submenu-trigger { - position: absolute; - top: 0; - background: #eeeeee; - padding: 0.9375rem 1.0625rem 1rem 1.0625rem; - right: 0; - border-left: 1px solid #8e8e8e; -} -/* line 498, ../../Private/Stylesheets/components/_main-navigation.scss */ -.submenu-trigger:before { - -webkit-transition: 0.2s all; - transition: 0.2s all; - color: #333333; - position: relative; - left: 0; -} -/* line 504, ../../Private/Stylesheets/components/_main-navigation.scss */ -.submenu-trigger:hover, .submenu-trigger:focus { - background: #eeeeee; -} -/* line 506, ../../Private/Stylesheets/components/_main-navigation.scss */ -.submenu-trigger:hover:before, .submenu-trigger:focus:before { - color: #333333; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.submenu-trigger:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f12a"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.submenu-trigger:before:hover { - text-decoration: none; -} - -@media only screen and (min-width: 64.063em) { - /* line 526, ../../Private/Stylesheets/components/_main-navigation.scss */ - [data-level="1"] > .dkd_mm_sub_link .submenu-trigger { - display: none; - } - /* line 529, ../../Private/Stylesheets/components/_main-navigation.scss */ - [data-level="1"] .dkd_mm_link { - margin: 0; - } - - /* line 534, ../../Private/Stylesheets/components/_main-navigation.scss */ - .submenu-trigger { - background: #fff; - } -} -/* line 540, ../../Private/Stylesheets/components/_main-navigation.scss */ -.dkd_mm_container--generated .dkd_mm_sub_link a { - padding-right: 3.125rem; -} - -@media only screen and (min-width: 64.063em) { - /* line 559, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .main-menu { - margin-left: 0.9375rem; - margin-right: 0.9375rem; - } - /* line 562, ../../Private/Stylesheets/components/_main-navigation.scss */ - .dkd_mm_container--generated .main-menu:before { - display: none; - } - - /* line 567, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu { - position: relative; - border-top: 4px solid #8e8e8e; - } - /* line 571, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu:before { - content: " "; - display: block; - width: 100%; - height: 1px; - background-color: #fff; - } - /* line 579, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu .mobile-menu { - display: none; - } - /* line 584, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] ul { - display: none; - } - /* line 587, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] li { - display: inline-block; - width: auto; - } - /* line 592, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"].dkd_mm_section_list { - box-shadow: none; - max-height: inherit; - min-height: 3.5rem; - overflow: visible; - margin-bottom: -0.625rem; - } - /* line 600, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry { - top: -5px; - margin-bottom: -8px; - margin-left: -0.0625rem; - position: relative; - border-top: 4px solid transparent; - } - /* line 607, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry.active:after, .main-menu [data-level="1"] .dkd_mm_entry:hover:after { - content: " "; - height: 4px; - width: 100%; - border-left: 1px solid #fff; - border-right: 1px solid #fff; - position: absolute; - top: -4px; - left: 0; - background-color: #871d33; - } - /* line 620, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry.active .dkd_mm_link a, .main-menu [data-level="1"] .dkd_mm_entry:hover .dkd_mm_link a { - background: #fff; - color: #871d33; - } - /* line 627, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry .dkd_mm_link a:focus { - color: #871d33; - } - /* line 632, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry .dkd_mm_link:after { - border-left: 1px solid #fff; - content: " "; - display: inline-block; - width: 1px; - right: 0; - top: 6px; - height: 35px; - position: absolute; - } - /* line 642, ../../Private/Stylesheets/components/_main-navigation.scss */ - .main-menu [data-level="1"] .dkd_mm_entry .dkd_mm_link a { - -webkit-transition: all 0.2s; - transition: all 0.2s; - text-transform: uppercase; - color: #fff; - } -} -/* line 658, ../../Private/Stylesheets/components/_main-navigation.scss */ -.fadeOutRight { - -webkit-animation-name: fadeOutRight; - animation-name: fadeOutRight; - -webkit-animation-duration: 0.3s; - animation-duration: 0.3s; - -webkit-animation-fill-mode: both; - animation-fill-mode: both; -} - -@-webkit-keyframes fadeOutRight { - /* line 665, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 1; - } - - /* line 669, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 0; - -webkit-transform: translate3d(100%, 0, 0); - transform: translate3d(100%, 0, 0); - } -} - -@keyframes fadeOutRight { - /* line 665, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 1; - } - - /* line 669, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 0; - -webkit-transform: translate3d(100%, 0, 0); - transform: translate3d(100%, 0, 0); - } -} - -/* line 676, ../../Private/Stylesheets/components/_main-navigation.scss */ -.fadeInRight { - -webkit-animation-name: fadeInRight; - animation-name: fadeInRight; - -webkit-animation-duration: 0.3s; - animation-duration: 0.3s; - -webkit-animation-fill-mode: both; - animation-fill-mode: both; -} - -@-webkit-keyframes fadeInRight { - /* line 683, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 0; - -webkit-transform: translate3d(20%, 0, 0); - transform: translate3d(20%, 0, 0); - } - - /* line 688, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 1; - -webkit-transform: none; - transform: none; - } -} - -@keyframes fadeInRight { - /* line 683, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 0; - -webkit-transform: translate3d(20%, 0, 0); - transform: translate3d(20%, 0, 0); - } - - /* line 688, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 1; - -webkit-transform: none; - transform: none; - } -} - -/* line 694, ../../Private/Stylesheets/components/_main-navigation.scss */ -.fadeIn { - -webkit-animation-name: fadeInRight; - animation-name: fadeInRight; - -webkit-animation-duration: 0.3s; - animation-duration: 0.3s; -} - -@-webkit-keyframes fadeIn { - /* line 700, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 0; - } - - /* line 701, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 1; - } -} - -@keyframes fadeIn { - /* line 700, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 0; - } - - /* line 701, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 1; - } -} - -/* line 704, ../../Private/Stylesheets/components/_main-navigation.scss */ -.fadeIn { - -webkit-animation-name: fadeIn; - animation-name: fadeIn; -} - -@-webkit-keyframes fadeOut { - /* line 709, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 1; - } - - /* line 710, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 0; - } -} - -@keyframes fadeOut { - /* line 709, ../../Private/Stylesheets/components/_main-navigation.scss */ - 0% { - opacity: 1; - } - - /* line 710, ../../Private/Stylesheets/components/_main-navigation.scss */ - 100% { - opacity: 0; - } -} - -/* line 713, ../../Private/Stylesheets/components/_main-navigation.scss */ -.fadeOut { - -webkit-animation-name: fadeOut; - animation-name: fadeOut; - -webkit-animation-duration: 0.3s; - animation-duration: 0.3s; - -webkit-animation-fill-mode: both; - animation-fill-mode: both; -} - -/* line 1, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.panel-transparent { - padding: 0.9375rem 0.8125rem 0 0.8125rem; -} -/* line 3, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.panel-transparent p { - margin-bottom: 1rem; -} - -/* line 8, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.panel-bordered { - padding: 1rem 1rem 0.25rem 1rem; - border-top: 1px solid #bbbbbb; - border-bottom: 4px solid #eeeeee; - margin-top: -0.125rem; -} - -/* line 16, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.news .panel-bordered { - margin-bottom: 1.25rem; -} -/* line 18, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.news .panel-bordered:hover { - background-color: #eeeeee; - border-bottom: 4px solid #871d33; -} - -/* line 25, ../../Private/Stylesheets/components/_foundation_panels.scss */ -.border { - border: 1px solid #e2e2e2; -} - -/* line 1, ../../Private/Stylesheets/components/_sections.scss */ -section { - margin-bottom: 2.5rem; -} - -/* line 1, ../../Private/Stylesheets/components/_tables.scss */ -.table-container { - width: 100%; - /* processware - Problem mit Datatables - overflow-y: auto; - */ - margin: 0; -} -/* line 5, ../../Private/Stylesheets/components/_tables.scss */ -.table-container table { - min-width: 800px; -} -/* line 8, ../../Private/Stylesheets/components/_tables.scss */ -.table-container::-webkit-scrollbar { - -webkit-appearance: none; - width: 14px; - height: 14px; -} -/* line 13, ../../Private/Stylesheets/components/_tables.scss */ -.table-container::-webkit-scrollbar-thumb { - border-radius: 8px; - border: 3px solid #fff; - background-color: rgba(0, 0, 0, 0.3); -} - -/* line 20, ../../Private/Stylesheets/components/_tables.scss */ -.contenttable { - margin-bottom: 0; -} - -/* line 24, ../../Private/Stylesheets/components/_tables.scss */ -.table-container-outer { - position: relative; -} - -/* line 29, ../../Private/Stylesheets/components/_tables.scss */ -.table-container-fade { - position: absolute; - right: 0; - width: 20px; - height: 100%; - background-image: -webkit-linear-gradient(left, rgba(255, 255, 255, 0) 0%, #ffffff 100%); - background-image: linear-gradient(to right, rgba(255, 255, 255, 0) 0%, #ffffff 100%); -} - -@media only screen and (min-width: 64em) { - /* line 38, ../../Private/Stylesheets/components/_tables.scss */ - .table-container-fade { - background-image: none; - } - - /* line 41, ../../Private/Stylesheets/components/_tables.scss */ - td { - vertical-align: top; - } -} -/* line 46, ../../Private/Stylesheets/components/_tables.scss */ -table { - border-collapse: collapse; - border-style: hidden; - border-bottom: 1px solid #c6c6c6; - border-top: 4px solid #8e8e8e; - color: #666666; -} -/* line 54, ../../Private/Stylesheets/components/_tables.scss */ -table tr th, table tr td { - color: #666666; -} -/* line 60, ../../Private/Stylesheets/components/_tables.scss */ -table td + td, -table th + th { - border-left: 1px solid #c6c6c6; -} -/* line 64, ../../Private/Stylesheets/components/_tables.scss */ -table tr + tr { - border-top: 1px solid #c6c6c6; -} -/* line 70, ../../Private/Stylesheets/components/_tables.scss */ -table tr + tr > td, -table tr + tr > th { - border-top: 1px solid #c6c6c6; -} -/* line 74, ../../Private/Stylesheets/components/_tables.scss */ -table thead { - border-top: 1px solid white; - border-bottom: 1px solid #8e8e8e; -} - -/* line 1, ../../Private/Stylesheets/components/_textpic.scss */ -.textpic { - margin-bottom: 2.5rem; -} -/* line 3, ../../Private/Stylesheets/components/_textpic.scss */ -.textpic img[data-interchange] { - width: auto; -} - -/* line 9, ../../Private/Stylesheets/components/_textpic.scss */ -.image-link { - text-decoration: none; -} -/* line 11, ../../Private/Stylesheets/components/_textpic.scss */ -.image-link:before { - display: none !important; -} - -/* line 17, ../../Private/Stylesheets/components/_textpic.scss */ -.image-wrapper.links { - float: left; - padding-left: 0; - padding-right: 0; -} -/* line 22, ../../Private/Stylesheets/components/_textpic.scss */ -.image-wrapper.rechts { - float: right; - padding-left: 0; - padding-right: 0; -} -/* line 27, ../../Private/Stylesheets/components/_textpic.scss */ -.image-wrapper.oben { - width: 100%; - padding-left: 0; - padding-right: 0; - text-align: center; -} -/* line 33, ../../Private/Stylesheets/components/_textpic.scss */ -.image-wrapper.oben h1, .image-wrapper.oben .h1, .image-wrapper.oben h2, .image-wrapper.oben .h2, .image-wrapper.oben h3, .image-wrapper.oben .h3, .image-wrapper.oben h4, .image-wrapper.oben .h4, .image-wrapper.oben h5, .image-wrapper.oben .h5, .image-wrapper.oben h6, .image-wrapper.oben .text-image-right-column--content h1, .text-image-right-column--content .image-wrapper.oben h1, .image-wrapper.oben .text-image-right-column--content .h1, .text-image-right-column--content .image-wrapper.oben .h1, .image-wrapper.oben .text-image-right-column--content h2, .text-image-right-column--content .image-wrapper.oben h2, .image-wrapper.oben .text-image-right-column--content .h2, .text-image-right-column--content .image-wrapper.oben .h2, .image-wrapper.oben .text-image-right-column--content h3, .text-image-right-column--content .image-wrapper.oben h3, .image-wrapper.oben .text-image-right-column--content .h3, .text-image-right-column--content .image-wrapper.oben .h3, .image-wrapper.oben .text-image-right-column--content h4, .text-image-right-column--content .image-wrapper.oben h4, .image-wrapper.oben .text-image-right-column--content .h4, .text-image-right-column--content .image-wrapper.oben .h4, .image-wrapper.oben .text-image-right-column--content h5, .text-image-right-column--content .image-wrapper.oben h5, .image-wrapper.oben .text-image-right-column--content .h5, .text-image-right-column--content .image-wrapper.oben .h5, .image-wrapper.oben .h6 { - text-align: left; -} -/* line 37, ../../Private/Stylesheets/components/_textpic.scss */ -.image-wrapper.oben img { - margin-bottom: 0.625rem; - width: auto; -} - -@media only screen and (min-width: 64em) { - /* line 46, ../../Private/Stylesheets/components/_textpic.scss */ - .row .textpic .oben { - padding-left: 0; - padding-right: 0; - } -} -@media only screen and (min-width: 40.063em) { - /* line 55, ../../Private/Stylesheets/components/_textpic.scss */ - .textpic { - margin-bottom: 3.125rem; - } - - /* line 59, ../../Private/Stylesheets/components/_textpic.scss */ - .image-wrapper.links { - margin-right: 0.9375rem; - padding-left: 0; - padding-right: 0; - } - /* line 64, ../../Private/Stylesheets/components/_textpic.scss */ - .image-wrapper.links.medium-4 { - padding-right: 0.9375rem; - } - /* line 68, ../../Private/Stylesheets/components/_textpic.scss */ - .image-wrapper.rechts { - margin-left: 0.9375rem; - padding-right: 0; - padding-left: 0; - } - /* line 73, ../../Private/Stylesheets/components/_textpic.scss */ - .image-wrapper.rechts.medium-4 { - padding-left: 0.9375rem; - } - /* line 78, ../../Private/Stylesheets/components/_textpic.scss */ - .image-wrapper figcaption { - margin-top: 0; - } -} -/* line 84, ../../Private/Stylesheets/components/_textpic.scss */ -.image-description { - text-align: right; - font-size: 0.6875rem; - margin-bottom: 0; - color: #8e8e8e; -} - -/* line 102, ../../Private/Stylesheets/components/_textpic.scss */ -.style-1 { - border-top: 1px solid #bbbbbb; - border-bottom: 4px solid #eeeeee; - padding: 0.9375rem 1.25rem 0.9375rem 1.25rem; -} -/* line 106, ../../Private/Stylesheets/components/_textpic.scss */ -.style-1 h1, .style-1 .h1, .style-1 h2, .style-1 .h2, .style-1 h3, .style-1 .h3, .style-1 h4, .style-1 .h4, .style-1 h5, .style-1 .h5, .style-1 h6, .style-1 .text-image-right-column--content h1, .text-image-right-column--content .style-1 h1, .style-1 .text-image-right-column--content .h1, .text-image-right-column--content .style-1 .h1, .style-1 .text-image-right-column--content h2, .text-image-right-column--content .style-1 h2, .style-1 .text-image-right-column--content .h2, .text-image-right-column--content .style-1 .h2, .style-1 .text-image-right-column--content h3, .text-image-right-column--content .style-1 h3, .style-1 .text-image-right-column--content .h3, .text-image-right-column--content .style-1 .h3, .style-1 .text-image-right-column--content h4, .text-image-right-column--content .style-1 h4, .style-1 .text-image-right-column--content .h4, .text-image-right-column--content .style-1 .h4, .style-1 .text-image-right-column--content h5, .text-image-right-column--content .style-1 h5, .style-1 .text-image-right-column--content .h5, .text-image-right-column--content .style-1 .h5, .style-1 .h6 { - font-size: 1.5rem; - margin-bottom: 0; -} - -/* line 112, ../../Private/Stylesheets/components/_textpic.scss */ -.style-2 { - border: 1px solid #c6c6c6; - border-top: 4px solid #871d33; - padding: 0 0 0.625rem 0; - background-color: #f1f1f1; -} -/* line 117, ../../Private/Stylesheets/components/_textpic.scss */ -.style-2 h1, .style-2 .h1, .style-2 h2, .style-2 .h2, .style-2 h3, .style-2 .h3, .style-2 h4, .style-2 .h4, .style-2 h5, .style-2 .h5, .style-2 h6, .style-2 .text-image-right-column--content h1, .text-image-right-column--content .style-2 h1, .style-2 .text-image-right-column--content .h1, .text-image-right-column--content .style-2 .h1, .style-2 .text-image-right-column--content h2, .text-image-right-column--content .style-2 h2, .style-2 .text-image-right-column--content .h2, .text-image-right-column--content .style-2 .h2, .style-2 .text-image-right-column--content h3, .text-image-right-column--content .style-2 h3, .style-2 .text-image-right-column--content .h3, .text-image-right-column--content .style-2 .h3, .style-2 .text-image-right-column--content h4, .text-image-right-column--content .style-2 h4, .style-2 .text-image-right-column--content .h4, .text-image-right-column--content .style-2 .h4, .style-2 .text-image-right-column--content h5, .text-image-right-column--content .style-2 h5, .style-2 .text-image-right-column--content .h5, .text-image-right-column--content .style-2 .h5, .style-2 .h6 { - font-size: 1.25rem; - background-color: #fff; - border-bottom: 1px solid #871d33; - padding: 0.9375rem; - -webkit-transform: none; - -ms-transform: none; - transform: none; - margin-bottom: 0; -} -/* line 125, ../../Private/Stylesheets/components/_textpic.scss */ -.style-2 > .row { - padding: 0 0.9375rem 0 0.9375rem; -} -/* line 128, ../../Private/Stylesheets/components/_textpic.scss */ -.style-2 .textpic-content { - margin: 0; -} - -/* line 135, ../../Private/Stylesheets/components/_textpic.scss */ -.style-1 .columns p:first-child, .style-1 .columns ul:first-child, .style-2 .columns p:first-child, .style-2 .columns ul:first-child { - margin-top: 0.9375rem; -} - -/* line 145, ../../Private/Stylesheets/components/_textpic.scss */ -.text-image-right-column { - background-color: #f1f1f1; - border: 1px solid #e2e2e2; - border-top: 4px solid #5b7ea2; - margin-bottom: 2.5rem; - width: 100%; -} -/* line 151, ../../Private/Stylesheets/components/_textpic.scss */ -.text-image-right-column .image-description { - padding: 0 0.9375rem; -} - -@media only screen and (min-width: 40.063em) and (max-width: 63.99em) { - /* line 158, ../../Private/Stylesheets/components/_textpic.scss */ - .text-image-right-column .image-description { - padding: 0 0 0 0.9375rem; - } -} -/* line 164, ../../Private/Stylesheets/components/_textpic.scss */ -.text-image-right-column--header { - color: #5b7ea2; - font-size: 1.0625rem; - background-color: #fff; - border-bottom: 1px solid #5b7ea2; - padding: 0.625rem; - -webkit-transform: none; - -ms-transform: none; - transform: none; - margin-bottom: 0; -} - -@media only screen and (min-width: 64em) { - /* line 175, ../../Private/Stylesheets/components/_textpic.scss */ - .text-image-right-column--header { - margin-bottom: 0.625rem; - } -} -/* line 180, ../../Private/Stylesheets/components/_textpic.scss */ -.text-image-right-column--image img { - margin-bottom: 0.5625rem; -} - -/* line 184, ../../Private/Stylesheets/components/_textpic.scss */ -.text-image-right-column--content { - padding: 0.9375rem 1.875rem 1.875rem 1.875rem; -} - -@media only screen and (min-width: 64em) { - /* line 194, ../../Private/Stylesheets/components/_textpic.scss */ - .text-image-right-column h1, .text-image-right-column .h1, .text-image-right-column h2, .text-image-right-column .h2, .text-image-right-column h3, .text-image-right-column .h3, .text-image-right-column h4, .text-image-right-column .h4, .text-image-right-column h5, .text-image-right-column .h5, .text-image-right-column h6, .text-image-right-column .text-image-right-column--content h1, .text-image-right-column--content .text-image-right-column h1, .text-image-right-column .text-image-right-column--content .h1, .text-image-right-column--content .text-image-right-column .h1, .text-image-right-column .text-image-right-column--content h2, .text-image-right-column--content .text-image-right-column h2, .text-image-right-column .text-image-right-column--content .h2, .text-image-right-column--content .text-image-right-column .h2, .text-image-right-column .text-image-right-column--content h3, .text-image-right-column--content .text-image-right-column h3, .text-image-right-column .text-image-right-column--content .h3, .text-image-right-column--content .text-image-right-column .h3, .text-image-right-column .text-image-right-column--content h4, .text-image-right-column--content .text-image-right-column h4, .text-image-right-column .text-image-right-column--content .h4, .text-image-right-column--content .text-image-right-column .h4, .text-image-right-column .text-image-right-column--content h5, .text-image-right-column--content .text-image-right-column h5, .text-image-right-column .text-image-right-column--content .h5, .text-image-right-column--content .text-image-right-column .h5, .text-image-right-column .h6 { - margin-bottom: 0; - } -} -@media only screen { - /* line 5, ../../Private/Stylesheets/components/_image-gallery.scss */ - .image-grid-small { - display: block; - padding: 0; - margin: 0; - } - /* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .image-grid-small:before, .image-grid-small:after { - content: " "; - display: table; - } - /* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .image-grid-small:after { - clear: both; - } - /* line 51, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li { - display: block; - float: left; - height: auto; - padding: 0 0.5625rem 1.125rem; - } - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li { - list-style: none; - padding: 0 0.5625rem 1.125rem; - width: 50%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li:nth-of-type(2n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li:nth-of-type(2n+1) { - padding-left: 0rem; - padding-right: 0.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-small > li:nth-of-type(2n) { - padding-left: 0.5625rem; - padding-right: 0rem; - } -} -@media only screen and (min-width: 40.063em) { - /* line 16, ../../Private/Stylesheets/components/_image-gallery.scss */ - .image-grid-medium { - display: block; - padding: 0; - margin: 0; - } - /* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .image-grid-medium:before, .image-grid-medium:after { - content: " "; - display: table; - } - /* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .image-grid-medium:after { - clear: both; - } - /* line 51, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li { - display: block; - float: left; - height: auto; - padding: 0 0.5625rem 1.125rem; - } - /* line 62, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li { - list-style: none; - padding: 0 0.5625rem 1.125rem; - width: 16.66667%; - } - /* line 69, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(1n) { - clear: none; - } - /* line 70, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+1) { - clear: both; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+1) { - padding-left: 0rem; - padding-right: 0.9375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+2) { - padding-left: 0.1875rem; - padding-right: 0.75rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+3) { - padding-left: 0.375rem; - padding-right: 0.5625rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+4) { - padding-left: 0.5625rem; - padding-right: 0.375rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n+5) { - padding-left: 0.75rem; - padding-right: 0.1875rem; - } - /* line 85, ../bower_components/foundation/scss/foundation/components/_block-grid.scss */ - .image-grid-medium > li:nth-of-type(6n) { - padding-left: 0.9375rem; - padding-right: 0rem; - } -} -/* line 25, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery { - margin-bottom: 3.125rem; -} -/* line 28, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery .clearing-featured-img { - display: block; -} -/* line 32, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery li { - display: none; -} -/* line 35, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery li a { - display: block; -} -/* line 40, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery li { - margin: 0; -} -/* line 44, ../../Private/Stylesheets/components/_image-gallery.scss */ -.image-gallery img { - width: 100%; -} - -/* line 13, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.gray-600 { - background-color: #eeeeee; -} - -/* line 13, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.gray-500 { - background-color: #c6c6c6; -} - -/* line 13, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.gray-200 { - background-color: #4a4a4a; -} - -/* line 13, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.white { - background-color: white; -} - -/* line 19, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap { - padding-top: 1.875rem; - padding-bottom: 0; - margin-bottom: 2.0625rem; -} -/* line 24, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap + .row { - margin-top: 1.875rem; -} -/* line 27, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.no-padding { - padding: 0 !important; - margin-bottom: 1.25rem; -} -/* line 31, ../../Private/Stylesheets/components/_background-wrap.scss */ -.background-wrap.no-padding > .panel { - margin-bottom: 0; -} - -/* line 41, ../../Private/Stylesheets/components/_background-wrap.scss */ -.columns > .background-wrap { - padding: 0.9375rem; -} -/* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.columns > .background-wrap:before, .columns > .background-wrap:after { - content: " "; - display: table; -} -/* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ -.columns > .background-wrap:after { - clear: both; -} - -@media only screen and (min-width: 40.063em) { - /* line 50, ../../Private/Stylesheets/components/_background-wrap.scss */ - .columns > .background-wrap { - padding: 1.875rem; - } - /* line 172, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .columns > .background-wrap:before, .columns > .background-wrap:after { - content: " "; - display: table; - } - /* line 173, ../bower_components/foundation/scss/foundation/components/_global.scss */ - .columns > .background-wrap:after { - clear: both; - } -} -/* line 65, ../../Private/Stylesheets/components/_background-wrap.scss */ -.columns > p:last-child, .columns > a:last-child, .columns > img:last-child, .columns > figure:last-child, .columns > ul:last-child, .columns > ol:last-child, .columns > dl:last-child, .columns > table:last-child, -.panel > p:last-child, -.panel > a:last-child, -.panel > img:last-child, -.panel > figure:last-child, -.panel > ul:last-child, -.panel > ol:last-child, -.panel > dl:last-child, -.panel > table:last-child, -.textpic > p:last-child, -.textpic > a:last-child, -.textpic > img:last-child, -.textpic > figure:last-child, -.textpic > ul:last-child, -.textpic > ol:last-child, -.textpic > dl:last-child, -.textpic > table:last-child, -.news-text-wrap p:last-child, -.news-text-wrap a:last-child, -.news-text-wrap img:last-child, -.news-text-wrap figure:last-child, -.news-text-wrap ul:last-child, -.news-text-wrap ol:last-child, -.news-text-wrap dl:last-child, -.news-text-wrap table:last-child, -.news-articles .footer > p:last-child, -.news-articles .footer > a:last-child, -.news-articles .footer > img:last-child, -.news-articles .footer > figure:last-child, -.news-articles .footer > ul:last-child, -.news-articles .footer > ol:last-child, -.news-articles .footer > dl:last-child, -.news-articles .footer > table:last-child { - margin-bottom: 0; -} - -/* line 5, ../../Private/Stylesheets/components/_buttons.scss */ -p + .button, .tsarlp-pagebrowser li p + a { - margin-top: 0.75rem; -} - -/* line 10, ../../Private/Stylesheets/components/_buttons.scss */ -.scroll-to-top { - position: relative; -} - -/* line 13, ../../Private/Stylesheets/components/_buttons.scss */ -.to-top-label { - font-size: 0.875rem; - color: #8e8e8e; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; -} - -/* line 20, ../../Private/Stylesheets/components/_buttons.scss */ -.arrow-right.button, .tsarlp-pagebrowser li a.arrow-right { - min-width: 11.5625rem; - text-align: left; - margin-top: 0; - margin-bottom: 0; - padding-right: 1.875rem; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.arrow-right.button:before, .tsarlp-pagebrowser li a.arrow-right:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f105"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.arrow-right.button:before:hover, .tsarlp-pagebrowser li a.arrow-right:before:hover { - text-decoration: none; -} -/* line 27, ../../Private/Stylesheets/components/_buttons.scss */ -.arrow-right.button:before, .tsarlp-pagebrowser li a.arrow-right:before { - position: absolute; - right: 0; - top: 0; - padding: 0.6875rem 0.625rem 0 0; - font-family: 'rlp-icons'; -} - -/* line 39, ../../Private/Stylesheets/components/_buttons.scss */ -.scroll-to-top-button { - background-color: #bbbbbb; - color: white; - line-height: 1; - font-size: 18px; - padding: 11px; - border-radius: 5px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.scroll-to-top-button:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f106"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.scroll-to-top-button:before:hover { - text-decoration: none; -} -/* line 47, ../../Private/Stylesheets/components/_buttons.scss */ -.scroll-to-top-button:hover { - background-color: #8e8e8e; -} - -/* line 52, ../../Private/Stylesheets/components/_buttons.scss */ -.btn-label { - font-size: 0; - height: 1px; - overflow: hidden; - display: block; -} - -/* line 59, ../../Private/Stylesheets/components/_buttons.scss */ -input[type=submit] { - border-radius: 4px; - margin-bottom: 0; -} - -/* line 69, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination li:focus a { - color: white; -} -/* line 74, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .arrow { - position: relative; -} -/* line 78, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .arrow a:hover { - background-color: white; - color: #871d33; - text-decoration: underline; -} -/* line 85, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .arrow:hover a { - background-color: white; - color: #871d33; -} -/* line 90, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .arrow:focus { - background-color: white; -} -/* line 95, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .unavailable { - color: #8e8e8e; -} -/* line 99, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .unavailable.arrow:hover a { - color: #8e8e8e; -} -/* line 104, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .unavailable:hover:before a { - color: #8e8e8e; -} -/* line 109, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .unavailable a:hover { - text-decoration: none; - color: #8e8e8e; -} -/* line 118, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .previous a { - padding: 0.375rem 1.25rem; - font-size: 0; -} -/* line 122, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .previous a:hover, .pagination .previous a:focus, .pagination .previous a:active { - background-color: white; - color: #4a4a4a; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.pagination .previous a:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f104"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.pagination .previous a:before:hover { - text-decoration: none; -} -/* line 129, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .previous a:before { - position: absolute; - left: 5px; - top: 6px; - font-size: 23px; -} -/* line 140, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .next a { - padding: 0.375rem 1.25rem; - font-size: 0; -} -/* line 144, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .next a:hover, .pagination .next a:focus, .pagination .next a:active { - background-color: white; - color: #4a4a4a; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.pagination .next a:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f105"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.pagination .next a:before:hover { - text-decoration: none; -} -/* line 151, ../../Private/Stylesheets/components/_buttons.scss */ -.pagination .next a:before { - position: absolute; - right: 5px; - top: 6px; - font-size: 23px; -} - -@media only screen and (min-width: 40.063em) { - /* line 163, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination { - margin-right: 0.9375rem; - } - /* line 167, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .previous a { - font-size: 0.875rem; - padding: 0 0.4375rem 0 0; - } - /* line 171, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .previous a:hover, .pagination .previous a:focus, .pagination .previous a:active { - background-color: white; - color: #871d33; - } - /* line 176, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .previous a:before { - position: absolute; - left: -18px; - top: 9px; - font-size: 17px; - } - /* line 187, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .next a { - font-size: 14px; - padding: 0 0 0 0.4375rem; - } - /* line 191, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .next a:hover, .pagination .next a:focus, .pagination .next a:active { - background-color: white; - color: #871d33; - } - /* line 196, ../../Private/Stylesheets/components/_buttons.scss */ - .pagination .next a:before { - position: absolute; - right: -18px; - top: 9px; - font-size: 17px; - } -} -@media only screen and (max-width: 40em) { - /* line 208, ../../Private/Stylesheets/components/_buttons.scss */ - * { - outline: none; - } -} -@media only screen and (min-width: 40.063em) and (max-width: 63.99em) { - /* line 214, ../../Private/Stylesheets/components/_buttons.scss */ - * { - outline: none; - } -} -/* line 1, ../../Private/Stylesheets/components/_typography.scss */ -.copyright-sign { - font-size: 12px; - line-height: 11px; -} - -/* line 7, ../../Private/Stylesheets/components/_typography.scss */ -button:focus, a:focus { - outline-color: #871d33; - outline-style: dotted; - outline-width: 1px; -} - -/* line 15, ../../Private/Stylesheets/components/_typography.scss */ -body { - letter-spacing: 0.2px; -} - -/* line 22, ../../Private/Stylesheets/components/_typography.scss */ -div { - font-size: 0.875rem; -} - -/* line 27, ../../Private/Stylesheets/components/_typography.scss */ -a h1, a .h1, a h2, a .h2, a h3, a .h3, a h4, a .h4, a h5, a .h5, a h6, a .text-image-right-column--content h1, .text-image-right-column--content a h1, a .text-image-right-column--content .h1, .text-image-right-column--content a .h1, a .text-image-right-column--content h2, .text-image-right-column--content a h2, a .text-image-right-column--content .h2, .text-image-right-column--content a .h2, a .text-image-right-column--content h3, .text-image-right-column--content a h3, a .text-image-right-column--content .h3, .text-image-right-column--content a .h3, a .text-image-right-column--content h4, .text-image-right-column--content a h4, a .text-image-right-column--content .h4, .text-image-right-column--content a .h4, a .text-image-right-column--content h5, .text-image-right-column--content a h5, a .text-image-right-column--content .h5, .text-image-right-column--content a .h5, a .text-image-right-column--content h6, .text-image-right-column--content a h6, a .h6 { - color: #871d33; -} -/* line 31, ../../Private/Stylesheets/components/_typography.scss */ -a p { - color: #666666; -} - -/* line 37, ../../Private/Stylesheets/components/_typography.scss */ -blockquote { - border-left: none; - border-right: none; - border-bottom: 4px solid #eeeeee; - border-top: 1px solid #bbbbbb; - margin-bottom: 45px; - padding: 2.125rem 2.5rem; - position: relative; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -blockquote:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f12e"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -blockquote:before:hover { - text-decoration: none; -} -/* line 43, ../../Private/Stylesheets/_settings-custom.scss */ -blockquote:after { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f12f"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 51, ../../Private/Stylesheets/_settings-custom.scss */ -blockquote:after:hover { - text-decoration: none; -} -/* line 47, ../../Private/Stylesheets/components/_typography.scss */ -blockquote:before, blockquote:after { - color: #666666; - font-size: 1.5rem; - position: absolute; - display: block; - height: 100%; - top: calc(50% - 30px); -} -/* line 55, ../../Private/Stylesheets/components/_typography.scss */ -blockquote:before { - left: 0; -} -/* line 58, ../../Private/Stylesheets/components/_typography.scss */ -blockquote:after { - right: 0; -} -/* line 61, ../../Private/Stylesheets/components/_typography.scss */ -blockquote p { - color: #333333; - font-weight: bold; - text-align: center; - font-style: italic; - font-size: 24px; -} -/* line 69, ../../Private/Stylesheets/components/_typography.scss */ -blockquote cite { - font-size: 0.875rem; - text-align: center; - color: #8e8e8e; -} - -/* line 76, ../../Private/Stylesheets/components/_typography.scss */ -h1, .h1, h2, .h2, h3, .h3, h4, .h4, h5, .h5, h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - letter-spacing: normal; -} -/* line 78, ../../Private/Stylesheets/components/_typography.scss */ -h1 a, .h1 a, h2 a, .h2 a, h3 a, .h3 a, h4 a, .h4 a, h5 a, .h5 a, h6 a, .text-image-right-column--content h1 a, .text-image-right-column--content .h1 a, .text-image-right-column--content h2 a, .text-image-right-column--content .h2 a, .text-image-right-column--content h3 a, .text-image-right-column--content .h3 a, .text-image-right-column--content h4 a, .text-image-right-column--content .h4 a, .text-image-right-column--content h5 a, .text-image-right-column--content .h5 a, .text-image-right-column--content h6 a, .h6 a { - color: #871d33; - text-decoration: none; -} -/* line 82, ../../Private/Stylesheets/components/_typography.scss */ -h1 a:hover, .h1 a:hover, h2 a:hover, .h2 a:hover, h3 a:hover, .h3 a:hover, h4 a:hover, .h4 a:hover, h5 a:hover, .h5 a:hover, h6 a:hover, .text-image-right-column--content h1 a:hover, .text-image-right-column--content .h1 a:hover, .text-image-right-column--content h2 a:hover, .text-image-right-column--content .h2 a:hover, .text-image-right-column--content h3 a:hover, .text-image-right-column--content .h3 a:hover, .text-image-right-column--content h4 a:hover, .text-image-right-column--content .h4 a:hover, .text-image-right-column--content h5 a:hover, .text-image-right-column--content .h5 a:hover, .h6 a:hover { - text-decoration: underline; - color: #871d33; -} -/* line 88, ../../Private/Stylesheets/components/_typography.scss */ -h1 p, .h1 p, h2 p, .h2 p, h3 p, .h3 p, h4 p, .h4 p, h5 p, .h5 p, h6 p, .text-image-right-column--content h1 p, .text-image-right-column--content .h1 p, .text-image-right-column--content h2 p, .text-image-right-column--content .h2 p, .text-image-right-column--content h3 p, .text-image-right-column--content .h3 p, .text-image-right-column--content h4 p, .text-image-right-column--content .h4 p, .text-image-right-column--content h5 p, .text-image-right-column--content .h5 p, .text-image-right-column--content h6 p, .h6 p { - color: #666666; -} - -/* line 94, ../../Private/Stylesheets/components/_typography.scss */ -p { - -webkit-transform: translate(0, -0.17rem); - -ms-transform: translate(0, -0.17rem); - transform: translate(0, -0.17rem); -} - -/* line 98, ../../Private/Stylesheets/components/_typography.scss */ -h1, .h1 { - margin-bottom: 1.3125rem; - -webkit-transform: translate(0, -0.4375rem); - -ms-transform: translate(0, -0.4375rem); - transform: translate(0, -0.4375rem); -} - -/* line 103, ../../Private/Stylesheets/components/_typography.scss */ -h2, .h2 { - margin-bottom: 1.125rem; - -webkit-transform: translate(0, -0.375rem); - -ms-transform: translate(0, -0.375rem); - transform: translate(0, -0.375rem); -} - -/* line 108, ../../Private/Stylesheets/components/_typography.scss */ -h3, .h3 { - margin-bottom: 0.9375rem; - -webkit-transform: translate(0, -0.3125rem); - -ms-transform: translate(0, -0.3125rem); - transform: translate(0, -0.3125rem); -} - -/* line 113, ../../Private/Stylesheets/components/_typography.scss */ -h4, .h4 { - margin-bottom: 0.75rem; - -webkit-transform: translate(0, -0.3125rem); - -ms-transform: translate(0, -0.3125rem); - transform: translate(0, -0.3125rem); -} - -/* line 118, ../../Private/Stylesheets/components/_typography.scss */ -h5, .h5 { - margin-bottom: 0.6875rem; - -webkit-transform: translate(0, -0.25rem); - -ms-transform: translate(0, -0.25rem); - transform: translate(0, -0.25rem); -} - -/* line 123, ../../Private/Stylesheets/components/_typography.scss */ -h6, .text-image-right-column--content h1, .text-image-right-column--content .h1, .text-image-right-column--content h2, .text-image-right-column--content .h2, .text-image-right-column--content h3, .text-image-right-column--content .h3, .text-image-right-column--content h4, .text-image-right-column--content .h4, .text-image-right-column--content h5, .text-image-right-column--content .h5, .text-image-right-column--content h6, .h6 { - margin-bottom: 0.4375rem; - -webkit-transform: translate(0, -0.1875rem); - -ms-transform: translate(0, -0.1875rem); - transform: translate(0, -0.1875rem); -} - -/* line 155, ../../Private/Stylesheets/components/_typography.scss */ -.textpic ul, .textpic ol, .textpic dl { - margin-left: 0; -} -/* line 159, ../../Private/Stylesheets/components/_typography.scss */ -.textpic li { - position: relative; - left: 0.9375rem; - padding-right: 0.9375rem; -} -/* line 165, ../../Private/Stylesheets/components/_typography.scss */ -.textpic ol { - margin-left: 0.9375rem; -} - -/* line 192, ../../Private/Stylesheets/components/_typography.scss */ -input[type="text"], input[type="password"], input[type="date"], input[type="datetime"], input[type="datetime-local"], input[type="month"], input[type="week"], input[type="email"], input[type="number"], input[type="search"], input[type="tel"], input[type="time"], input[type="url"], input[type="color"], textarea, select { - margin-top: 0.3125rem; - border-radius: 4px; -} - -/* line 197, ../../Private/Stylesheets/components/_typography.scss */ -.postfix { - border-radius: 0 4px 4px 0; - margin-top: 0.3125rem; -} - -/* line 204, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio], input[type=checkbox] { - /* MS display: none; */ -} -/* line 206, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio] + label, input[type=checkbox] + label { - margin-bottom: 0.625rem; -} - -/* line 211, ../../Private/Stylesheets/components/_typography.scss */ -input[type=checkbox] + label { - margin-left: 20px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=checkbox] + label:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f135"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=checkbox] + label:before:hover { - text-decoration: none; -} -/* line 216, ../../Private/Stylesheets/components/_typography.scss */ -input[type=checkbox] + label:before { - display: inline-block; - margin-right: 0.8125rem; - width: 1rem; - height: 1rem; - font-size: 1.25rem; - color: #bbbbbb; - position: relative; - vertical-align: top; - margin-left: -2.187rem; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=checkbox]:checked + label:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f108"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=checkbox]:checked + label:before:hover { - text-decoration: none; -} -/* line 247, ../../Private/Stylesheets/components/_typography.scss */ -input[type=checkbox]:checked + label:before { - color: #666666; -} - -/* line 252, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio] + label { - margin-left: 0; - position: relative; -} -/* line 261, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio] + label:before { - top: 0.125rem; - position: relative; - border: 1px solid #8e8e8e; - font-size: 0.75rem; - line-height: 1rem; - background-color: #bbbbbb; - border-radius: 1rem; - display: inline-block; - width: 1rem; - height: 1rem; - content: " "; - margin-right: 0.625rem; -} - -/* line 43, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=radio]:checked + label:after { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f10d"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 51, ../../Private/Stylesheets/_settings-custom.scss */ -input[type=radio]:checked + label:after:hover { - text-decoration: none; -} -/* line 286, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio]:checked + label:before { - background-color: #666666; -} -/* line 289, ../../Private/Stylesheets/components/_typography.scss */ -input[type=radio]:checked + label:after { - top: -1px; - text-align: center; - width: 15px; - position: absolute; - font-size: 11px; - padding: 5px 0; - color: #fff; - left: 0; -} - -/* line 311, ../../Private/Stylesheets/components/_typography.scss */ -select { -/* background-image: none;*/ -} - -/* line 315, ../../Private/Stylesheets/components/_typography.scss */ -.select-wrap { - position: relative; - overflow: hidden; - background-color: #eeeeee; - border-radius: 4px; - border: 1px solid #c6c6c6; - margin-bottom: 1rem; - margin-top: 0.5rem; -} -/* line 43, ../../Private/Stylesheets/_settings-custom.scss */ -.select-wrap:after { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f109"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 51, ../../Private/Stylesheets/_settings-custom.scss */ -.select-wrap:after:hover { - text-decoration: none; -} -/* line 324, ../../Private/Stylesheets/components/_typography.scss */ -.select-wrap:after { - display: none\9; - position: absolute; - right: 0.625rem; - top: 0.8125rem; - pointer-events: none; -} -/* line 332, ../../Private/Stylesheets/components/_typography.scss */ -.select-wrap select { - width: 100%; - margin-bottom: 0; - margin-top: 0; - border: none; - outline: none; - -moz-appearance: none; -} - -/* line 344, ../../Private/Stylesheets/components/_typography.scss */ -.divider { - display: block; - margin-top: 0; - margin-bottom: 2.875rem; - position: relative; - border: none; - height: 0; - width: 100%; -} -/* line 352, ../../Private/Stylesheets/components/_typography.scss */ -.divider:before { - content: " "; - position: absolute; - border-bottom: 1px solid #c6c6c6; - height: 0; - width: calc(50% - 20px); - left: 0; - top: -1px; -} -/* line 361, ../../Private/Stylesheets/components/_typography.scss */ -.divider:after { - content: " "; - position: absolute; - display: inline-block; - border-bottom: 1px solid #c6c6c6; - left: calc(50% + 20px); - width: calc(50% - 20px); - top: -1px; -} - -/* line 372, ../../Private/Stylesheets/components/_typography.scss */ -.divider-icon { - height: 40px; - display: block; - width: 100%; - text-align: center; - font-size: 34px; - position: absolute; - top: -1.5rem; - left: 0.125rem; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.divider-icon:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f122"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.divider-icon:before:hover { - text-decoration: none; -} - -/* line 385, ../../Private/Stylesheets/components/_typography.scss */ -.main-column hr { - border-top: none; -} - -/* line 391, ../../Private/Stylesheets/components/_typography.scss */ -.right-column hr, .tx-solr hr { - border-top: 1px solid #bbbbbb; - margin-bottom: 1.25rem; -} -/* line 394, ../../Private/Stylesheets/components/_typography.scss */ -.right-column hr:before, .right-column hr:after, .tx-solr hr:before, .tx-solr hr:after { - display: none; -} -/* line 399, ../../Private/Stylesheets/components/_typography.scss */ -.right-column .divider-icon, .tx-solr .divider-icon { - display: none; -} - -/* line 404, ../../Private/Stylesheets/components/_typography.scss */ -.application-page { - margin-bottom: 2.5rem; -} -/* line 406, ../../Private/Stylesheets/components/_typography.scss */ -.application-page hr { - margin: 0 0 10px 0; -} - -/* line 420, ../../Private/Stylesheets/components/_typography.scss */ -.no-bullet li { - padding: 0 0 17px 28px; -} -/* line 424, ../../Private/Stylesheets/components/_typography.scss */ -.no-bullet a { - position: relative; -} -/* line 427, ../../Private/Stylesheets/components/_typography.scss */ -.no-bullet a:before { - font-size: 17px; - position: absolute; - left: -29px; - padding-top: 2px; -} - -/* line 454, ../../Private/Stylesheets/components/_typography.scss */ -a[href]:before { - display: inline-block; - text-decoration: underline; -} -/* line 459, ../../Private/Stylesheets/components/_typography.scss */ -a[href]:before { - text-decoration: none; -} -/* line 461, ../../Private/Stylesheets/components/_typography.scss */ -a[href]:before:hover { - text-decoration: none; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".pdf"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f117"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".pdf"]:before:hover { - text-decoration: none; -} -/* line 469, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".pdf"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".zip"]:before, a[href$=".rar"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f112"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".zip"]:before:hover, a[href$=".rar"]:before:hover { - text-decoration: none; -} -/* line 476, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".zip"]:before, a[href$=".rar"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".mp3"]:before, a[href$=".mp4"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f112"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".mp3"]:before:hover, a[href$=".mp4"]:before:hover { - text-decoration: none; -} -/* line 483, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".mp3"]:before, a[href$=".mp4"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".xls"]:before, a[href$=".xlsx"]:before, a[href$=".csv"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f114"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".xls"]:before:hover, a[href$=".xlsx"]:before:hover, a[href$=".csv"]:before:hover { - text-decoration: none; -} -/* line 490, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".xls"]:before, a[href$=".xlsx"]:before, a[href$=".csv"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".ppt"]:before, a[href$=".pptx"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f118"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".ppt"]:before:hover, a[href$=".pptx"]:before:hover { - text-decoration: none; -} -/* line 497, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".ppt"]:before, a[href$=".pptx"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".txt"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f119"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".txt"]:before:hover { - text-decoration: none; -} -/* line 504, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".txt"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".mpg"]:before, a[href$=".avi"]:before, a[href$=".mkv"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f11a"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".mpg"]:before:hover, a[href$=".avi"]:before:hover, a[href$=".mkv"]:before:hover { - text-decoration: none; -} -/* line 511, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".mpg"]:before, a[href$=".avi"]:before, a[href$=".mkv"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".doc"]:before, a[href$=".docx"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f11b"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".doc"]:before:hover, a[href$=".docx"]:before:hover { - text-decoration: none; -} -/* line 518, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".doc"]:before, a[href$=".docx"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".jpg"]:before, a[href$=".png"]:before, a[href$=".gif"]:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f115"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a[href$=".jpg"]:before:hover, a[href$=".png"]:before:hover, a[href$=".gif"]:before:hover { - text-decoration: none; -} -/* line 525, ../../Private/Stylesheets/components/_typography.scss */ -a[href$=".jpg"]:before, a[href$=".png"]:before, a[href$=".gif"]:before { - margin-right: 5px; -} - -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -a.external-link-new-window:before, a.external-link:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f10f"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -a.external-link-new-window:before:hover, a.external-link:before:hover { - text-decoration: none; -} -/* line 533, ../../Private/Stylesheets/components/_typography.scss */ -a.external-link-new-window:before, a.external-link:before { - margin-right: 5px; - vertical-align: middle; - text-decoration: none; - display: inline-block; -} - -/* line 544, ../../Private/Stylesheets/components/_typography.scss */ -.mediaelement a:before { - display: none; -} - -/* line 554, ../../Private/Stylesheets/components/_typography.scss */ -form { - margin-bottom: 1.875rem; -} -/* line 555, ../../Private/Stylesheets/components/_typography.scss */ -form .mandatory { - display: inline-block; - margin-left: 0.1875rem; - font-size: 0.9em; - vertical-align: top; -} - -/* line 564, ../../Private/Stylesheets/components/_typography.scss */ -.csc-form-element-submit { - text-align: right; -} - -/* line 569, ../../Private/Stylesheets/components/_typography.scss */ -.append-value:before { - content: attr(value); - display: inline; -} - -/* line 577, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler fieldset { - margin: 0 0 1.875rem 0; - padding: 0.625rem 1.25rem; -} -/* line 581, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler fieldset .button, .Tx-Formhandler fieldset .tsarlp-pagebrowser li a, .tsarlp-pagebrowser li .Tx-Formhandler fieldset a { - margin-top: 0.625rem; -} -/* line 586, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler .error { - background: none; - margin-bottom: 0; - border-color: red; -} -/* line 592, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler label { - padding: 0; - margin: 0; -} -/* line 597, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler .row input { - margin-bottom: 0.625rem; -} -/* line 601, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler .greeting { - padding-bottom: 1.875rem; -} -/* line 605, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler .form-buttons { - margin-top: 1.875rem; -} -/* line 609, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler .prevStep { - margin-right: 1.875rem; -} -/* line 613, ../../Private/Stylesheets/components/_typography.scss */ -.Tx-Formhandler legend { - color: #4a4a4a; -} - -/* line 620, ../../Private/Stylesheets/components/_typography.scss */ -.show-on-focus { - clip: rect(1px, 1px, 1px, 1px); - height: 1px; - overflow: hidden; - position: absolute !important; - width: 1px; -} - -/* line 628, ../../Private/Stylesheets/components/_typography.scss */ -.show-on-focus:focus, .show-on-focus:active { - position: static !important; - height: auto; - width: auto; - overflow: visible; - clip: auto; - color: #5b7ea2; - background-color: white; - padding: 14px; - border-top: 1px solid #e2e2e2; - border-bottom: 1px solid #e2e2e2; - border-right: 1px solid #e2e2e2; - border-left: 4px solid #5b7ea2; - display: block; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.show-on-focus:focus .nav-arrow:before, .show-on-focus:active .nav-arrow:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f105"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.show-on-focus:focus .nav-arrow:before:hover, .show-on-focus:active .nav-arrow:before:hover { - text-decoration: none; -} -/* line 648, ../../Private/Stylesheets/components/_typography.scss */ -.show-on-focus:focus .nav-arrow:before, .show-on-focus:active .nav-arrow:before { - padding-top: 1px; - font-size: 18px; - vertical-align: bottom; -} - -/* line 658, ../../Private/Stylesheets/components/_typography.scss */ -.backlink-wrap { - margin-bottom: 10px; - color: #871d33; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.backlink-wrap:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f130"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.backlink-wrap:before:hover { - text-decoration: none; -} -/* line 662, ../../Private/Stylesheets/components/_typography.scss */ -.backlink-wrap:before { - display: inline-block; - vertical-align: middle; -} - -/* line 668, ../../Private/Stylesheets/components/_typography.scss */ -figure { - padding: 0; - margin: 0 auto; -} -/* line 672, ../../Private/Stylesheets/components/_typography.scss */ -figure a { - text-decoration: none; -} -/* line 676, ../../Private/Stylesheets/components/_typography.scss */ -figure a:before { - display: none !important; -} -/* line 681, ../../Private/Stylesheets/components/_typography.scss */ -figure img { - margin-bottom: 0.5625rem; - position: relative; - z-index: 2; -} -/* line 685, ../../Private/Stylesheets/components/_typography.scss */ -figure img[data-interchange] { - width: 100%; -} -/* line 689, ../../Private/Stylesheets/components/_typography.scss */ -figure figcaption { - text-align: left; - margin-bottom: 0.8125rem; -} -/* line 694, ../../Private/Stylesheets/components/_typography.scss */ -figure li { - display: block; - width: 100%; -} -/* line 698, ../../Private/Stylesheets/components/_typography.scss */ -figure li a { - text-decoration: none; -} -/* line 704, ../../Private/Stylesheets/components/_typography.scss */ -figure .clearing-blackout figcaption { - display: none; -} - -/**Breadcrumb styling **/ -/* line 3, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs { - height: 36px; - margin-left: 0; - font-size: 13px; - max-width: 100%; - margin-top: 16px; - margin-bottom: 30px; -} -/* line 11, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs .breadcrumb-button-container { - text-overflow: ellipsis; - white-space: nowrap; - overflow: hidden; - padding-right: 5px; - max-width: 100%; -} -/* line 19, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs button.breadcrumb-button { - position: inherit; - line-height: 34px; - margin: 0 0 0 39px; - background-color: #eeeeee; - padding: 0 0.75rem 0 0.75rem; - color: #4a4a4a; - font-family: Arial, "Helvetica Neue", Helvetica, Roboto, sans-serif; - margin: 0 0 0 39px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.breadcrumbs button.breadcrumb-button:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f130"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.breadcrumbs button.breadcrumb-button:before:hover { - text-decoration: none; -} -/* line 32, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs button.breadcrumb-button:before { - left: 0; -} -/* line 45, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs button.breadcrumb-button:before { - font-family: "rlp-icons"; - background-color: #871d33; - color: white; - width: 40px; - display: inline-block; - position: absolute; - margin-left: 15px; - line-height: 34px; - border-top-left-radius: 4px; - border-bottom-left-radius: 4px; -} -/* line 60, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs button.breadcrumb-button:hover:before, .breadcrumbs button.breadcrumb-button:focus:before { - background-color: #4a4a4a; -} -/* line 67, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs button.breadcrumb-button[aria-expanded=true]:before { - background-color: #4a4a4a; -} -/* line 73, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul { - list-style: outside none none; - margin: 0 0 0 6px; - padding: 0; - border-collapse: collapse; -} -/* line 79, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li { - display: inline; - margin: 0; -} -/* line 83, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li a { - background-color: #4a4a4a; - color: #c6c6c6; - border: 0 solid white; - border-width: 1px 1px 0 1px; - padding-right: 11px; - font-size: 13px; - letter-spacing: 0.3px; -} -/* line 99, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li a:hover { - color: white; - background-color: #8e8e8e; -} -/* line 108, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(1) a { - padding-left: 11px; -} -/* line 114, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(2) a { - padding-left: 19px; -} -/* line 120, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(3) a { - padding-left: 27px; -} -/* line 126, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(4) a { - padding-left: 35px; -} -/* line 132, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(5) a { - padding-left: 43px; -} -/* line 138, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(6) a { - padding-left: 51px; -} -/* line 144, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs ul li:nth-child(7) a { - padding-left: 59px; -} -/* line 200, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs .current a { - color: white; - border-bottom: 1px solid white; -} -/* line 204, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs .current a:hover { - background-color: #4a4a4a; - cursor: default; -} -/* line 211, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs .f-dropdown { - max-width: 100%; - padding-right: 9px; - background: transparent; -} -/* line 224, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs .f-dropdown:before, .breadcrumbs .f-dropdown:after { - border: none; -} -/* line 229, ../../Private/Stylesheets/components/_breadcrumb.scss */ -.breadcrumbs a, .breadcrumbs a:link, .breadcrumbs a:visited, .breadcrumbs a:active, .breadcrumbs a:hover { - text-decoration: none; -} - -@media only screen and (max-width: 40em) { - /* line 239, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .f-dropdown.open { - left: 8px !important; - width: calc(100% - 20px); - } - - /* line 245, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .breadcrumbs { - margin-bottom: 0.9375rem; - } - /* line 247, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .breadcrumbs a.breadcrumb-button { - display: inline-block; - padding-top: 0; - padding-bottom: 0; - width: 100%; - } -} -@media only screen and (min-width: 40.063em) { - /* line 259, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .breadcrumbs { - font-size: 14px; - } - /* line 262, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .breadcrumbs ul { - margin: 0 0 0 -40px; - } - /* line 272, ../../Private/Stylesheets/components/_breadcrumb.scss */ - .breadcrumbs .f-dropdown { - width: auto; - max-width: 100%; - } -} -/* line 1, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-caption { - z-index: 3; -} -/* line 3, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-caption a:before { - display: none; -} - -/* line 8, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.visible-img { - height: 93%; -} -/* line 10, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.visible-img img { - padding-bottom: 1.5625rem; -} - -/* line 17, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.visible-img img[data-interchange] { - width: auto; -} - -/* line 24, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-thumbs a:before { - display: none; -} - -/* line 28, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.lightbox-button { - position: relative; -} -/* line 43, ../../Private/Stylesheets/_settings-custom.scss */ -.lightbox-button:after { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f125"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 51, ../../Private/Stylesheets/_settings-custom.scss */ -.lightbox-button:after:hover { - text-decoration: none; -} -/* line 32, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.lightbox-button:hover:after { - background-color: #8e8e8e; -} -/* line 36, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.lightbox-button:after { - display: block; - -webkit-transition: background-color 0.2s; - transition: background-color 0.2s; - color: #fff; - position: absolute; - z-index: 3; - right: 0; - bottom: 0.5625rem; - width: 3.125rem; - height: 3.125rem; - background-color: rgba(0, 0, 0, 0.3); - font-size: 35px; - text-align: center; - line-height: 50px; -} - -/* line 53, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-blackout .lightbox-button:after { - display: none; -} - -/* line 57, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.textpic .clearing-thumbs li { - left: 0; - padding-right: 0; -} - -/* line 71, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-main-prev.disabled, .clearing-main-next.disabled { - display: none; -} - -/* line 77, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-blackout .hidden-in-lightbox { - display: none; -} - -/* line 82, ../../Private/Stylesheets/components/_lightbox_custom.scss */ -.clearing-thumbs { - list-style: none; - margin-left: 0; - margin-bottom: 0; -} - -/* line 3, ../../Private/Stylesheets/components/_custom-grids.scss */ -.row .row.small-gutter { - margin-left: -5px; - margin-right: -5px; -} - -/* line 9, ../../Private/Stylesheets/components/_custom-grids.scss */ -.row.small-gutter .column, .row.small-gutter .columns { - padding-left: 5px; - padding-right: 5px; -} - -/* line 1, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-pagebrowser { - margin-left: 0; -} -/* line 3, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-pagebrowser li { - display: inline-block; - margin-bottom: 0; -} -/* line 6, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-pagebrowser li a { - margin-bottom: 0; -} -/* line 10, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-pagebrowser li a:hover { - background: #bbbbbb; -} -/* line 16, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-pagebrowser .activeLinkWrap a { - background: #4a4a4a; - color: #fff; -} - -/* line 23, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -.tsarlp-image-desc { - font-size: 0.6875rem; - color: #8e8e8e; -} - -/* line 28, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -#singleoe { - margin-bottom: 1.875rem; -} -/* line 30, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -#singleoe table { - min-width: 0; - width: 100%; - margin-bottom: 3.125rem; -} -/* line 35, ../../Private/Stylesheets/components/_tx_tsarlp.scss */ -#singleoe [scope=row] { - background: #eeeeee; - border-rigth: 1px solid #c6c6c6; -} - -/* line 3, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform span.error { - background: none; - color: red; - margin-bottom: 0; - padding-bottom: 0; - padding-left: 0; - padding-right: 0; -} -/* line 12, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform input.error, .csc-mailform textarea.error { - border-color: red; -} -/* line 16, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform input.error, .csc-mailform textarea.error, .csc-mailform select.error { - margin-bottom: 0.625rem; -} -/* line 20, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform button { - margin-top: 0.625rem; -} -/* line 25, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform .no-bullet li { - padding: 0; -} -/* line 31, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform .csc-form-element > label { - -webkit-transform: translate(0, -5px); - -ms-transform: translate(0, -5px); - transform: translate(0, -5px); -} -/* line 35, ../../Private/Stylesheets/components/_csc-mailform.scss */ -.csc-mailform .csc-form-element > input, .csc-mailform .csc-form-element > textarea { - margin-top: 0; -} - -/* pagination */ -/* line 3, ../../Private/Stylesheets/components/_pagination.scss */ -.page-navigation { - border-top: 1px solid #c6c6c6; - border-bottom: 1px solid #c6c6c6; - margin-bottom: 40px; - padding: 14px 0; -} -/* line 7, ../../Private/Stylesheets/components/_pagination.scss */ -.page-navigation form label { - margin-bottom: 0; -} -/* line 11, ../../Private/Stylesheets/components/_pagination.scss */ -.page-navigation a { - text-decoration: none; -} -/* line 15, ../../Private/Stylesheets/components/_pagination.scss */ -.page-navigation ul { - margin-bottom: 0; - line-height: 33px; -} -/* line 21, ../../Private/Stylesheets/components/_pagination.scss */ -.page-navigation li:hover a { - color: white; -} - -/* line 2, ../../Private/Stylesheets/components/_footer.scss */ -.footer .background-wrap { - margin-bottom: 2.1875rem; - padding: 1rem 0.75rem; -} -/* line 6, ../../Private/Stylesheets/components/_footer.scss */ -.footer h6, .footer .text-image-right-column--content h1, .text-image-right-column--content .footer h1, .footer .text-image-right-column--content .h1, .text-image-right-column--content .footer .h1, .footer .text-image-right-column--content h2, .text-image-right-column--content .footer h2, .footer .text-image-right-column--content .h2, .text-image-right-column--content .footer .h2, .footer .text-image-right-column--content h3, .text-image-right-column--content .footer h3, .footer .text-image-right-column--content .h3, .text-image-right-column--content .footer .h3, .footer .text-image-right-column--content h4, .text-image-right-column--content .footer h4, .footer .text-image-right-column--content .h4, .text-image-right-column--content .footer .h4, .footer .text-image-right-column--content h5, .text-image-right-column--content .footer h5, .footer .text-image-right-column--content .h5, .text-image-right-column--content .footer .h5, .footer .h6 { - color: #8e8e8e; - text-transform: uppercase; - font-weight: normal; - padding-bottom: 0.375rem; - margin-top: 0.25rem; -} -/* line 13, ../../Private/Stylesheets/components/_footer.scss */ -.footer h6:after, .footer .text-image-right-column--content h1:after, .text-image-right-column--content .footer h1:after, .footer .text-image-right-column--content .h1:after, .text-image-right-column--content .footer .h1:after, .footer .text-image-right-column--content h2:after, .text-image-right-column--content .footer h2:after, .footer .text-image-right-column--content .h2:after, .text-image-right-column--content .footer .h2:after, .footer .text-image-right-column--content h3:after, .text-image-right-column--content .footer h3:after, .footer .text-image-right-column--content .h3:after, .text-image-right-column--content .footer .h3:after, .footer .text-image-right-column--content h4:after, .text-image-right-column--content .footer h4:after, .footer .text-image-right-column--content .h4:after, .text-image-right-column--content .footer .h4:after, .footer .text-image-right-column--content h5:after, .text-image-right-column--content .footer h5:after, .footer .text-image-right-column--content .h5:after, .text-image-right-column--content .footer .h5:after, .footer .h6:after { - content: ""; - width: 4.25rem; - height: 1px; - border-top: 1px solid #c6c6c6; - position: absolute; - top: -0.375rem; - left: 0; -} -/* line 31, ../../Private/Stylesheets/components/_footer.scss */ -.footer li { - line-height: 1.625rem; - padding: 0; -} -/* line 34, ../../Private/Stylesheets/components/_footer.scss */ -.footer li a { - color: #4a4a4a; - text-decoration: none; - border-bottom: 1px solid; -} -/* line 39, ../../Private/Stylesheets/components/_footer.scss */ -.footer li a:hover { - border-bottom: none; -} -/* line 45, ../../Private/Stylesheets/components/_footer.scss */ -.footer input, .footer .postfix { - margin: 0; - height: 2.0625rem; - border-radius: 4px; - background-color: #fff; - padding: 0 0 0 0.625rem; -} -/* line 60, ../../Private/Stylesheets/components/_footer.scss */ -.footer .postfix { - color: white; - background-color: #8e8e8e; - line-height: 1.875rem; - padding: 0; - line-height: 2.0625rem; - width: 2.1875rem; -} -/* line 68, ../../Private/Stylesheets/components/_footer.scss */ -.footer .postfix:hover { - background-color: #4a4a4a; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer .postfix:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f105"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer .postfix:before:hover { - text-decoration: none; -} -/* line 81, ../../Private/Stylesheets/components/_footer.scss */ -.footer .small-2.columns { - padding-left: 0.3125rem; -} -/* line 92, ../../Private/Stylesheets/components/_footer.scss */ -.footer .medium-4.columns { - margin-bottom: 1.9375rem; -} -/* line 96, ../../Private/Stylesheets/components/_footer.scss */ -.footer .line { - padding: 0; - height: 0.25rem; -} -/* line 102, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.socialmedia { - background-color: #bbbbbb; - color: white; - line-height: 1; - font-size: 20px; - padding: 9px; - border-radius: 5px; -} -/* line 110, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.socialmedia:hover { - background-color: #8e8e8e; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.facebook:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f111"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.facebook:before:hover { - text-decoration: none; -} -/* line 118, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.facebook:before { - position: relative; - top: 3px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.twitter:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f139"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.twitter:before:hover { - text-decoration: none; -} -/* line 126, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.twitter:before { - position: relative; - top: 3px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.pinterest:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f12b"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.pinterest:before:hover { - text-decoration: none; -} -/* line 134, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.pinterest:before { - position: relative; - top: 2px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.linkedin:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f126"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.linkedin:before:hover { - text-decoration: none; -} -/* line 142, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.linkedin:before { - position: relative; - top: 1px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.flickr:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f11e"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.flickr:before:hover { - text-decoration: none; -} -/* line 150, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.flickr:before { - position: relative; - top: 2px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.googleplus:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f120"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.googleplus:before:hover { - text-decoration: none; -} -/* line 158, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.googleplus:before { - position: relative; - top: 3px; -} -/* line 26, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.youtube:before { - speak: none; - font-style: normal; - font-weight: normal; - font-variant: normal; - text-transform: none; - line-height: 1; - -webkit-font-smoothing: antialiased; - content: "\f13b"; - font-family: rlp-icons; - text-decoration: underline; - text-decoration: none; - display: inline-block; - -moz-osx-font-smoothing: grayscale; -} -/* line 34, ../../Private/Stylesheets/_settings-custom.scss */ -.footer a.youtube:before:hover { - text-decoration: none; -} -/* line 166, ../../Private/Stylesheets/components/_footer.scss */ -.footer a.youtube:before { - position: relative; - top: 0px; -} - -@media only screen and (min-width: 40.063em) { - /* line 176, ../../Private/Stylesheets/components/_footer.scss */ - .footer .medium-4.columns { - margin-bottom: 1.875rem; - } - /* line 180, ../../Private/Stylesheets/components/_footer.scss */ - .footer .background-wrap { - margin-bottom: 1.25rem; - } -} -@media only screen and (min-width: 64em) { - /* line 188, ../../Private/Stylesheets/components/_footer.scss */ - .footer .medium-4.columns { - margin-bottom: 0; - } -} -/* line 194, ../../Private/Stylesheets/components/_footer.scss */ -.newsletterFooter { - margin-bottom: 0; -} -/* line 196, ../../Private/Stylesheets/components/_footer.scss */ -.newsletterFooter button { - overflow: hidden; -} - -/* default styles for extension "tx_cssstyledcontent" */ - /* Headers */ - .csc-header-alignment-center { text-align: center; } - .csc-header-alignment-right { text-align: right; } - .csc-header-alignment-left { text-align: left; } - - div.csc-textpic-responsive, div.csc-textpic-responsive * { -moz-box-sizing: border-box; -webkit-box-sizing: border-box; box-sizing: border-box; } - - /* Clear floats after csc-textpic and after csc-textpic-imagerow */ - div.csc-textpic, div.csc-textpic div.csc-textpic-imagerow, ul.csc-uploads li { overflow: hidden; } - - /* Set padding for tables */ - div.csc-textpic .csc-textpic-imagewrap table { border-collapse: collapse; border-spacing: 0; } - div.csc-textpic .csc-textpic-imagewrap table tr td { padding: 0; vertical-align: top; } - - /* Settings for figure and figcaption (HTML5) */ - div.csc-textpic .csc-textpic-imagewrap figure, div.csc-textpic figure.csc-textpic-imagewrap { margin: 0; display: table; } - - /* Captions */ - figcaption.csc-textpic-caption { display: table-caption; } - .csc-textpic-caption { text-align: left; caption-side: bottom; } - div.csc-textpic-caption-c .csc-textpic-caption, .csc-textpic-imagewrap .csc-textpic-caption-c { text-align: center; } - div.csc-textpic-caption-r .csc-textpic-caption, .csc-textpic-imagewrap .csc-textpic-caption-r { text-align: right; } - div.csc-textpic-caption-l .csc-textpic-caption, .csc-textpic-imagewrap .csc-textpic-caption-l { text-align: left; } - - /* Float the columns */ - div.csc-textpic div.csc-textpic-imagecolumn { float: left; } - - /* Border just around the image */ - {$styles.content.imgtext.borderSelector} { - border: 1px solid #cdcdcd; - padding: {$styles.content.imgtext.borderSpace}px {$styles.content.imgtext.borderSpace}px; - } - - div.csc-textpic .csc-textpic-imagewrap img { border: none; display: block; } - - /* Space below each image (also in-between rows) */ - div.csc-textpic .csc-textpic-imagewrap .csc-textpic-image { margin-bottom: {$styles.content.imgtext.rowSpace}px; } - div.csc-textpic .csc-textpic-imagewrap .csc-textpic-imagerow-last .csc-textpic-image { margin-bottom: 0; } - - /* colSpace around image columns, except for last column */ - div.csc-textpic-imagecolumn, td.csc-textpic-imagecolumn .csc-textpic-image { margin-right: {$styles.content.imgtext.colSpace}px; } - div.csc-textpic-imagecolumn.csc-textpic-lastcol, td.csc-textpic-imagecolumn.csc-textpic-lastcol .csc-textpic-image { margin-right: 0; } - - /* Add margin from image-block to text (in case of "Text & Images") */ - div.csc-textpic-intext-left .csc-textpic-imagewrap, - div.csc-textpic-intext-left-nowrap .csc-textpic-imagewrap { - margin-right: {$styles.content.imgtext.textMargin}px; - } - div.csc-textpic-intext-right .csc-textpic-imagewrap, - div.csc-textpic-intext-right-nowrap .csc-textpic-imagewrap { - margin-left: {$styles.content.imgtext.textMargin}px; - } - - /* Positioning of images: */ - - /* Center (above or below) */ - div.csc-textpic-center .csc-textpic-imagewrap, div.csc-textpic-center figure.csc-textpic-imagewrap { overflow: hidden; } - div.csc-textpic-center .csc-textpic-center-outer { position: relative; float: right; right: 50%; } - div.csc-textpic-center .csc-textpic-center-inner { position: relative; float: right; right: -50%; } - - /* Right (above or below) */ - div.csc-textpic-right .csc-textpic-imagewrap { float: right; } - div.csc-textpic-right div.csc-textpic-text { clear: right; } - - /* Left (above or below) */ - div.csc-textpic-left .csc-textpic-imagewrap { float: left; } - div.csc-textpic-left div.csc-textpic-text { clear: left; } - - /* Left (in text) */ - div.csc-textpic-intext-left .csc-textpic-imagewrap { float: left; } - - /* Right (in text) */ - div.csc-textpic-intext-right .csc-textpic-imagewrap { float: right; } - - /* Right (in text, no wrap around) */ - div.csc-textpic-intext-right-nowrap .csc-textpic-imagewrap { float: right; } - - /* Left (in text, no wrap around) */ - div.csc-textpic-intext-left-nowrap .csc-textpic-imagewrap { float: left; } - - div.csc-textpic div.csc-textpic-imagerow-last, div.csc-textpic div.csc-textpic-imagerow-none div.csc-textpic-last { margin-bottom: 0; } - - /* Browser fixes: */ - - /* Fix for unordered and ordered list with image "In text, left" */ - .csc-textpic-intext-left ol, .csc-textpic-intext-left ul { padding-left: 40px; overflow: auto; } - - /* File Links */ - ul.csc-uploads { padding: 0; } - ul.csc-uploads li { list-style: none outside none; margin: 1em 0; } - ul.csc-uploads img { float: left; margin-right: 1em; vertical-align: top; } - ul.csc-uploads span { display: block; } - ul.csc-uploads span.csc-uploads-fileName { text-decoration: underline; } - - /* Table background colors: */ - - table.contenttable-color-1 { background-color: {$styles.content.table.backgroundColor.1}; } - table.contenttable-color-2 { background-color: {$styles.content.table.backgroundColor.2}; } - table.contenttable-color-240 { background-color: {$styles.content.table.backgroundColor.240}; } - table.contenttable-color-241 { background-color: {$styles.content.table.backgroundColor.241}; } - table.contenttable-color-242 { background-color: {$styles.content.table.backgroundColor.242}; } - table.contenttable-color-243 { background-color: {$styles.content.table.backgroundColor.243}; } - table.contenttable-color-244 { background-color: {$styles.content.table.backgroundColor.244}; } \ No newline at end of file diff --git a/kspneo/static/fonts/rlp-icons.woff b/kspneo/static/fonts/rlp-icons.woff deleted file mode 100644 index fa13e15a..00000000 Binary files a/kspneo/static/fonts/rlp-icons.woff and /dev/null differ diff --git a/kspneo/static/js/jquery-3.5.1.min.js b/kspneo/static/js/jquery-3.5.1.min.js deleted file mode 100644 index d467083b..00000000 --- a/kspneo/static/js/jquery-3.5.1.min.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! jQuery v3.5.1 | (c) JS Foundation and other contributors | jquery.org/license */ -!function(e,t){"use strict";"object"==typeof module&&"object"==typeof module.exports?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return t(e)}:t(e)}("undefined"!=typeof window?window:this,function(C,e){"use strict";var t=[],r=Object.getPrototypeOf,s=t.slice,g=t.flat?function(e){return t.flat.call(e)}:function(e){return t.concat.apply([],e)},u=t.push,i=t.indexOf,n={},o=n.toString,v=n.hasOwnProperty,a=v.toString,l=a.call(Object),y={},m=function(e){return"function"==typeof e&&"number"!=typeof e.nodeType},x=function(e){return null!=e&&e===e.window},E=C.document,c={type:!0,src:!0,nonce:!0,noModule:!0};function b(e,t,n){var r,i,o=(n=n||E).createElement("script");if(o.text=e,t)for(r in c)(i=t[r]||t.getAttribute&&t.getAttribute(r))&&o.setAttribute(r,i);n.head.appendChild(o).parentNode.removeChild(o)}function w(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?n[o.call(e)]||"object":typeof e}var f="3.5.1",S=function(e,t){return new S.fn.init(e,t)};function p(e){var t=!!e&&"length"in e&&e.length,n=w(e);return!m(e)&&!x(e)&&("array"===n||0===t||"number"==typeof t&&0+~]|"+M+")"+M+"*"),U=new RegExp(M+"|>"),X=new RegExp(F),V=new RegExp("^"+I+"$"),G={ID:new RegExp("^#("+I+")"),CLASS:new RegExp("^\\.("+I+")"),TAG:new RegExp("^("+I+"|[*])"),ATTR:new RegExp("^"+W),PSEUDO:new RegExp("^"+F),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+R+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/HTML$/i,Q=/^(?:input|select|textarea|button)$/i,J=/^h\d$/i,K=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ee=/[+~]/,te=new RegExp("\\\\[\\da-fA-F]{1,6}"+M+"?|\\\\([^\\r\\n\\f])","g"),ne=function(e,t){var n="0x"+e.slice(1)-65536;return t||(n<0?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320))},re=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ie=function(e,t){return t?"\0"===e?"\ufffd":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e},oe=function(){T()},ae=be(function(e){return!0===e.disabled&&"fieldset"===e.nodeName.toLowerCase()},{dir:"parentNode",next:"legend"});try{H.apply(t=O.call(p.childNodes),p.childNodes),t[p.childNodes.length].nodeType}catch(e){H={apply:t.length?function(e,t){L.apply(e,O.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function se(t,e,n,r){var i,o,a,s,u,l,c,f=e&&e.ownerDocument,p=e?e.nodeType:9;if(n=n||[],"string"!=typeof t||!t||1!==p&&9!==p&&11!==p)return n;if(!r&&(T(e),e=e||C,E)){if(11!==p&&(u=Z.exec(t)))if(i=u[1]){if(9===p){if(!(a=e.getElementById(i)))return n;if(a.id===i)return n.push(a),n}else if(f&&(a=f.getElementById(i))&&y(e,a)&&a.id===i)return n.push(a),n}else{if(u[2])return H.apply(n,e.getElementsByTagName(t)),n;if((i=u[3])&&d.getElementsByClassName&&e.getElementsByClassName)return H.apply(n,e.getElementsByClassName(i)),n}if(d.qsa&&!N[t+" "]&&(!v||!v.test(t))&&(1!==p||"object"!==e.nodeName.toLowerCase())){if(c=t,f=e,1===p&&(U.test(t)||z.test(t))){(f=ee.test(t)&&ye(e.parentNode)||e)===e&&d.scope||((s=e.getAttribute("id"))?s=s.replace(re,ie):e.setAttribute("id",s=S)),o=(l=h(t)).length;while(o--)l[o]=(s?"#"+s:":scope")+" "+xe(l[o]);c=l.join(",")}try{return H.apply(n,f.querySelectorAll(c)),n}catch(e){N(t,!0)}finally{s===S&&e.removeAttribute("id")}}}return g(t.replace($,"$1"),e,n,r)}function ue(){var r=[];return function e(t,n){return r.push(t+" ")>b.cacheLength&&delete e[r.shift()],e[t+" "]=n}}function le(e){return e[S]=!0,e}function ce(e){var t=C.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function fe(e,t){var n=e.split("|"),r=n.length;while(r--)b.attrHandle[n[r]]=t}function pe(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function de(t){return function(e){return"input"===e.nodeName.toLowerCase()&&e.type===t}}function he(n){return function(e){var t=e.nodeName.toLowerCase();return("input"===t||"button"===t)&&e.type===n}}function ge(t){return function(e){return"form"in e?e.parentNode&&!1===e.disabled?"label"in e?"label"in e.parentNode?e.parentNode.disabled===t:e.disabled===t:e.isDisabled===t||e.isDisabled!==!t&&ae(e)===t:e.disabled===t:"label"in e&&e.disabled===t}}function ve(a){return le(function(o){return o=+o,le(function(e,t){var n,r=a([],e.length,o),i=r.length;while(i--)e[n=r[i]]&&(e[n]=!(t[n]=e[n]))})})}function ye(e){return e&&"undefined"!=typeof e.getElementsByTagName&&e}for(e in d=se.support={},i=se.isXML=function(e){var t=e.namespaceURI,n=(e.ownerDocument||e).documentElement;return!Y.test(t||n&&n.nodeName||"HTML")},T=se.setDocument=function(e){var t,n,r=e?e.ownerDocument||e:p;return r!=C&&9===r.nodeType&&r.documentElement&&(a=(C=r).documentElement,E=!i(C),p!=C&&(n=C.defaultView)&&n.top!==n&&(n.addEventListener?n.addEventListener("unload",oe,!1):n.attachEvent&&n.attachEvent("onunload",oe)),d.scope=ce(function(e){return a.appendChild(e).appendChild(C.createElement("div")),"undefined"!=typeof e.querySelectorAll&&!e.querySelectorAll(":scope fieldset div").length}),d.attributes=ce(function(e){return e.className="i",!e.getAttribute("className")}),d.getElementsByTagName=ce(function(e){return e.appendChild(C.createComment("")),!e.getElementsByTagName("*").length}),d.getElementsByClassName=K.test(C.getElementsByClassName),d.getById=ce(function(e){return a.appendChild(e).id=S,!C.getElementsByName||!C.getElementsByName(S).length}),d.getById?(b.filter.ID=function(e){var t=e.replace(te,ne);return function(e){return e.getAttribute("id")===t}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n=t.getElementById(e);return n?[n]:[]}}):(b.filter.ID=function(e){var n=e.replace(te,ne);return function(e){var t="undefined"!=typeof e.getAttributeNode&&e.getAttributeNode("id");return t&&t.value===n}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];i=t.getElementsByName(e),r=0;while(o=i[r++])if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),b.find.TAG=d.getElementsByTagName?function(e,t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):d.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},b.find.CLASS=d.getElementsByClassName&&function(e,t){if("undefined"!=typeof t.getElementsByClassName&&E)return t.getElementsByClassName(e)},s=[],v=[],(d.qsa=K.test(C.querySelectorAll))&&(ce(function(e){var t;a.appendChild(e).innerHTML="",e.querySelectorAll("[msallowcapture^='']").length&&v.push("[*^$]="+M+"*(?:''|\"\")"),e.querySelectorAll("[selected]").length||v.push("\\["+M+"*(?:value|"+R+")"),e.querySelectorAll("[id~="+S+"-]").length||v.push("~="),(t=C.createElement("input")).setAttribute("name",""),e.appendChild(t),e.querySelectorAll("[name='']").length||v.push("\\["+M+"*name"+M+"*="+M+"*(?:''|\"\")"),e.querySelectorAll(":checked").length||v.push(":checked"),e.querySelectorAll("a#"+S+"+*").length||v.push(".#.+[+~]"),e.querySelectorAll("\\\f"),v.push("[\\r\\n\\f]")}),ce(function(e){e.innerHTML="";var t=C.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),e.querySelectorAll("[name=d]").length&&v.push("name"+M+"*[*^$|!~]?="),2!==e.querySelectorAll(":enabled").length&&v.push(":enabled",":disabled"),a.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&v.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),v.push(",.*:")})),(d.matchesSelector=K.test(c=a.matches||a.webkitMatchesSelector||a.mozMatchesSelector||a.oMatchesSelector||a.msMatchesSelector))&&ce(function(e){d.disconnectedMatch=c.call(e,"*"),c.call(e,"[s!='']:x"),s.push("!=",F)}),v=v.length&&new RegExp(v.join("|")),s=s.length&&new RegExp(s.join("|")),t=K.test(a.compareDocumentPosition),y=t||K.test(a.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},D=t?function(e,t){if(e===t)return l=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n||(1&(n=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!d.sortDetached&&t.compareDocumentPosition(e)===n?e==C||e.ownerDocument==p&&y(p,e)?-1:t==C||t.ownerDocument==p&&y(p,t)?1:u?P(u,e)-P(u,t):0:4&n?-1:1)}:function(e,t){if(e===t)return l=!0,0;var n,r=0,i=e.parentNode,o=t.parentNode,a=[e],s=[t];if(!i||!o)return e==C?-1:t==C?1:i?-1:o?1:u?P(u,e)-P(u,t):0;if(i===o)return pe(e,t);n=e;while(n=n.parentNode)a.unshift(n);n=t;while(n=n.parentNode)s.unshift(n);while(a[r]===s[r])r++;return r?pe(a[r],s[r]):a[r]==p?-1:s[r]==p?1:0}),C},se.matches=function(e,t){return se(e,null,null,t)},se.matchesSelector=function(e,t){if(T(e),d.matchesSelector&&E&&!N[t+" "]&&(!s||!s.test(t))&&(!v||!v.test(t)))try{var n=c.call(e,t);if(n||d.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(e){N(t,!0)}return 0":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(te,ne),e[3]=(e[3]||e[4]||e[5]||"").replace(te,ne),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||se.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&se.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return G.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&X.test(n)&&(t=h(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(te,ne).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=m[e+" "];return t||(t=new RegExp("(^|"+M+")"+e+"("+M+"|$)"))&&m(e,function(e){return t.test("string"==typeof e.className&&e.className||"undefined"!=typeof e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(n,r,i){return function(e){var t=se.attr(e,n);return null==t?"!="===r:!r||(t+="","="===r?t===i:"!="===r?t!==i:"^="===r?i&&0===t.indexOf(i):"*="===r?i&&-1:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function D(e,n,r){return m(n)?S.grep(e,function(e,t){return!!n.call(e,t,e)!==r}):n.nodeType?S.grep(e,function(e){return e===n!==r}):"string"!=typeof n?S.grep(e,function(e){return-1)[^>]*|#([\w-]+))$/;(S.fn.init=function(e,t,n){var r,i;if(!e)return this;if(n=n||j,"string"==typeof e){if(!(r="<"===e[0]&&">"===e[e.length-1]&&3<=e.length?[null,e,null]:q.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof S?t[0]:t,S.merge(this,S.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:E,!0)),N.test(r[1])&&S.isPlainObject(t))for(r in t)m(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(i=E.getElementById(r[2]))&&(this[0]=i,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):m(e)?void 0!==n.ready?n.ready(e):e(S):S.makeArray(e,this)}).prototype=S.fn,j=S(E);var L=/^(?:parents|prev(?:Until|All))/,H={children:!0,contents:!0,next:!0,prev:!0};function O(e,t){while((e=e[t])&&1!==e.nodeType);return e}S.fn.extend({has:function(e){var t=S(e,this),n=t.length;return this.filter(function(){for(var e=0;e\x20\t\r\n\f]*)/i,he=/^$|^module$|\/(?:java|ecma)script/i;ce=E.createDocumentFragment().appendChild(E.createElement("div")),(fe=E.createElement("input")).setAttribute("type","radio"),fe.setAttribute("checked","checked"),fe.setAttribute("name","t"),ce.appendChild(fe),y.checkClone=ce.cloneNode(!0).cloneNode(!0).lastChild.checked,ce.innerHTML="",y.noCloneChecked=!!ce.cloneNode(!0).lastChild.defaultValue,ce.innerHTML="",y.option=!!ce.lastChild;var ge={thead:[1,"","
"],col:[2,"","
"],tr:[2,"","
"],td:[3,"","
"],_default:[0,"",""]};function ve(e,t){var n;return n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t||"*"):"undefined"!=typeof e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&A(e,t)?S.merge([e],n):n}function ye(e,t){for(var n=0,r=e.length;n",""]);var me=/<|&#?\w+;/;function xe(e,t,n,r,i){for(var o,a,s,u,l,c,f=t.createDocumentFragment(),p=[],d=0,h=e.length;d\s*$/g;function qe(e,t){return A(e,"table")&&A(11!==t.nodeType?t:t.firstChild,"tr")&&S(e).children("tbody")[0]||e}function Le(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function He(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Oe(e,t){var n,r,i,o,a,s;if(1===t.nodeType){if(Y.hasData(e)&&(s=Y.get(e).events))for(i in Y.remove(t,"handle events"),s)for(n=0,r=s[i].length;n").attr(n.scriptAttrs||{}).prop({charset:n.scriptCharset,src:n.url}).on("load error",i=function(e){r.remove(),i=null,e&&t("error"===e.type?404:200,e.type)}),E.head.appendChild(r[0])},abort:function(){i&&i()}}});var Ut,Xt=[],Vt=/(=)\?(?=&|$)|\?\?/;S.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Xt.pop()||S.expando+"_"+Ct.guid++;return this[e]=!0,e}}),S.ajaxPrefilter("json jsonp",function(e,t,n){var r,i,o,a=!1!==e.jsonp&&(Vt.test(e.url)?"url":"string"==typeof e.data&&0===(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&Vt.test(e.data)&&"data");if(a||"jsonp"===e.dataTypes[0])return r=e.jsonpCallback=m(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,a?e[a]=e[a].replace(Vt,"$1"+r):!1!==e.jsonp&&(e.url+=(Et.test(e.url)?"&":"?")+e.jsonp+"="+r),e.converters["script json"]=function(){return o||S.error(r+" was not called"),o[0]},e.dataTypes[0]="json",i=C[r],C[r]=function(){o=arguments},n.always(function(){void 0===i?S(C).removeProp(r):C[r]=i,e[r]&&(e.jsonpCallback=t.jsonpCallback,Xt.push(r)),o&&m(i)&&i(o[0]),o=i=void 0}),"script"}),y.createHTMLDocument=((Ut=E.implementation.createHTMLDocument("").body).innerHTML="
",2===Ut.childNodes.length),S.parseHTML=function(e,t,n){return"string"!=typeof e?[]:("boolean"==typeof t&&(n=t,t=!1),t||(y.createHTMLDocument?((r=(t=E.implementation.createHTMLDocument("")).createElement("base")).href=E.location.href,t.head.appendChild(r)):t=E),o=!n&&[],(i=N.exec(e))?[t.createElement(i[1])]:(i=xe([e],t,o),o&&o.length&&S(o).remove(),S.merge([],i.childNodes)));var r,i,o},S.fn.load=function(e,t,n){var r,i,o,a=this,s=e.indexOf(" ");return-1").append(S.parseHTML(e)).find(r):e)}).always(n&&function(e,t){a.each(function(){n.apply(this,o||[e.responseText,t,e])})}),this},S.expr.pseudos.animated=function(t){return S.grep(S.timers,function(e){return t===e.elem}).length},S.offset={setOffset:function(e,t,n){var r,i,o,a,s,u,l=S.css(e,"position"),c=S(e),f={};"static"===l&&(e.style.position="relative"),s=c.offset(),o=S.css(e,"top"),u=S.css(e,"left"),("absolute"===l||"fixed"===l)&&-1<(o+u).indexOf("auto")?(a=(r=c.position()).top,i=r.left):(a=parseFloat(o)||0,i=parseFloat(u)||0),m(t)&&(t=t.call(e,n,S.extend({},s))),null!=t.top&&(f.top=t.top-s.top+a),null!=t.left&&(f.left=t.left-s.left+i),"using"in t?t.using.call(e,f):("number"==typeof f.top&&(f.top+="px"),"number"==typeof f.left&&(f.left+="px"),c.css(f))}},S.fn.extend({offset:function(t){if(arguments.length)return void 0===t?this:this.each(function(e){S.offset.setOffset(this,t,e)});var e,n,r=this[0];return r?r.getClientRects().length?(e=r.getBoundingClientRect(),n=r.ownerDocument.defaultView,{top:e.top+n.pageYOffset,left:e.left+n.pageXOffset}):{top:0,left:0}:void 0},position:function(){if(this[0]){var e,t,n,r=this[0],i={top:0,left:0};if("fixed"===S.css(r,"position"))t=r.getBoundingClientRect();else{t=this.offset(),n=r.ownerDocument,e=r.offsetParent||n.documentElement;while(e&&(e===n.body||e===n.documentElement)&&"static"===S.css(e,"position"))e=e.parentNode;e&&e!==r&&1===e.nodeType&&((i=S(e).offset()).top+=S.css(e,"borderTopWidth",!0),i.left+=S.css(e,"borderLeftWidth",!0))}return{top:t.top-i.top-S.css(r,"marginTop",!0),left:t.left-i.left-S.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent;while(e&&"static"===S.css(e,"position"))e=e.offsetParent;return e||re})}}),S.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,i){var o="pageYOffset"===i;S.fn[t]=function(e){return $(this,function(e,t,n){var r;if(x(e)?r=e:9===e.nodeType&&(r=e.defaultView),void 0===n)return r?r[i]:e[t];r?r.scrollTo(o?r.pageXOffset:n,o?n:r.pageYOffset):e[t]=n},t,e,arguments.length)}}),S.each(["top","left"],function(e,n){S.cssHooks[n]=$e(y.pixelPosition,function(e,t){if(t)return t=Be(e,n),Me.test(t)?S(e).position()[n]+"px":t})}),S.each({Height:"height",Width:"width"},function(a,s){S.each({padding:"inner"+a,content:s,"":"outer"+a},function(r,o){S.fn[o]=function(e,t){var n=arguments.length&&(r||"boolean"!=typeof e),i=r||(!0===e||!0===t?"margin":"border");return $(this,function(e,t,n){var r;return x(e)?0===o.indexOf("outer")?e["inner"+a]:e.document.documentElement["client"+a]:9===e.nodeType?(r=e.documentElement,Math.max(e.body["scroll"+a],r["scroll"+a],e.body["offset"+a],r["offset"+a],r["client"+a])):void 0===n?S.css(e,t,i):S.style(e,t,n,i)},s,n?e:void 0,n)}})}),S.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){S.fn[t]=function(e){return this.on(t,e)}}),S.fn.extend({bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)},hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)}}),S.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,n){S.fn[n]=function(e,t){return 0"))}function n(e){var i="button, .ui-datepicker-prev, .ui-datepicker-next, .ui-datepicker-calendar td a";return e.on("mouseout",i,function(){t(this).removeClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).removeClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).removeClass("ui-datepicker-next-hover")}).on("mouseover",i,o)}function o(){t.datepicker._isDisabledDatepicker(m.inline?m.dpDiv.parent()[0]:m.input[0])||(t(this).parents(".ui-datepicker-calendar").find("a").removeClass("ui-state-hover"),t(this).addClass("ui-state-hover"),-1!==this.className.indexOf("ui-datepicker-prev")&&t(this).addClass("ui-datepicker-prev-hover"),-1!==this.className.indexOf("ui-datepicker-next")&&t(this).addClass("ui-datepicker-next-hover"))}function a(e,i){t.extend(e,i);for(var s in i)null==i[s]&&(e[s]=i[s]);return e}function r(t){return function(){var e=this.element.val();t.apply(this,arguments),this._refresh(),e!==this.element.val()&&this._trigger("change")}}t.ui=t.ui||{},t.ui.version="1.12.1";var h=0,l=Array.prototype.slice;t.cleanData=function(e){return function(i){var s,n,o;for(o=0;null!=(n=i[o]);o++)try{s=t._data(n,"events"),s&&s.remove&&t(n).triggerHandler("remove")}catch(a){}e(i)}}(t.cleanData),t.widget=function(e,i,s){var n,o,a,r={},h=e.split(".")[0];e=e.split(".")[1];var l=h+"-"+e;return s||(s=i,i=t.Widget),t.isArray(s)&&(s=t.extend.apply(null,[{}].concat(s))),t.expr[":"][l.toLowerCase()]=function(e){return!!t.data(e,l)},t[h]=t[h]||{},n=t[h][e],o=t[h][e]=function(t,e){return this._createWidget?(arguments.length&&this._createWidget(t,e),void 0):new o(t,e)},t.extend(o,n,{version:s.version,_proto:t.extend({},s),_childConstructors:[]}),a=new i,a.options=t.widget.extend({},a.options),t.each(s,function(e,s){return t.isFunction(s)?(r[e]=function(){function t(){return i.prototype[e].apply(this,arguments)}function n(t){return i.prototype[e].apply(this,t)}return function(){var e,i=this._super,o=this._superApply;return this._super=t,this._superApply=n,e=s.apply(this,arguments),this._super=i,this._superApply=o,e}}(),void 0):(r[e]=s,void 0)}),o.prototype=t.widget.extend(a,{widgetEventPrefix:n?a.widgetEventPrefix||e:e},r,{constructor:o,namespace:h,widgetName:e,widgetFullName:l}),n?(t.each(n._childConstructors,function(e,i){var s=i.prototype;t.widget(s.namespace+"."+s.widgetName,o,i._proto)}),delete n._childConstructors):i._childConstructors.push(o),t.widget.bridge(e,o),o},t.widget.extend=function(e){for(var i,s,n=l.call(arguments,1),o=0,a=n.length;a>o;o++)for(i in n[o])s=n[o][i],n[o].hasOwnProperty(i)&&void 0!==s&&(e[i]=t.isPlainObject(s)?t.isPlainObject(e[i])?t.widget.extend({},e[i],s):t.widget.extend({},s):s);return e},t.widget.bridge=function(e,i){var s=i.prototype.widgetFullName||e;t.fn[e]=function(n){var o="string"==typeof n,a=l.call(arguments,1),r=this;return o?this.length||"instance"!==n?this.each(function(){var i,o=t.data(this,s);return"instance"===n?(r=o,!1):o?t.isFunction(o[n])&&"_"!==n.charAt(0)?(i=o[n].apply(o,a),i!==o&&void 0!==i?(r=i&&i.jquery?r.pushStack(i.get()):i,!1):void 0):t.error("no such method '"+n+"' for "+e+" widget instance"):t.error("cannot call methods on "+e+" prior to initialization; "+"attempted to call method '"+n+"'")}):r=void 0:(a.length&&(n=t.widget.extend.apply(null,[n].concat(a))),this.each(function(){var e=t.data(this,s);e?(e.option(n||{}),e._init&&e._init()):t.data(this,s,new i(n,this))})),r}},t.Widget=function(){},t.Widget._childConstructors=[],t.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",defaultElement:"
",options:{classes:{},disabled:!1,create:null},_createWidget:function(e,i){i=t(i||this.defaultElement||this)[0],this.element=t(i),this.uuid=h++,this.eventNamespace="."+this.widgetName+this.uuid,this.bindings=t(),this.hoverable=t(),this.focusable=t(),this.classesElementLookup={},i!==this&&(t.data(i,this.widgetFullName,this),this._on(!0,this.element,{remove:function(t){t.target===i&&this.destroy()}}),this.document=t(i.style?i.ownerDocument:i.document||i),this.window=t(this.document[0].defaultView||this.document[0].parentWindow)),this.options=t.widget.extend({},this.options,this._getCreateOptions(),e),this._create(),this.options.disabled&&this._setOptionDisabled(this.options.disabled),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:function(){return{}},_getCreateEventData:t.noop,_create:t.noop,_init:t.noop,destroy:function(){var e=this;this._destroy(),t.each(this.classesElementLookup,function(t,i){e._removeClass(i,t)}),this.element.off(this.eventNamespace).removeData(this.widgetFullName),this.widget().off(this.eventNamespace).removeAttr("aria-disabled"),this.bindings.off(this.eventNamespace)},_destroy:t.noop,widget:function(){return this.element},option:function(e,i){var s,n,o,a=e;if(0===arguments.length)return t.widget.extend({},this.options);if("string"==typeof e)if(a={},s=e.split("."),e=s.shift(),s.length){for(n=a[e]=t.widget.extend({},this.options[e]),o=0;s.length-1>o;o++)n[s[o]]=n[s[o]]||{},n=n[s[o]];if(e=s.pop(),1===arguments.length)return void 0===n[e]?null:n[e];n[e]=i}else{if(1===arguments.length)return void 0===this.options[e]?null:this.options[e];a[e]=i}return this._setOptions(a),this},_setOptions:function(t){var e;for(e in t)this._setOption(e,t[e]);return this},_setOption:function(t,e){return"classes"===t&&this._setOptionClasses(e),this.options[t]=e,"disabled"===t&&this._setOptionDisabled(e),this},_setOptionClasses:function(e){var i,s,n;for(i in e)n=this.classesElementLookup[i],e[i]!==this.options.classes[i]&&n&&n.length&&(s=t(n.get()),this._removeClass(n,i),s.addClass(this._classes({element:s,keys:i,classes:e,add:!0})))},_setOptionDisabled:function(t){this._toggleClass(this.widget(),this.widgetFullName+"-disabled",null,!!t),t&&(this._removeClass(this.hoverable,null,"ui-state-hover"),this._removeClass(this.focusable,null,"ui-state-focus"))},enable:function(){return this._setOptions({disabled:!1})},disable:function(){return this._setOptions({disabled:!0})},_classes:function(e){function i(i,o){var a,r;for(r=0;i.length>r;r++)a=n.classesElementLookup[i[r]]||t(),a=e.add?t(t.unique(a.get().concat(e.element.get()))):t(a.not(e.element).get()),n.classesElementLookup[i[r]]=a,s.push(i[r]),o&&e.classes[i[r]]&&s.push(e.classes[i[r]])}var s=[],n=this;return e=t.extend({element:this.element,classes:this.options.classes||{}},e),this._on(e.element,{remove:"_untrackClassesElement"}),e.keys&&i(e.keys.match(/\S+/g)||[],!0),e.extra&&i(e.extra.match(/\S+/g)||[]),s.join(" ")},_untrackClassesElement:function(e){var i=this;t.each(i.classesElementLookup,function(s,n){-1!==t.inArray(e.target,n)&&(i.classesElementLookup[s]=t(n.not(e.target).get()))})},_removeClass:function(t,e,i){return this._toggleClass(t,e,i,!1)},_addClass:function(t,e,i){return this._toggleClass(t,e,i,!0)},_toggleClass:function(t,e,i,s){s="boolean"==typeof s?s:i;var n="string"==typeof t||null===t,o={extra:n?e:i,keys:n?t:e,element:n?this.element:t,add:s};return o.element.toggleClass(this._classes(o),s),this},_on:function(e,i,s){var n,o=this;"boolean"!=typeof e&&(s=i,i=e,e=!1),s?(i=n=t(i),this.bindings=this.bindings.add(i)):(s=i,i=this.element,n=this.widget()),t.each(s,function(s,a){function r(){return e||o.options.disabled!==!0&&!t(this).hasClass("ui-state-disabled")?("string"==typeof a?o[a]:a).apply(o,arguments):void 0}"string"!=typeof a&&(r.guid=a.guid=a.guid||r.guid||t.guid++);var h=s.match(/^([\w:-]*)\s*(.*)$/),l=h[1]+o.eventNamespace,c=h[2];c?n.on(l,c,r):i.on(l,r)})},_off:function(e,i){i=(i||"").split(" ").join(this.eventNamespace+" ")+this.eventNamespace,e.off(i).off(i),this.bindings=t(this.bindings.not(e).get()),this.focusable=t(this.focusable.not(e).get()),this.hoverable=t(this.hoverable.not(e).get())},_delay:function(t,e){function i(){return("string"==typeof t?s[t]:t).apply(s,arguments)}var s=this;return setTimeout(i,e||0)},_hoverable:function(e){this.hoverable=this.hoverable.add(e),this._on(e,{mouseenter:function(e){this._addClass(t(e.currentTarget),null,"ui-state-hover")},mouseleave:function(e){this._removeClass(t(e.currentTarget),null,"ui-state-hover")}})},_focusable:function(e){this.focusable=this.focusable.add(e),this._on(e,{focusin:function(e){this._addClass(t(e.currentTarget),null,"ui-state-focus")},focusout:function(e){this._removeClass(t(e.currentTarget),null,"ui-state-focus")}})},_trigger:function(e,i,s){var n,o,a=this.options[e];if(s=s||{},i=t.Event(i),i.type=(e===this.widgetEventPrefix?e:this.widgetEventPrefix+e).toLowerCase(),i.target=this.element[0],o=i.originalEvent)for(n in o)n in i||(i[n]=o[n]);return this.element.trigger(i,s),!(t.isFunction(a)&&a.apply(this.element[0],[i].concat(s))===!1||i.isDefaultPrevented())}},t.each({show:"fadeIn",hide:"fadeOut"},function(e,i){t.Widget.prototype["_"+e]=function(s,n,o){"string"==typeof n&&(n={effect:n});var a,r=n?n===!0||"number"==typeof n?i:n.effect||i:e;n=n||{},"number"==typeof n&&(n={duration:n}),a=!t.isEmptyObject(n),n.complete=o,n.delay&&s.delay(n.delay),a&&t.effects&&t.effects.effect[r]?s[e](n):r!==e&&s[r]?s[r](n.duration,n.easing,o):s.queue(function(i){t(this)[e](),o&&o.call(s[0]),i()})}}),t.widget,function(){function e(t,e,i){return[parseFloat(t[0])*(u.test(t[0])?e/100:1),parseFloat(t[1])*(u.test(t[1])?i/100:1)]}function i(e,i){return parseInt(t.css(e,i),10)||0}function s(e){var i=e[0];return 9===i.nodeType?{width:e.width(),height:e.height(),offset:{top:0,left:0}}:t.isWindow(i)?{width:e.width(),height:e.height(),offset:{top:e.scrollTop(),left:e.scrollLeft()}}:i.preventDefault?{width:0,height:0,offset:{top:i.pageY,left:i.pageX}}:{width:e.outerWidth(),height:e.outerHeight(),offset:e.offset()}}var n,o=Math.max,a=Math.abs,r=/left|center|right/,h=/top|center|bottom/,l=/[\+\-]\d+(\.[\d]+)?%?/,c=/^\w+/,u=/%$/,d=t.fn.position;t.position={scrollbarWidth:function(){if(void 0!==n)return n;var e,i,s=t("
"),o=s.children()[0];return t("body").append(s),e=o.offsetWidth,s.css("overflow","scroll"),i=o.offsetWidth,e===i&&(i=s[0].clientWidth),s.remove(),n=e-i},getScrollInfo:function(e){var i=e.isWindow||e.isDocument?"":e.element.css("overflow-x"),s=e.isWindow||e.isDocument?"":e.element.css("overflow-y"),n="scroll"===i||"auto"===i&&e.widthi?"left":e>0?"right":"center",vertical:0>r?"top":s>0?"bottom":"middle"};l>p&&p>a(e+i)&&(u.horizontal="center"),c>f&&f>a(s+r)&&(u.vertical="middle"),u.important=o(a(e),a(i))>o(a(s),a(r))?"horizontal":"vertical",n.using.call(this,t,u)}),h.offset(t.extend(D,{using:r}))})},t.ui.position={fit:{left:function(t,e){var i,s=e.within,n=s.isWindow?s.scrollLeft:s.offset.left,a=s.width,r=t.left-e.collisionPosition.marginLeft,h=n-r,l=r+e.collisionWidth-a-n;e.collisionWidth>a?h>0&&0>=l?(i=t.left+h+e.collisionWidth-a-n,t.left+=h-i):t.left=l>0&&0>=h?n:h>l?n+a-e.collisionWidth:n:h>0?t.left+=h:l>0?t.left-=l:t.left=o(t.left-r,t.left)},top:function(t,e){var i,s=e.within,n=s.isWindow?s.scrollTop:s.offset.top,a=e.within.height,r=t.top-e.collisionPosition.marginTop,h=n-r,l=r+e.collisionHeight-a-n;e.collisionHeight>a?h>0&&0>=l?(i=t.top+h+e.collisionHeight-a-n,t.top+=h-i):t.top=l>0&&0>=h?n:h>l?n+a-e.collisionHeight:n:h>0?t.top+=h:l>0?t.top-=l:t.top=o(t.top-r,t.top)}},flip:{left:function(t,e){var i,s,n=e.within,o=n.offset.left+n.scrollLeft,r=n.width,h=n.isWindow?n.scrollLeft:n.offset.left,l=t.left-e.collisionPosition.marginLeft,c=l-h,u=l+e.collisionWidth-r-h,d="left"===e.my[0]?-e.elemWidth:"right"===e.my[0]?e.elemWidth:0,p="left"===e.at[0]?e.targetWidth:"right"===e.at[0]?-e.targetWidth:0,f=-2*e.offset[0];0>c?(i=t.left+d+p+f+e.collisionWidth-r-o,(0>i||a(c)>i)&&(t.left+=d+p+f)):u>0&&(s=t.left-e.collisionPosition.marginLeft+d+p+f-h,(s>0||u>a(s))&&(t.left+=d+p+f))},top:function(t,e){var i,s,n=e.within,o=n.offset.top+n.scrollTop,r=n.height,h=n.isWindow?n.scrollTop:n.offset.top,l=t.top-e.collisionPosition.marginTop,c=l-h,u=l+e.collisionHeight-r-h,d="top"===e.my[1],p=d?-e.elemHeight:"bottom"===e.my[1]?e.elemHeight:0,f="top"===e.at[1]?e.targetHeight:"bottom"===e.at[1]?-e.targetHeight:0,g=-2*e.offset[1];0>c?(s=t.top+p+f+g+e.collisionHeight-r-o,(0>s||a(c)>s)&&(t.top+=p+f+g)):u>0&&(i=t.top-e.collisionPosition.marginTop+p+f+g-h,(i>0||u>a(i))&&(t.top+=p+f+g))}},flipfit:{left:function(){t.ui.position.flip.left.apply(this,arguments),t.ui.position.fit.left.apply(this,arguments)},top:function(){t.ui.position.flip.top.apply(this,arguments),t.ui.position.fit.top.apply(this,arguments)}}}}(),t.ui.position,t.extend(t.expr[":"],{data:t.expr.createPseudo?t.expr.createPseudo(function(e){return function(i){return!!t.data(i,e)}}):function(e,i,s){return!!t.data(e,s[3])}}),t.fn.extend({disableSelection:function(){var t="onselectstart"in document.createElement("div")?"selectstart":"mousedown";return function(){return this.on(t+".ui-disableSelection",function(t){t.preventDefault()})}}(),enableSelection:function(){return this.off(".ui-disableSelection")}});var c="ui-effects-",u="ui-effects-style",d="ui-effects-animated",p=t;t.effects={effect:{}},function(t,e){function i(t,e,i){var s=u[e.type]||{};return null==t?i||!e.def?null:e.def:(t=s.floor?~~t:parseFloat(t),isNaN(t)?e.def:s.mod?(t+s.mod)%s.mod:0>t?0:t>s.max?s.max:t)}function s(i){var s=l(),n=s._rgba=[];return i=i.toLowerCase(),f(h,function(t,o){var a,r=o.re.exec(i),h=r&&o.parse(r),l=o.space||"rgba";return h?(a=s[l](h),s[c[l].cache]=a[c[l].cache],n=s._rgba=a._rgba,!1):e}),n.length?("0,0,0,0"===n.join()&&t.extend(n,o.transparent),s):o[i]}function n(t,e,i){return i=(i+1)%1,1>6*i?t+6*(e-t)*i:1>2*i?e:2>3*i?t+6*(e-t)*(2/3-i):t}var o,a="backgroundColor borderBottomColor borderLeftColor borderRightColor borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor",r=/^([\-+])=\s*(\d+\.?\d*)/,h=[{re:/rgba?\(\s*(\d{1,3})\s*,\s*(\d{1,3})\s*,\s*(\d{1,3})\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,parse:function(t){return[t[1],t[2],t[3],t[4]]}},{re:/rgba?\(\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,parse:function(t){return[2.55*t[1],2.55*t[2],2.55*t[3],t[4]]}},{re:/#([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})/,parse:function(t){return[parseInt(t[1],16),parseInt(t[2],16),parseInt(t[3],16)]}},{re:/#([a-f0-9])([a-f0-9])([a-f0-9])/,parse:function(t){return[parseInt(t[1]+t[1],16),parseInt(t[2]+t[2],16),parseInt(t[3]+t[3],16)]}},{re:/hsla?\(\s*(\d+(?:\.\d+)?)\s*,\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,space:"hsla",parse:function(t){return[t[1],t[2]/100,t[3]/100,t[4]]}}],l=t.Color=function(e,i,s,n){return new t.Color.fn.parse(e,i,s,n)},c={rgba:{props:{red:{idx:0,type:"byte"},green:{idx:1,type:"byte"},blue:{idx:2,type:"byte"}}},hsla:{props:{hue:{idx:0,type:"degrees"},saturation:{idx:1,type:"percent"},lightness:{idx:2,type:"percent"}}}},u={"byte":{floor:!0,max:255},percent:{max:1},degrees:{mod:360,floor:!0}},d=l.support={},p=t("

")[0],f=t.each;p.style.cssText="background-color:rgba(1,1,1,.5)",d.rgba=p.style.backgroundColor.indexOf("rgba")>-1,f(c,function(t,e){e.cache="_"+t,e.props.alpha={idx:3,type:"percent",def:1}}),l.fn=t.extend(l.prototype,{parse:function(n,a,r,h){if(n===e)return this._rgba=[null,null,null,null],this;(n.jquery||n.nodeType)&&(n=t(n).css(a),a=e);var u=this,d=t.type(n),p=this._rgba=[];return a!==e&&(n=[n,a,r,h],d="array"),"string"===d?this.parse(s(n)||o._default):"array"===d?(f(c.rgba.props,function(t,e){p[e.idx]=i(n[e.idx],e)}),this):"object"===d?(n instanceof l?f(c,function(t,e){n[e.cache]&&(u[e.cache]=n[e.cache].slice())}):f(c,function(e,s){var o=s.cache;f(s.props,function(t,e){if(!u[o]&&s.to){if("alpha"===t||null==n[t])return;u[o]=s.to(u._rgba)}u[o][e.idx]=i(n[t],e,!0)}),u[o]&&0>t.inArray(null,u[o].slice(0,3))&&(u[o][3]=1,s.from&&(u._rgba=s.from(u[o])))}),this):e},is:function(t){var i=l(t),s=!0,n=this;return f(c,function(t,o){var a,r=i[o.cache];return r&&(a=n[o.cache]||o.to&&o.to(n._rgba)||[],f(o.props,function(t,i){return null!=r[i.idx]?s=r[i.idx]===a[i.idx]:e})),s}),s},_space:function(){var t=[],e=this;return f(c,function(i,s){e[s.cache]&&t.push(i)}),t.pop()},transition:function(t,e){var s=l(t),n=s._space(),o=c[n],a=0===this.alpha()?l("transparent"):this,r=a[o.cache]||o.to(a._rgba),h=r.slice();return s=s[o.cache],f(o.props,function(t,n){var o=n.idx,a=r[o],l=s[o],c=u[n.type]||{};null!==l&&(null===a?h[o]=l:(c.mod&&(l-a>c.mod/2?a+=c.mod:a-l>c.mod/2&&(a-=c.mod)),h[o]=i((l-a)*e+a,n)))}),this[n](h)},blend:function(e){if(1===this._rgba[3])return this;var i=this._rgba.slice(),s=i.pop(),n=l(e)._rgba;return l(t.map(i,function(t,e){return(1-s)*n[e]+s*t}))},toRgbaString:function(){var e="rgba(",i=t.map(this._rgba,function(t,e){return null==t?e>2?1:0:t});return 1===i[3]&&(i.pop(),e="rgb("),e+i.join()+")"},toHslaString:function(){var e="hsla(",i=t.map(this.hsla(),function(t,e){return null==t&&(t=e>2?1:0),e&&3>e&&(t=Math.round(100*t)+"%"),t});return 1===i[3]&&(i.pop(),e="hsl("),e+i.join()+")"},toHexString:function(e){var i=this._rgba.slice(),s=i.pop();return e&&i.push(~~(255*s)),"#"+t.map(i,function(t){return t=(t||0).toString(16),1===t.length?"0"+t:t}).join("")},toString:function(){return 0===this._rgba[3]?"transparent":this.toRgbaString()}}),l.fn.parse.prototype=l.fn,c.hsla.to=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e,i,s=t[0]/255,n=t[1]/255,o=t[2]/255,a=t[3],r=Math.max(s,n,o),h=Math.min(s,n,o),l=r-h,c=r+h,u=.5*c;return e=h===r?0:s===r?60*(n-o)/l+360:n===r?60*(o-s)/l+120:60*(s-n)/l+240,i=0===l?0:.5>=u?l/c:l/(2-c),[Math.round(e)%360,i,u,null==a?1:a]},c.hsla.from=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e=t[0]/360,i=t[1],s=t[2],o=t[3],a=.5>=s?s*(1+i):s+i-s*i,r=2*s-a;return[Math.round(255*n(r,a,e+1/3)),Math.round(255*n(r,a,e)),Math.round(255*n(r,a,e-1/3)),o]},f(c,function(s,n){var o=n.props,a=n.cache,h=n.to,c=n.from;l.fn[s]=function(s){if(h&&!this[a]&&(this[a]=h(this._rgba)),s===e)return this[a].slice();var n,r=t.type(s),u="array"===r||"object"===r?s:arguments,d=this[a].slice();return f(o,function(t,e){var s=u["object"===r?t:e.idx];null==s&&(s=d[e.idx]),d[e.idx]=i(s,e)}),c?(n=l(c(d)),n[a]=d,n):l(d)},f(o,function(e,i){l.fn[e]||(l.fn[e]=function(n){var o,a=t.type(n),h="alpha"===e?this._hsla?"hsla":"rgba":s,l=this[h](),c=l[i.idx];return"undefined"===a?c:("function"===a&&(n=n.call(this,c),a=t.type(n)),null==n&&i.empty?this:("string"===a&&(o=r.exec(n),o&&(n=c+parseFloat(o[2])*("+"===o[1]?1:-1))),l[i.idx]=n,this[h](l)))})})}),l.hook=function(e){var i=e.split(" ");f(i,function(e,i){t.cssHooks[i]={set:function(e,n){var o,a,r="";if("transparent"!==n&&("string"!==t.type(n)||(o=s(n)))){if(n=l(o||n),!d.rgba&&1!==n._rgba[3]){for(a="backgroundColor"===i?e.parentNode:e;(""===r||"transparent"===r)&&a&&a.style;)try{r=t.css(a,"backgroundColor"),a=a.parentNode}catch(h){}n=n.blend(r&&"transparent"!==r?r:"_default")}n=n.toRgbaString()}try{e.style[i]=n}catch(h){}}},t.fx.step[i]=function(e){e.colorInit||(e.start=l(e.elem,i),e.end=l(e.end),e.colorInit=!0),t.cssHooks[i].set(e.elem,e.start.transition(e.end,e.pos))}})},l.hook(a),t.cssHooks.borderColor={expand:function(t){var e={};return f(["Top","Right","Bottom","Left"],function(i,s){e["border"+s+"Color"]=t}),e}},o=t.Color.names={aqua:"#00ffff",black:"#000000",blue:"#0000ff",fuchsia:"#ff00ff",gray:"#808080",green:"#008000",lime:"#00ff00",maroon:"#800000",navy:"#000080",olive:"#808000",purple:"#800080",red:"#ff0000",silver:"#c0c0c0",teal:"#008080",white:"#ffffff",yellow:"#ffff00",transparent:[null,null,null,0],_default:"#ffffff"}}(p),function(){function e(e){var i,s,n=e.ownerDocument.defaultView?e.ownerDocument.defaultView.getComputedStyle(e,null):e.currentStyle,o={};if(n&&n.length&&n[0]&&n[n[0]])for(s=n.length;s--;)i=n[s],"string"==typeof n[i]&&(o[t.camelCase(i)]=n[i]);else for(i in n)"string"==typeof n[i]&&(o[i]=n[i]);return o}function i(e,i){var s,o,a={};for(s in i)o=i[s],e[s]!==o&&(n[s]||(t.fx.step[s]||!isNaN(parseFloat(o)))&&(a[s]=o));return a}var s=["add","remove","toggle"],n={border:1,borderBottom:1,borderColor:1,borderLeft:1,borderRight:1,borderTop:1,borderWidth:1,margin:1,padding:1};t.each(["borderLeftStyle","borderRightStyle","borderBottomStyle","borderTopStyle"],function(e,i){t.fx.step[i]=function(t){("none"!==t.end&&!t.setAttr||1===t.pos&&!t.setAttr)&&(p.style(t.elem,i,t.end),t.setAttr=!0)}}),t.fn.addBack||(t.fn.addBack=function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}),t.effects.animateClass=function(n,o,a,r){var h=t.speed(o,a,r);return this.queue(function(){var o,a=t(this),r=a.attr("class")||"",l=h.children?a.find("*").addBack():a;l=l.map(function(){var i=t(this);return{el:i,start:e(this)}}),o=function(){t.each(s,function(t,e){n[e]&&a[e+"Class"](n[e])})},o(),l=l.map(function(){return this.end=e(this.el[0]),this.diff=i(this.start,this.end),this}),a.attr("class",r),l=l.map(function(){var e=this,i=t.Deferred(),s=t.extend({},h,{queue:!1,complete:function(){i.resolve(e)}});return this.el.animate(this.diff,s),i.promise()}),t.when.apply(t,l.get()).done(function(){o(),t.each(arguments,function(){var e=this.el;t.each(this.diff,function(t){e.css(t,"")})}),h.complete.call(a[0])})})},t.fn.extend({addClass:function(e){return function(i,s,n,o){return s?t.effects.animateClass.call(this,{add:i},s,n,o):e.apply(this,arguments)}}(t.fn.addClass),removeClass:function(e){return function(i,s,n,o){return arguments.length>1?t.effects.animateClass.call(this,{remove:i},s,n,o):e.apply(this,arguments)}}(t.fn.removeClass),toggleClass:function(e){return function(i,s,n,o,a){return"boolean"==typeof s||void 0===s?n?t.effects.animateClass.call(this,s?{add:i}:{remove:i},n,o,a):e.apply(this,arguments):t.effects.animateClass.call(this,{toggle:i},s,n,o)}}(t.fn.toggleClass),switchClass:function(e,i,s,n,o){return t.effects.animateClass.call(this,{add:i,remove:e},s,n,o)}})}(),function(){function e(e,i,s,n){return t.isPlainObject(e)&&(i=e,e=e.effect),e={effect:e},null==i&&(i={}),t.isFunction(i)&&(n=i,s=null,i={}),("number"==typeof i||t.fx.speeds[i])&&(n=s,s=i,i={}),t.isFunction(s)&&(n=s,s=null),i&&t.extend(e,i),s=s||i.duration,e.duration=t.fx.off?0:"number"==typeof s?s:s in t.fx.speeds?t.fx.speeds[s]:t.fx.speeds._default,e.complete=n||i.complete,e}function i(e){return!e||"number"==typeof e||t.fx.speeds[e]?!0:"string"!=typeof e||t.effects.effect[e]?t.isFunction(e)?!0:"object"!=typeof e||e.effect?!1:!0:!0}function s(t,e){var i=e.outerWidth(),s=e.outerHeight(),n=/^rect\((-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto)\)$/,o=n.exec(t)||["",0,i,s,0];return{top:parseFloat(o[1])||0,right:"auto"===o[2]?i:parseFloat(o[2]),bottom:"auto"===o[3]?s:parseFloat(o[3]),left:parseFloat(o[4])||0}}t.expr&&t.expr.filters&&t.expr.filters.animated&&(t.expr.filters.animated=function(e){return function(i){return!!t(i).data(d)||e(i)}}(t.expr.filters.animated)),t.uiBackCompat!==!1&&t.extend(t.effects,{save:function(t,e){for(var i=0,s=e.length;s>i;i++)null!==e[i]&&t.data(c+e[i],t[0].style[e[i]])},restore:function(t,e){for(var i,s=0,n=e.length;n>s;s++)null!==e[s]&&(i=t.data(c+e[s]),t.css(e[s],i))},setMode:function(t,e){return"toggle"===e&&(e=t.is(":hidden")?"show":"hide"),e},createWrapper:function(e){if(e.parent().is(".ui-effects-wrapper"))return e.parent();var i={width:e.outerWidth(!0),height:e.outerHeight(!0),"float":e.css("float")},s=t("

").addClass("ui-effects-wrapper").css({fontSize:"100%",background:"transparent",border:"none",margin:0,padding:0}),n={width:e.width(),height:e.height()},o=document.activeElement;try{o.id}catch(a){o=document.body}return e.wrap(s),(e[0]===o||t.contains(e[0],o))&&t(o).trigger("focus"),s=e.parent(),"static"===e.css("position")?(s.css({position:"relative"}),e.css({position:"relative"})):(t.extend(i,{position:e.css("position"),zIndex:e.css("z-index")}),t.each(["top","left","bottom","right"],function(t,s){i[s]=e.css(s),isNaN(parseInt(i[s],10))&&(i[s]="auto")}),e.css({position:"relative",top:0,left:0,right:"auto",bottom:"auto"})),e.css(n),s.css(i).show()},removeWrapper:function(e){var i=document.activeElement;return e.parent().is(".ui-effects-wrapper")&&(e.parent().replaceWith(e),(e[0]===i||t.contains(e[0],i))&&t(i).trigger("focus")),e}}),t.extend(t.effects,{version:"1.12.1",define:function(e,i,s){return s||(s=i,i="effect"),t.effects.effect[e]=s,t.effects.effect[e].mode=i,s},scaledDimensions:function(t,e,i){if(0===e)return{height:0,width:0,outerHeight:0,outerWidth:0};var s="horizontal"!==i?(e||100)/100:1,n="vertical"!==i?(e||100)/100:1;return{height:t.height()*n,width:t.width()*s,outerHeight:t.outerHeight()*n,outerWidth:t.outerWidth()*s}},clipToBox:function(t){return{width:t.clip.right-t.clip.left,height:t.clip.bottom-t.clip.top,left:t.clip.left,top:t.clip.top}},unshift:function(t,e,i){var s=t.queue();e>1&&s.splice.apply(s,[1,0].concat(s.splice(e,i))),t.dequeue()},saveStyle:function(t){t.data(u,t[0].style.cssText)},restoreStyle:function(t){t[0].style.cssText=t.data(u)||"",t.removeData(u)},mode:function(t,e){var i=t.is(":hidden");return"toggle"===e&&(e=i?"show":"hide"),(i?"hide"===e:"show"===e)&&(e="none"),e},getBaseline:function(t,e){var i,s;switch(t[0]){case"top":i=0;break;case"middle":i=.5;break;case"bottom":i=1;break;default:i=t[0]/e.height}switch(t[1]){case"left":s=0;break;case"center":s=.5;break;case"right":s=1;break;default:s=t[1]/e.width}return{x:s,y:i}},createPlaceholder:function(e){var i,s=e.css("position"),n=e.position();return e.css({marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()),/^(static|relative)/.test(s)&&(s="absolute",i=t("<"+e[0].nodeName+">").insertAfter(e).css({display:/^(inline|ruby)/.test(e.css("display"))?"inline-block":"block",visibility:"hidden",marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight"),"float":e.css("float")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).addClass("ui-effects-placeholder"),e.data(c+"placeholder",i)),e.css({position:s,left:n.left,top:n.top}),i},removePlaceholder:function(t){var e=c+"placeholder",i=t.data(e);i&&(i.remove(),t.removeData(e))},cleanUp:function(e){t.effects.restoreStyle(e),t.effects.removePlaceholder(e)},setTransition:function(e,i,s,n){return n=n||{},t.each(i,function(t,i){var o=e.cssUnit(i);o[0]>0&&(n[i]=o[0]*s+o[1])}),n}}),t.fn.extend({effect:function(){function i(e){function i(){r.removeData(d),t.effects.cleanUp(r),"hide"===s.mode&&r.hide(),a()}function a(){t.isFunction(h)&&h.call(r[0]),t.isFunction(e)&&e()}var r=t(this);s.mode=c.shift(),t.uiBackCompat===!1||o?"none"===s.mode?(r[l](),a()):n.call(r[0],s,i):(r.is(":hidden")?"hide"===l:"show"===l)?(r[l](),a()):n.call(r[0],s,a)}var s=e.apply(this,arguments),n=t.effects.effect[s.effect],o=n.mode,a=s.queue,r=a||"fx",h=s.complete,l=s.mode,c=[],u=function(e){var i=t(this),s=t.effects.mode(i,l)||o;i.data(d,!0),c.push(s),o&&("show"===s||s===o&&"hide"===s)&&i.show(),o&&"none"===s||t.effects.saveStyle(i),t.isFunction(e)&&e()};return t.fx.off||!n?l?this[l](s.duration,h):this.each(function(){h&&h.call(this)}):a===!1?this.each(u).each(i):this.queue(r,u).queue(r,i)},show:function(t){return function(s){if(i(s))return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="show",this.effect.call(this,n) -}}(t.fn.show),hide:function(t){return function(s){if(i(s))return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="hide",this.effect.call(this,n)}}(t.fn.hide),toggle:function(t){return function(s){if(i(s)||"boolean"==typeof s)return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="toggle",this.effect.call(this,n)}}(t.fn.toggle),cssUnit:function(e){var i=this.css(e),s=[];return t.each(["em","px","%","pt"],function(t,e){i.indexOf(e)>0&&(s=[parseFloat(i),e])}),s},cssClip:function(t){return t?this.css("clip","rect("+t.top+"px "+t.right+"px "+t.bottom+"px "+t.left+"px)"):s(this.css("clip"),this)},transfer:function(e,i){var s=t(this),n=t(e.to),o="fixed"===n.css("position"),a=t("body"),r=o?a.scrollTop():0,h=o?a.scrollLeft():0,l=n.offset(),c={top:l.top-r,left:l.left-h,height:n.innerHeight(),width:n.innerWidth()},u=s.offset(),d=t("
").appendTo("body").addClass(e.className).css({top:u.top-r,left:u.left-h,height:s.innerHeight(),width:s.innerWidth(),position:o?"fixed":"absolute"}).animate(c,e.duration,e.easing,function(){d.remove(),t.isFunction(i)&&i()})}}),t.fx.step.clip=function(e){e.clipInit||(e.start=t(e.elem).cssClip(),"string"==typeof e.end&&(e.end=s(e.end,e.elem)),e.clipInit=!0),t(e.elem).cssClip({top:e.pos*(e.end.top-e.start.top)+e.start.top,right:e.pos*(e.end.right-e.start.right)+e.start.right,bottom:e.pos*(e.end.bottom-e.start.bottom)+e.start.bottom,left:e.pos*(e.end.left-e.start.left)+e.start.left})}}(),function(){var e={};t.each(["Quad","Cubic","Quart","Quint","Expo"],function(t,i){e[i]=function(e){return Math.pow(e,t+2)}}),t.extend(e,{Sine:function(t){return 1-Math.cos(t*Math.PI/2)},Circ:function(t){return 1-Math.sqrt(1-t*t)},Elastic:function(t){return 0===t||1===t?t:-Math.pow(2,8*(t-1))*Math.sin((80*(t-1)-7.5)*Math.PI/15)},Back:function(t){return t*t*(3*t-2)},Bounce:function(t){for(var e,i=4;((e=Math.pow(2,--i))-1)/11>t;);return 1/Math.pow(4,3-i)-7.5625*Math.pow((3*e-2)/22-t,2)}}),t.each(e,function(e,i){t.easing["easeIn"+e]=i,t.easing["easeOut"+e]=function(t){return 1-i(1-t)},t.easing["easeInOut"+e]=function(t){return.5>t?i(2*t)/2:1-i(-2*t+2)/2}})}();var f=t.effects;t.effects.define("blind","hide",function(e,i){var s={up:["bottom","top"],vertical:["bottom","top"],down:["top","bottom"],left:["right","left"],horizontal:["right","left"],right:["left","right"]},n=t(this),o=e.direction||"up",a=n.cssClip(),r={clip:t.extend({},a)},h=t.effects.createPlaceholder(n);r.clip[s[o][0]]=r.clip[s[o][1]],"show"===e.mode&&(n.cssClip(r.clip),h&&h.css(t.effects.clipToBox(r)),r.clip=a),h&&h.animate(t.effects.clipToBox(r),e.duration,e.easing),n.animate(r,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("bounce",function(e,i){var s,n,o,a=t(this),r=e.mode,h="hide"===r,l="show"===r,c=e.direction||"up",u=e.distance,d=e.times||5,p=2*d+(l||h?1:0),f=e.duration/p,g=e.easing,m="up"===c||"down"===c?"top":"left",_="up"===c||"left"===c,v=0,b=a.queue().length;for(t.effects.createPlaceholder(a),o=a.css(m),u||(u=a["top"===m?"outerHeight":"outerWidth"]()/3),l&&(n={opacity:1},n[m]=o,a.css("opacity",0).css(m,_?2*-u:2*u).animate(n,f,g)),h&&(u/=Math.pow(2,d-1)),n={},n[m]=o;d>v;v++)s={},s[m]=(_?"-=":"+=")+u,a.animate(s,f,g).animate(n,f,g),u=h?2*u:u/2;h&&(s={opacity:0},s[m]=(_?"-=":"+=")+u,a.animate(s,f,g)),a.queue(i),t.effects.unshift(a,b,p+1)}),t.effects.define("clip","hide",function(e,i){var s,n={},o=t(this),a=e.direction||"vertical",r="both"===a,h=r||"horizontal"===a,l=r||"vertical"===a;s=o.cssClip(),n.clip={top:l?(s.bottom-s.top)/2:s.top,right:h?(s.right-s.left)/2:s.right,bottom:l?(s.bottom-s.top)/2:s.bottom,left:h?(s.right-s.left)/2:s.left},t.effects.createPlaceholder(o),"show"===e.mode&&(o.cssClip(n.clip),n.clip=s),o.animate(n,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("drop","hide",function(e,i){var s,n=t(this),o=e.mode,a="show"===o,r=e.direction||"left",h="up"===r||"down"===r?"top":"left",l="up"===r||"left"===r?"-=":"+=",c="+="===l?"-=":"+=",u={opacity:0};t.effects.createPlaceholder(n),s=e.distance||n["top"===h?"outerHeight":"outerWidth"](!0)/2,u[h]=l+s,a&&(n.css(u),u[h]=c+s,u.opacity=1),n.animate(u,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("explode","hide",function(e,i){function s(){b.push(this),b.length===u*d&&n()}function n(){p.css({visibility:"visible"}),t(b).remove(),i()}var o,a,r,h,l,c,u=e.pieces?Math.round(Math.sqrt(e.pieces)):3,d=u,p=t(this),f=e.mode,g="show"===f,m=p.show().css("visibility","hidden").offset(),_=Math.ceil(p.outerWidth()/d),v=Math.ceil(p.outerHeight()/u),b=[];for(o=0;u>o;o++)for(h=m.top+o*v,c=o-(u-1)/2,a=0;d>a;a++)r=m.left+a*_,l=a-(d-1)/2,p.clone().appendTo("body").wrap("
").css({position:"absolute",visibility:"visible",left:-a*_,top:-o*v}).parent().addClass("ui-effects-explode").css({position:"absolute",overflow:"hidden",width:_,height:v,left:r+(g?l*_:0),top:h+(g?c*v:0),opacity:g?0:1}).animate({left:r+(g?0:l*_),top:h+(g?0:c*v),opacity:g?1:0},e.duration||500,e.easing,s)}),t.effects.define("fade","toggle",function(e,i){var s="show"===e.mode;t(this).css("opacity",s?0:1).animate({opacity:s?1:0},{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("fold","hide",function(e,i){var s=t(this),n=e.mode,o="show"===n,a="hide"===n,r=e.size||15,h=/([0-9]+)%/.exec(r),l=!!e.horizFirst,c=l?["right","bottom"]:["bottom","right"],u=e.duration/2,d=t.effects.createPlaceholder(s),p=s.cssClip(),f={clip:t.extend({},p)},g={clip:t.extend({},p)},m=[p[c[0]],p[c[1]]],_=s.queue().length;h&&(r=parseInt(h[1],10)/100*m[a?0:1]),f.clip[c[0]]=r,g.clip[c[0]]=r,g.clip[c[1]]=0,o&&(s.cssClip(g.clip),d&&d.css(t.effects.clipToBox(g)),g.clip=p),s.queue(function(i){d&&d.animate(t.effects.clipToBox(f),u,e.easing).animate(t.effects.clipToBox(g),u,e.easing),i()}).animate(f,u,e.easing).animate(g,u,e.easing).queue(i),t.effects.unshift(s,_,4)}),t.effects.define("highlight","show",function(e,i){var s=t(this),n={backgroundColor:s.css("backgroundColor")};"hide"===e.mode&&(n.opacity=0),t.effects.saveStyle(s),s.css({backgroundImage:"none",backgroundColor:e.color||"#ffff99"}).animate(n,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("size",function(e,i){var s,n,o,a=t(this),r=["fontSize"],h=["borderTopWidth","borderBottomWidth","paddingTop","paddingBottom"],l=["borderLeftWidth","borderRightWidth","paddingLeft","paddingRight"],c=e.mode,u="effect"!==c,d=e.scale||"both",p=e.origin||["middle","center"],f=a.css("position"),g=a.position(),m=t.effects.scaledDimensions(a),_=e.from||m,v=e.to||t.effects.scaledDimensions(a,0);t.effects.createPlaceholder(a),"show"===c&&(o=_,_=v,v=o),n={from:{y:_.height/m.height,x:_.width/m.width},to:{y:v.height/m.height,x:v.width/m.width}},("box"===d||"both"===d)&&(n.from.y!==n.to.y&&(_=t.effects.setTransition(a,h,n.from.y,_),v=t.effects.setTransition(a,h,n.to.y,v)),n.from.x!==n.to.x&&(_=t.effects.setTransition(a,l,n.from.x,_),v=t.effects.setTransition(a,l,n.to.x,v))),("content"===d||"both"===d)&&n.from.y!==n.to.y&&(_=t.effects.setTransition(a,r,n.from.y,_),v=t.effects.setTransition(a,r,n.to.y,v)),p&&(s=t.effects.getBaseline(p,m),_.top=(m.outerHeight-_.outerHeight)*s.y+g.top,_.left=(m.outerWidth-_.outerWidth)*s.x+g.left,v.top=(m.outerHeight-v.outerHeight)*s.y+g.top,v.left=(m.outerWidth-v.outerWidth)*s.x+g.left),a.css(_),("content"===d||"both"===d)&&(h=h.concat(["marginTop","marginBottom"]).concat(r),l=l.concat(["marginLeft","marginRight"]),a.find("*[width]").each(function(){var i=t(this),s=t.effects.scaledDimensions(i),o={height:s.height*n.from.y,width:s.width*n.from.x,outerHeight:s.outerHeight*n.from.y,outerWidth:s.outerWidth*n.from.x},a={height:s.height*n.to.y,width:s.width*n.to.x,outerHeight:s.height*n.to.y,outerWidth:s.width*n.to.x};n.from.y!==n.to.y&&(o=t.effects.setTransition(i,h,n.from.y,o),a=t.effects.setTransition(i,h,n.to.y,a)),n.from.x!==n.to.x&&(o=t.effects.setTransition(i,l,n.from.x,o),a=t.effects.setTransition(i,l,n.to.x,a)),u&&t.effects.saveStyle(i),i.css(o),i.animate(a,e.duration,e.easing,function(){u&&t.effects.restoreStyle(i)})})),a.animate(v,{queue:!1,duration:e.duration,easing:e.easing,complete:function(){var e=a.offset();0===v.opacity&&a.css("opacity",_.opacity),u||(a.css("position","static"===f?"relative":f).offset(e),t.effects.saveStyle(a)),i()}})}),t.effects.define("scale",function(e,i){var s=t(this),n=e.mode,o=parseInt(e.percent,10)||(0===parseInt(e.percent,10)?0:"effect"!==n?0:100),a=t.extend(!0,{from:t.effects.scaledDimensions(s),to:t.effects.scaledDimensions(s,o,e.direction||"both"),origin:e.origin||["middle","center"]},e);e.fade&&(a.from.opacity=1,a.to.opacity=0),t.effects.effect.size.call(this,a,i)}),t.effects.define("puff","hide",function(e,i){var s=t.extend(!0,{},e,{fade:!0,percent:parseInt(e.percent,10)||150});t.effects.effect.scale.call(this,s,i)}),t.effects.define("pulsate","show",function(e,i){var s=t(this),n=e.mode,o="show"===n,a="hide"===n,r=o||a,h=2*(e.times||5)+(r?1:0),l=e.duration/h,c=0,u=1,d=s.queue().length;for((o||!s.is(":visible"))&&(s.css("opacity",0).show(),c=1);h>u;u++)s.animate({opacity:c},l,e.easing),c=1-c;s.animate({opacity:c},l,e.easing),s.queue(i),t.effects.unshift(s,d,h+1)}),t.effects.define("shake",function(e,i){var s=1,n=t(this),o=e.direction||"left",a=e.distance||20,r=e.times||3,h=2*r+1,l=Math.round(e.duration/h),c="up"===o||"down"===o?"top":"left",u="up"===o||"left"===o,d={},p={},f={},g=n.queue().length;for(t.effects.createPlaceholder(n),d[c]=(u?"-=":"+=")+a,p[c]=(u?"+=":"-=")+2*a,f[c]=(u?"-=":"+=")+2*a,n.animate(d,l,e.easing);r>s;s++)n.animate(p,l,e.easing).animate(f,l,e.easing);n.animate(p,l,e.easing).animate(d,l/2,e.easing).queue(i),t.effects.unshift(n,g,h+1)}),t.effects.define("slide","show",function(e,i){var s,n,o=t(this),a={up:["bottom","top"],down:["top","bottom"],left:["right","left"],right:["left","right"]},r=e.mode,h=e.direction||"left",l="up"===h||"down"===h?"top":"left",c="up"===h||"left"===h,u=e.distance||o["top"===l?"outerHeight":"outerWidth"](!0),d={};t.effects.createPlaceholder(o),s=o.cssClip(),n=o.position()[l],d[l]=(c?-1:1)*u+n,d.clip=o.cssClip(),d.clip[a[h][1]]=d.clip[a[h][0]],"show"===r&&(o.cssClip(d.clip),o.css(l,d[l]),d.clip=s,d[l]=n),o.animate(d,{queue:!1,duration:e.duration,easing:e.easing,complete:i})});var f;t.uiBackCompat!==!1&&(f=t.effects.define("transfer",function(e,i){t(this).transfer(e,i)})),t.ui.focusable=function(i,s){var n,o,a,r,h,l=i.nodeName.toLowerCase();return"area"===l?(n=i.parentNode,o=n.name,i.href&&o&&"map"===n.nodeName.toLowerCase()?(a=t("img[usemap='#"+o+"']"),a.length>0&&a.is(":visible")):!1):(/^(input|select|textarea|button|object)$/.test(l)?(r=!i.disabled,r&&(h=t(i).closest("fieldset")[0],h&&(r=!h.disabled))):r="a"===l?i.href||s:s,r&&t(i).is(":visible")&&e(t(i)))},t.extend(t.expr[":"],{focusable:function(e){return t.ui.focusable(e,null!=t.attr(e,"tabindex"))}}),t.ui.focusable,t.fn.form=function(){return"string"==typeof this[0].form?this.closest("form"):t(this[0].form)},t.ui.formResetMixin={_formResetHandler:function(){var e=t(this);setTimeout(function(){var i=e.data("ui-form-reset-instances");t.each(i,function(){this.refresh()})})},_bindFormResetHandler:function(){if(this.form=this.element.form(),this.form.length){var t=this.form.data("ui-form-reset-instances")||[];t.length||this.form.on("reset.ui-form-reset",this._formResetHandler),t.push(this),this.form.data("ui-form-reset-instances",t)}},_unbindFormResetHandler:function(){if(this.form.length){var e=this.form.data("ui-form-reset-instances");e.splice(t.inArray(this,e),1),e.length?this.form.data("ui-form-reset-instances",e):this.form.removeData("ui-form-reset-instances").off("reset.ui-form-reset")}}},"1.7"===t.fn.jquery.substring(0,3)&&(t.each(["Width","Height"],function(e,i){function s(e,i,s,o){return t.each(n,function(){i-=parseFloat(t.css(e,"padding"+this))||0,s&&(i-=parseFloat(t.css(e,"border"+this+"Width"))||0),o&&(i-=parseFloat(t.css(e,"margin"+this))||0)}),i}var n="Width"===i?["Left","Right"]:["Top","Bottom"],o=i.toLowerCase(),a={innerWidth:t.fn.innerWidth,innerHeight:t.fn.innerHeight,outerWidth:t.fn.outerWidth,outerHeight:t.fn.outerHeight};t.fn["inner"+i]=function(e){return void 0===e?a["inner"+i].call(this):this.each(function(){t(this).css(o,s(this,e)+"px")})},t.fn["outer"+i]=function(e,n){return"number"!=typeof e?a["outer"+i].call(this,e):this.each(function(){t(this).css(o,s(this,e,!0,n)+"px")})}}),t.fn.addBack=function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}),t.ui.keyCode={BACKSPACE:8,COMMA:188,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,LEFT:37,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SPACE:32,TAB:9,UP:38},t.ui.escapeSelector=function(){var t=/([!"#$%&'()*+,.\/:;<=>?@[\]^`{|}~])/g;return function(e){return e.replace(t,"\\$1")}}(),t.fn.labels=function(){var e,i,s,n,o;return this[0].labels&&this[0].labels.length?this.pushStack(this[0].labels):(n=this.eq(0).parents("label"),s=this.attr("id"),s&&(e=this.eq(0).parents().last(),o=e.add(e.length?e.siblings():this.siblings()),i="label[for='"+t.ui.escapeSelector(s)+"']",n=n.add(o.find(i).addBack(i))),this.pushStack(n))},t.fn.scrollParent=function(e){var i=this.css("position"),s="absolute"===i,n=e?/(auto|scroll|hidden)/:/(auto|scroll)/,o=this.parents().filter(function(){var e=t(this);return s&&"static"===e.css("position")?!1:n.test(e.css("overflow")+e.css("overflow-y")+e.css("overflow-x"))}).eq(0);return"fixed"!==i&&o.length?o:t(this[0].ownerDocument||document)},t.extend(t.expr[":"],{tabbable:function(e){var i=t.attr(e,"tabindex"),s=null!=i;return(!s||i>=0)&&t.ui.focusable(e,s)}}),t.fn.extend({uniqueId:function(){var t=0;return function(){return this.each(function(){this.id||(this.id="ui-id-"+ ++t)})}}(),removeUniqueId:function(){return this.each(function(){/^ui-id-\d+$/.test(this.id)&&t(this).removeAttr("id")})}}),t.widget("ui.accordion",{version:"1.12.1",options:{active:0,animate:{},classes:{"ui-accordion-header":"ui-corner-top","ui-accordion-header-collapsed":"ui-corner-all","ui-accordion-content":"ui-corner-bottom"},collapsible:!1,event:"click",header:"> li > :first-child, > :not(li):even",heightStyle:"auto",icons:{activeHeader:"ui-icon-triangle-1-s",header:"ui-icon-triangle-1-e"},activate:null,beforeActivate:null},hideProps:{borderTopWidth:"hide",borderBottomWidth:"hide",paddingTop:"hide",paddingBottom:"hide",height:"hide"},showProps:{borderTopWidth:"show",borderBottomWidth:"show",paddingTop:"show",paddingBottom:"show",height:"show"},_create:function(){var e=this.options;this.prevShow=this.prevHide=t(),this._addClass("ui-accordion","ui-widget ui-helper-reset"),this.element.attr("role","tablist"),e.collapsible||e.active!==!1&&null!=e.active||(e.active=0),this._processPanels(),0>e.active&&(e.active+=this.headers.length),this._refresh()},_getCreateEventData:function(){return{header:this.active,panel:this.active.length?this.active.next():t()}},_createIcons:function(){var e,i,s=this.options.icons;s&&(e=t(""),this._addClass(e,"ui-accordion-header-icon","ui-icon "+s.header),e.prependTo(this.headers),i=this.active.children(".ui-accordion-header-icon"),this._removeClass(i,s.header)._addClass(i,null,s.activeHeader)._addClass(this.headers,"ui-accordion-icons"))},_destroyIcons:function(){this._removeClass(this.headers,"ui-accordion-icons"),this.headers.children(".ui-accordion-header-icon").remove()},_destroy:function(){var t;this.element.removeAttr("role"),this.headers.removeAttr("role aria-expanded aria-selected aria-controls tabIndex").removeUniqueId(),this._destroyIcons(),t=this.headers.next().css("display","").removeAttr("role aria-hidden aria-labelledby").removeUniqueId(),"content"!==this.options.heightStyle&&t.css("height","")},_setOption:function(t,e){return"active"===t?(this._activate(e),void 0):("event"===t&&(this.options.event&&this._off(this.headers,this.options.event),this._setupEvents(e)),this._super(t,e),"collapsible"!==t||e||this.options.active!==!1||this._activate(0),"icons"===t&&(this._destroyIcons(),e&&this._createIcons()),void 0)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t),this._toggleClass(this.headers.add(this.headers.next()),null,"ui-state-disabled",!!t)},_keydown:function(e){if(!e.altKey&&!e.ctrlKey){var i=t.ui.keyCode,s=this.headers.length,n=this.headers.index(e.target),o=!1;switch(e.keyCode){case i.RIGHT:case i.DOWN:o=this.headers[(n+1)%s];break;case i.LEFT:case i.UP:o=this.headers[(n-1+s)%s];break;case i.SPACE:case i.ENTER:this._eventHandler(e);break;case i.HOME:o=this.headers[0];break;case i.END:o=this.headers[s-1]}o&&(t(e.target).attr("tabIndex",-1),t(o).attr("tabIndex",0),t(o).trigger("focus"),e.preventDefault())}},_panelKeyDown:function(e){e.keyCode===t.ui.keyCode.UP&&e.ctrlKey&&t(e.currentTarget).prev().trigger("focus")},refresh:function(){var e=this.options;this._processPanels(),e.active===!1&&e.collapsible===!0||!this.headers.length?(e.active=!1,this.active=t()):e.active===!1?this._activate(0):this.active.length&&!t.contains(this.element[0],this.active[0])?this.headers.length===this.headers.find(".ui-state-disabled").length?(e.active=!1,this.active=t()):this._activate(Math.max(0,e.active-1)):e.active=this.headers.index(this.active),this._destroyIcons(),this._refresh()},_processPanels:function(){var t=this.headers,e=this.panels;this.headers=this.element.find(this.options.header),this._addClass(this.headers,"ui-accordion-header ui-accordion-header-collapsed","ui-state-default"),this.panels=this.headers.next().filter(":not(.ui-accordion-content-active)").hide(),this._addClass(this.panels,"ui-accordion-content","ui-helper-reset ui-widget-content"),e&&(this._off(t.not(this.headers)),this._off(e.not(this.panels)))},_refresh:function(){var e,i=this.options,s=i.heightStyle,n=this.element.parent();this.active=this._findActive(i.active),this._addClass(this.active,"ui-accordion-header-active","ui-state-active")._removeClass(this.active,"ui-accordion-header-collapsed"),this._addClass(this.active.next(),"ui-accordion-content-active"),this.active.next().show(),this.headers.attr("role","tab").each(function(){var e=t(this),i=e.uniqueId().attr("id"),s=e.next(),n=s.uniqueId().attr("id");e.attr("aria-controls",n),s.attr("aria-labelledby",i)}).next().attr("role","tabpanel"),this.headers.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}).next().attr({"aria-hidden":"true"}).hide(),this.active.length?this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}).next().attr({"aria-hidden":"false"}):this.headers.eq(0).attr("tabIndex",0),this._createIcons(),this._setupEvents(i.event),"fill"===s?(e=n.height(),this.element.siblings(":visible").each(function(){var i=t(this),s=i.css("position");"absolute"!==s&&"fixed"!==s&&(e-=i.outerHeight(!0))}),this.headers.each(function(){e-=t(this).outerHeight(!0)}),this.headers.next().each(function(){t(this).height(Math.max(0,e-t(this).innerHeight()+t(this).height()))}).css("overflow","auto")):"auto"===s&&(e=0,this.headers.next().each(function(){var i=t(this).is(":visible");i||t(this).show(),e=Math.max(e,t(this).css("height","").height()),i||t(this).hide()}).height(e))},_activate:function(e){var i=this._findActive(e)[0];i!==this.active[0]&&(i=i||this.active[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return"number"==typeof e?this.headers.eq(e):t()},_setupEvents:function(e){var i={keydown:"_keydown"};e&&t.each(e.split(" "),function(t,e){i[e]="_eventHandler"}),this._off(this.headers.add(this.headers.next())),this._on(this.headers,i),this._on(this.headers.next(),{keydown:"_panelKeyDown"}),this._hoverable(this.headers),this._focusable(this.headers)},_eventHandler:function(e){var i,s,n=this.options,o=this.active,a=t(e.currentTarget),r=a[0]===o[0],h=r&&n.collapsible,l=h?t():a.next(),c=o.next(),u={oldHeader:o,oldPanel:c,newHeader:h?t():a,newPanel:l};e.preventDefault(),r&&!n.collapsible||this._trigger("beforeActivate",e,u)===!1||(n.active=h?!1:this.headers.index(a),this.active=r?t():a,this._toggle(u),this._removeClass(o,"ui-accordion-header-active","ui-state-active"),n.icons&&(i=o.children(".ui-accordion-header-icon"),this._removeClass(i,null,n.icons.activeHeader)._addClass(i,null,n.icons.header)),r||(this._removeClass(a,"ui-accordion-header-collapsed")._addClass(a,"ui-accordion-header-active","ui-state-active"),n.icons&&(s=a.children(".ui-accordion-header-icon"),this._removeClass(s,null,n.icons.header)._addClass(s,null,n.icons.activeHeader)),this._addClass(a.next(),"ui-accordion-content-active")))},_toggle:function(e){var i=e.newPanel,s=this.prevShow.length?this.prevShow:e.oldPanel;this.prevShow.add(this.prevHide).stop(!0,!0),this.prevShow=i,this.prevHide=s,this.options.animate?this._animate(i,s,e):(s.hide(),i.show(),this._toggleComplete(e)),s.attr({"aria-hidden":"true"}),s.prev().attr({"aria-selected":"false","aria-expanded":"false"}),i.length&&s.length?s.prev().attr({tabIndex:-1,"aria-expanded":"false"}):i.length&&this.headers.filter(function(){return 0===parseInt(t(this).attr("tabIndex"),10)}).attr("tabIndex",-1),i.attr("aria-hidden","false").prev().attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_animate:function(t,e,i){var s,n,o,a=this,r=0,h=t.css("box-sizing"),l=t.length&&(!e.length||t.index()",delay:300,options:{icons:{submenu:"ui-icon-caret-1-e"},items:"> *",menus:"ul",position:{my:"left top",at:"right top"},role:"menu",blur:null,focus:null,select:null},_create:function(){this.activeMenu=this.element,this.mouseHandled=!1,this.element.uniqueId().attr({role:this.options.role,tabIndex:0}),this._addClass("ui-menu","ui-widget ui-widget-content"),this._on({"mousedown .ui-menu-item":function(t){t.preventDefault()},"click .ui-menu-item":function(e){var i=t(e.target),s=t(t.ui.safeActiveElement(this.document[0]));!this.mouseHandled&&i.not(".ui-state-disabled").length&&(this.select(e),e.isPropagationStopped()||(this.mouseHandled=!0),i.has(".ui-menu").length?this.expand(e):!this.element.is(":focus")&&s.closest(".ui-menu").length&&(this.element.trigger("focus",[!0]),this.active&&1===this.active.parents(".ui-menu").length&&clearTimeout(this.timer)))},"mouseenter .ui-menu-item":function(e){if(!this.previousFilter){var i=t(e.target).closest(".ui-menu-item"),s=t(e.currentTarget);i[0]===s[0]&&(this._removeClass(s.siblings().children(".ui-state-active"),null,"ui-state-active"),this.focus(e,s))}},mouseleave:"collapseAll","mouseleave .ui-menu":"collapseAll",focus:function(t,e){var i=this.active||this.element.find(this.options.items).eq(0);e||this.focus(t,i)},blur:function(e){this._delay(function(){var i=!t.contains(this.element[0],t.ui.safeActiveElement(this.document[0]));i&&this.collapseAll(e)})},keydown:"_keydown"}),this.refresh(),this._on(this.document,{click:function(t){this._closeOnDocumentClick(t)&&this.collapseAll(t),this.mouseHandled=!1}})},_destroy:function(){var e=this.element.find(".ui-menu-item").removeAttr("role aria-disabled"),i=e.children(".ui-menu-item-wrapper").removeUniqueId().removeAttr("tabIndex role aria-haspopup");this.element.removeAttr("aria-activedescendant").find(".ui-menu").addBack().removeAttr("role aria-labelledby aria-expanded aria-hidden aria-disabled tabIndex").removeUniqueId().show(),i.children().each(function(){var e=t(this);e.data("ui-menu-submenu-caret")&&e.remove()})},_keydown:function(e){var i,s,n,o,a=!0;switch(e.keyCode){case t.ui.keyCode.PAGE_UP:this.previousPage(e);break;case t.ui.keyCode.PAGE_DOWN:this.nextPage(e);break;case t.ui.keyCode.HOME:this._move("first","first",e);break;case t.ui.keyCode.END:this._move("last","last",e);break;case t.ui.keyCode.UP:this.previous(e);break;case t.ui.keyCode.DOWN:this.next(e);break;case t.ui.keyCode.LEFT:this.collapse(e);break;case t.ui.keyCode.RIGHT:this.active&&!this.active.is(".ui-state-disabled")&&this.expand(e);break;case t.ui.keyCode.ENTER:case t.ui.keyCode.SPACE:this._activate(e);break;case t.ui.keyCode.ESCAPE:this.collapse(e);break;default:a=!1,s=this.previousFilter||"",o=!1,n=e.keyCode>=96&&105>=e.keyCode?""+(e.keyCode-96):String.fromCharCode(e.keyCode),clearTimeout(this.filterTimer),n===s?o=!0:n=s+n,i=this._filterMenuItems(n),i=o&&-1!==i.index(this.active.next())?this.active.nextAll(".ui-menu-item"):i,i.length||(n=String.fromCharCode(e.keyCode),i=this._filterMenuItems(n)),i.length?(this.focus(e,i),this.previousFilter=n,this.filterTimer=this._delay(function(){delete this.previousFilter},1e3)):delete this.previousFilter}a&&e.preventDefault()},_activate:function(t){this.active&&!this.active.is(".ui-state-disabled")&&(this.active.children("[aria-haspopup='true']").length?this.expand(t):this.select(t))},refresh:function(){var e,i,s,n,o,a=this,r=this.options.icons.submenu,h=this.element.find(this.options.menus);this._toggleClass("ui-menu-icons",null,!!this.element.find(".ui-icon").length),s=h.filter(":not(.ui-menu)").hide().attr({role:this.options.role,"aria-hidden":"true","aria-expanded":"false"}).each(function(){var e=t(this),i=e.prev(),s=t("").data("ui-menu-submenu-caret",!0);a._addClass(s,"ui-menu-icon","ui-icon "+r),i.attr("aria-haspopup","true").prepend(s),e.attr("aria-labelledby",i.attr("id"))}),this._addClass(s,"ui-menu","ui-widget ui-widget-content ui-front"),e=h.add(this.element),i=e.find(this.options.items),i.not(".ui-menu-item").each(function(){var e=t(this);a._isDivider(e)&&a._addClass(e,"ui-menu-divider","ui-widget-content")}),n=i.not(".ui-menu-item, .ui-menu-divider"),o=n.children().not(".ui-menu").uniqueId().attr({tabIndex:-1,role:this._itemRole()}),this._addClass(n,"ui-menu-item")._addClass(o,"ui-menu-item-wrapper"),i.filter(".ui-state-disabled").attr("aria-disabled","true"),this.active&&!t.contains(this.element[0],this.active[0])&&this.blur()},_itemRole:function(){return{menu:"menuitem",listbox:"option"}[this.options.role]},_setOption:function(t,e){if("icons"===t){var i=this.element.find(".ui-menu-icon");this._removeClass(i,null,this.options.icons.submenu)._addClass(i,null,e.submenu)}this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t+""),this._toggleClass(null,"ui-state-disabled",!!t)},focus:function(t,e){var i,s,n;this.blur(t,t&&"focus"===t.type),this._scrollIntoView(e),this.active=e.first(),s=this.active.children(".ui-menu-item-wrapper"),this._addClass(s,null,"ui-state-active"),this.options.role&&this.element.attr("aria-activedescendant",s.attr("id")),n=this.active.parent().closest(".ui-menu-item").children(".ui-menu-item-wrapper"),this._addClass(n,null,"ui-state-active"),t&&"keydown"===t.type?this._close():this.timer=this._delay(function(){this._close()},this.delay),i=e.children(".ui-menu"),i.length&&t&&/^mouse/.test(t.type)&&this._startOpening(i),this.activeMenu=e.parent(),this._trigger("focus",t,{item:e})},_scrollIntoView:function(e){var i,s,n,o,a,r;this._hasScroll()&&(i=parseFloat(t.css(this.activeMenu[0],"borderTopWidth"))||0,s=parseFloat(t.css(this.activeMenu[0],"paddingTop"))||0,n=e.offset().top-this.activeMenu.offset().top-i-s,o=this.activeMenu.scrollTop(),a=this.activeMenu.height(),r=e.outerHeight(),0>n?this.activeMenu.scrollTop(o+n):n+r>a&&this.activeMenu.scrollTop(o+n-a+r))},blur:function(t,e){e||clearTimeout(this.timer),this.active&&(this._removeClass(this.active.children(".ui-menu-item-wrapper"),null,"ui-state-active"),this._trigger("blur",t,{item:this.active}),this.active=null)},_startOpening:function(t){clearTimeout(this.timer),"true"===t.attr("aria-hidden")&&(this.timer=this._delay(function(){this._close(),this._open(t)},this.delay))},_open:function(e){var i=t.extend({of:this.active},this.options.position);clearTimeout(this.timer),this.element.find(".ui-menu").not(e.parents(".ui-menu")).hide().attr("aria-hidden","true"),e.show().removeAttr("aria-hidden").attr("aria-expanded","true").position(i)},collapseAll:function(e,i){clearTimeout(this.timer),this.timer=this._delay(function(){var s=i?this.element:t(e&&e.target).closest(this.element.find(".ui-menu"));s.length||(s=this.element),this._close(s),this.blur(e),this._removeClass(s.find(".ui-state-active"),null,"ui-state-active"),this.activeMenu=s},this.delay)},_close:function(t){t||(t=this.active?this.active.parent():this.element),t.find(".ui-menu").hide().attr("aria-hidden","true").attr("aria-expanded","false")},_closeOnDocumentClick:function(e){return!t(e.target).closest(".ui-menu").length},_isDivider:function(t){return!/[^\-\u2014\u2013\s]/.test(t.text())},collapse:function(t){var e=this.active&&this.active.parent().closest(".ui-menu-item",this.element);e&&e.length&&(this._close(),this.focus(t,e))},expand:function(t){var e=this.active&&this.active.children(".ui-menu ").find(this.options.items).first();e&&e.length&&(this._open(e.parent()),this._delay(function(){this.focus(t,e)}))},next:function(t){this._move("next","first",t)},previous:function(t){this._move("prev","last",t)},isFirstItem:function(){return this.active&&!this.active.prevAll(".ui-menu-item").length},isLastItem:function(){return this.active&&!this.active.nextAll(".ui-menu-item").length},_move:function(t,e,i){var s;this.active&&(s="first"===t||"last"===t?this.active["first"===t?"prevAll":"nextAll"](".ui-menu-item").eq(-1):this.active[t+"All"](".ui-menu-item").eq(0)),s&&s.length&&this.active||(s=this.activeMenu.find(this.options.items)[e]()),this.focus(i,s)},nextPage:function(e){var i,s,n;return this.active?(this.isLastItem()||(this._hasScroll()?(s=this.active.offset().top,n=this.element.height(),this.active.nextAll(".ui-menu-item").each(function(){return i=t(this),0>i.offset().top-s-n}),this.focus(e,i)):this.focus(e,this.activeMenu.find(this.options.items)[this.active?"last":"first"]())),void 0):(this.next(e),void 0)},previousPage:function(e){var i,s,n;return this.active?(this.isFirstItem()||(this._hasScroll()?(s=this.active.offset().top,n=this.element.height(),this.active.prevAll(".ui-menu-item").each(function(){return i=t(this),i.offset().top-s+n>0}),this.focus(e,i)):this.focus(e,this.activeMenu.find(this.options.items).first())),void 0):(this.next(e),void 0)},_hasScroll:function(){return this.element.outerHeight()",options:{appendTo:null,autoFocus:!1,delay:300,minLength:1,position:{my:"left top",at:"left bottom",collision:"none"},source:null,change:null,close:null,focus:null,open:null,response:null,search:null,select:null},requestIndex:0,pending:0,_create:function(){var e,i,s,n=this.element[0].nodeName.toLowerCase(),o="textarea"===n,a="input"===n; -this.isMultiLine=o||!a&&this._isContentEditable(this.element),this.valueMethod=this.element[o||a?"val":"text"],this.isNewMenu=!0,this._addClass("ui-autocomplete-input"),this.element.attr("autocomplete","off"),this._on(this.element,{keydown:function(n){if(this.element.prop("readOnly"))return e=!0,s=!0,i=!0,void 0;e=!1,s=!1,i=!1;var o=t.ui.keyCode;switch(n.keyCode){case o.PAGE_UP:e=!0,this._move("previousPage",n);break;case o.PAGE_DOWN:e=!0,this._move("nextPage",n);break;case o.UP:e=!0,this._keyEvent("previous",n);break;case o.DOWN:e=!0,this._keyEvent("next",n);break;case o.ENTER:this.menu.active&&(e=!0,n.preventDefault(),this.menu.select(n));break;case o.TAB:this.menu.active&&this.menu.select(n);break;case o.ESCAPE:this.menu.element.is(":visible")&&(this.isMultiLine||this._value(this.term),this.close(n),n.preventDefault());break;default:i=!0,this._searchTimeout(n)}},keypress:function(s){if(e)return e=!1,(!this.isMultiLine||this.menu.element.is(":visible"))&&s.preventDefault(),void 0;if(!i){var n=t.ui.keyCode;switch(s.keyCode){case n.PAGE_UP:this._move("previousPage",s);break;case n.PAGE_DOWN:this._move("nextPage",s);break;case n.UP:this._keyEvent("previous",s);break;case n.DOWN:this._keyEvent("next",s)}}},input:function(t){return s?(s=!1,t.preventDefault(),void 0):(this._searchTimeout(t),void 0)},focus:function(){this.selectedItem=null,this.previous=this._value()},blur:function(t){return this.cancelBlur?(delete this.cancelBlur,void 0):(clearTimeout(this.searching),this.close(t),this._change(t),void 0)}}),this._initSource(),this.menu=t("
    ").appendTo(this._appendTo()).menu({role:null}).hide().menu("instance"),this._addClass(this.menu.element,"ui-autocomplete","ui-front"),this._on(this.menu.element,{mousedown:function(e){e.preventDefault(),this.cancelBlur=!0,this._delay(function(){delete this.cancelBlur,this.element[0]!==t.ui.safeActiveElement(this.document[0])&&this.element.trigger("focus")})},menufocus:function(e,i){var s,n;return this.isNewMenu&&(this.isNewMenu=!1,e.originalEvent&&/^mouse/.test(e.originalEvent.type))?(this.menu.blur(),this.document.one("mousemove",function(){t(e.target).trigger(e.originalEvent)}),void 0):(n=i.item.data("ui-autocomplete-item"),!1!==this._trigger("focus",e,{item:n})&&e.originalEvent&&/^key/.test(e.originalEvent.type)&&this._value(n.value),s=i.item.attr("aria-label")||n.value,s&&t.trim(s).length&&(this.liveRegion.children().hide(),t("
    ").text(s).appendTo(this.liveRegion)),void 0)},menuselect:function(e,i){var s=i.item.data("ui-autocomplete-item"),n=this.previous;this.element[0]!==t.ui.safeActiveElement(this.document[0])&&(this.element.trigger("focus"),this.previous=n,this._delay(function(){this.previous=n,this.selectedItem=s})),!1!==this._trigger("select",e,{item:s})&&this._value(s.value),this.term=this._value(),this.close(e),this.selectedItem=s}}),this.liveRegion=t("
    ",{role:"status","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_destroy:function(){clearTimeout(this.searching),this.element.removeAttr("autocomplete"),this.menu.element.remove(),this.liveRegion.remove()},_setOption:function(t,e){this._super(t,e),"source"===t&&this._initSource(),"appendTo"===t&&this.menu.element.appendTo(this._appendTo()),"disabled"===t&&e&&this.xhr&&this.xhr.abort()},_isEventTargetInWidget:function(e){var i=this.menu.element[0];return e.target===this.element[0]||e.target===i||t.contains(i,e.target)},_closeOnClickOutside:function(t){this._isEventTargetInWidget(t)||this.close()},_appendTo:function(){var e=this.options.appendTo;return e&&(e=e.jquery||e.nodeType?t(e):this.document.find(e).eq(0)),e&&e[0]||(e=this.element.closest(".ui-front, dialog")),e.length||(e=this.document[0].body),e},_initSource:function(){var e,i,s=this;t.isArray(this.options.source)?(e=this.options.source,this.source=function(i,s){s(t.ui.autocomplete.filter(e,i.term))}):"string"==typeof this.options.source?(i=this.options.source,this.source=function(e,n){s.xhr&&s.xhr.abort(),s.xhr=t.ajax({url:i,data:e,dataType:"json",success:function(t){n(t)},error:function(){n([])}})}):this.source=this.options.source},_searchTimeout:function(t){clearTimeout(this.searching),this.searching=this._delay(function(){var e=this.term===this._value(),i=this.menu.element.is(":visible"),s=t.altKey||t.ctrlKey||t.metaKey||t.shiftKey;(!e||e&&!i&&!s)&&(this.selectedItem=null,this.search(null,t))},this.options.delay)},search:function(t,e){return t=null!=t?t:this._value(),this.term=this._value(),t.length").append(t("
    ").text(i.label)).appendTo(e)},_move:function(t,e){return this.menu.element.is(":visible")?this.menu.isFirstItem()&&/^previous/.test(t)||this.menu.isLastItem()&&/^next/.test(t)?(this.isMultiLine||this._value(this.term),this.menu.blur(),void 0):(this.menu[t](e),void 0):(this.search(null,e),void 0)},widget:function(){return this.menu.element},_value:function(){return this.valueMethod.apply(this.element,arguments)},_keyEvent:function(t,e){(!this.isMultiLine||this.menu.element.is(":visible"))&&(this._move(t,e),e.preventDefault())},_isContentEditable:function(t){if(!t.length)return!1;var e=t.prop("contentEditable");return"inherit"===e?this._isContentEditable(t.parent()):"true"===e}}),t.extend(t.ui.autocomplete,{escapeRegex:function(t){return t.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&")},filter:function(e,i){var s=RegExp(t.ui.autocomplete.escapeRegex(i),"i");return t.grep(e,function(t){return s.test(t.label||t.value||t)})}}),t.widget("ui.autocomplete",t.ui.autocomplete,{options:{messages:{noResults:"No search results.",results:function(t){return t+(t>1?" results are":" result is")+" available, use up and down arrow keys to navigate."}}},__response:function(e){var i;this._superApply(arguments),this.options.disabled||this.cancelSearch||(i=e&&e.length?this.options.messages.results(e.length):this.options.messages.noResults,this.liveRegion.children().hide(),t("
    ").text(i).appendTo(this.liveRegion))}}),t.ui.autocomplete;var g=/ui-corner-([a-z]){2,6}/g;t.widget("ui.controlgroup",{version:"1.12.1",defaultElement:"
    ",options:{direction:"horizontal",disabled:null,onlyVisible:!0,items:{button:"input[type=button], input[type=submit], input[type=reset], button, a",controlgroupLabel:".ui-controlgroup-label",checkboxradio:"input[type='checkbox'], input[type='radio']",selectmenu:"select",spinner:".ui-spinner-input"}},_create:function(){this._enhance()},_enhance:function(){this.element.attr("role","toolbar"),this.refresh()},_destroy:function(){this._callChildMethod("destroy"),this.childWidgets.removeData("ui-controlgroup-data"),this.element.removeAttr("role"),this.options.items.controlgroupLabel&&this.element.find(this.options.items.controlgroupLabel).find(".ui-controlgroup-label-contents").contents().unwrap()},_initWidgets:function(){var e=this,i=[];t.each(this.options.items,function(s,n){var o,a={};return n?"controlgroupLabel"===s?(o=e.element.find(n),o.each(function(){var e=t(this);e.children(".ui-controlgroup-label-contents").length||e.contents().wrapAll("")}),e._addClass(o,null,"ui-widget ui-widget-content ui-state-default"),i=i.concat(o.get()),void 0):(t.fn[s]&&(a=e["_"+s+"Options"]?e["_"+s+"Options"]("middle"):{classes:{}},e.element.find(n).each(function(){var n=t(this),o=n[s]("instance"),r=t.widget.extend({},a);if("button"!==s||!n.parent(".ui-spinner").length){o||(o=n[s]()[s]("instance")),o&&(r.classes=e._resolveClassesValues(r.classes,o)),n[s](r);var h=n[s]("widget");t.data(h[0],"ui-controlgroup-data",o?o:n[s]("instance")),i.push(h[0])}})),void 0):void 0}),this.childWidgets=t(t.unique(i)),this._addClass(this.childWidgets,"ui-controlgroup-item")},_callChildMethod:function(e){this.childWidgets.each(function(){var i=t(this),s=i.data("ui-controlgroup-data");s&&s[e]&&s[e]()})},_updateCornerClass:function(t,e){var i="ui-corner-top ui-corner-bottom ui-corner-left ui-corner-right ui-corner-all",s=this._buildSimpleOptions(e,"label").classes.label;this._removeClass(t,null,i),this._addClass(t,null,s)},_buildSimpleOptions:function(t,e){var i="vertical"===this.options.direction,s={classes:{}};return s.classes[e]={middle:"",first:"ui-corner-"+(i?"top":"left"),last:"ui-corner-"+(i?"bottom":"right"),only:"ui-corner-all"}[t],s},_spinnerOptions:function(t){var e=this._buildSimpleOptions(t,"ui-spinner");return e.classes["ui-spinner-up"]="",e.classes["ui-spinner-down"]="",e},_buttonOptions:function(t){return this._buildSimpleOptions(t,"ui-button")},_checkboxradioOptions:function(t){return this._buildSimpleOptions(t,"ui-checkboxradio-label")},_selectmenuOptions:function(t){var e="vertical"===this.options.direction;return{width:e?"auto":!1,classes:{middle:{"ui-selectmenu-button-open":"","ui-selectmenu-button-closed":""},first:{"ui-selectmenu-button-open":"ui-corner-"+(e?"top":"tl"),"ui-selectmenu-button-closed":"ui-corner-"+(e?"top":"left")},last:{"ui-selectmenu-button-open":e?"":"ui-corner-tr","ui-selectmenu-button-closed":"ui-corner-"+(e?"bottom":"right")},only:{"ui-selectmenu-button-open":"ui-corner-top","ui-selectmenu-button-closed":"ui-corner-all"}}[t]}},_resolveClassesValues:function(e,i){var s={};return t.each(e,function(n){var o=i.options.classes[n]||"";o=t.trim(o.replace(g,"")),s[n]=(o+" "+e[n]).replace(/\s+/g," ")}),s},_setOption:function(t,e){return"direction"===t&&this._removeClass("ui-controlgroup-"+this.options.direction),this._super(t,e),"disabled"===t?(this._callChildMethod(e?"disable":"enable"),void 0):(this.refresh(),void 0)},refresh:function(){var e,i=this;this._addClass("ui-controlgroup ui-controlgroup-"+this.options.direction),"horizontal"===this.options.direction&&this._addClass(null,"ui-helper-clearfix"),this._initWidgets(),e=this.childWidgets,this.options.onlyVisible&&(e=e.filter(":visible")),e.length&&(t.each(["first","last"],function(t,s){var n=e[s]().data("ui-controlgroup-data");if(n&&i["_"+n.widgetName+"Options"]){var o=i["_"+n.widgetName+"Options"](1===e.length?"only":s);o.classes=i._resolveClassesValues(o.classes,n),n.element[n.widgetName](o)}else i._updateCornerClass(e[s](),s)}),this._callChildMethod("refresh"))}}),t.widget("ui.checkboxradio",[t.ui.formResetMixin,{version:"1.12.1",options:{disabled:null,label:null,icon:!0,classes:{"ui-checkboxradio-label":"ui-corner-all","ui-checkboxradio-icon":"ui-corner-all"}},_getCreateOptions:function(){var e,i,s=this,n=this._super()||{};return this._readType(),i=this.element.labels(),this.label=t(i[i.length-1]),this.label.length||t.error("No label found for checkboxradio widget"),this.originalLabel="",this.label.contents().not(this.element[0]).each(function(){s.originalLabel+=3===this.nodeType?t(this).text():this.outerHTML}),this.originalLabel&&(n.label=this.originalLabel),e=this.element[0].disabled,null!=e&&(n.disabled=e),n},_create:function(){var t=this.element[0].checked;this._bindFormResetHandler(),null==this.options.disabled&&(this.options.disabled=this.element[0].disabled),this._setOption("disabled",this.options.disabled),this._addClass("ui-checkboxradio","ui-helper-hidden-accessible"),this._addClass(this.label,"ui-checkboxradio-label","ui-button ui-widget"),"radio"===this.type&&this._addClass(this.label,"ui-checkboxradio-radio-label"),this.options.label&&this.options.label!==this.originalLabel?this._updateLabel():this.originalLabel&&(this.options.label=this.originalLabel),this._enhance(),t&&(this._addClass(this.label,"ui-checkboxradio-checked","ui-state-active"),this.icon&&this._addClass(this.icon,null,"ui-state-hover")),this._on({change:"_toggleClasses",focus:function(){this._addClass(this.label,null,"ui-state-focus ui-visual-focus")},blur:function(){this._removeClass(this.label,null,"ui-state-focus ui-visual-focus")}})},_readType:function(){var e=this.element[0].nodeName.toLowerCase();this.type=this.element[0].type,"input"===e&&/radio|checkbox/.test(this.type)||t.error("Can't create checkboxradio on element.nodeName="+e+" and element.type="+this.type)},_enhance:function(){this._updateIcon(this.element[0].checked)},widget:function(){return this.label},_getRadioGroup:function(){var e,i=this.element[0].name,s="input[name='"+t.ui.escapeSelector(i)+"']";return i?(e=this.form.length?t(this.form[0].elements).filter(s):t(s).filter(function(){return 0===t(this).form().length}),e.not(this.element)):t([])},_toggleClasses:function(){var e=this.element[0].checked;this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",e),this.options.icon&&"checkbox"===this.type&&this._toggleClass(this.icon,null,"ui-icon-check ui-state-checked",e)._toggleClass(this.icon,null,"ui-icon-blank",!e),"radio"===this.type&&this._getRadioGroup().each(function(){var e=t(this).checkboxradio("instance");e&&e._removeClass(e.label,"ui-checkboxradio-checked","ui-state-active")})},_destroy:function(){this._unbindFormResetHandler(),this.icon&&(this.icon.remove(),this.iconSpace.remove())},_setOption:function(t,e){return"label"!==t||e?(this._super(t,e),"disabled"===t?(this._toggleClass(this.label,null,"ui-state-disabled",e),this.element[0].disabled=e,void 0):(this.refresh(),void 0)):void 0},_updateIcon:function(e){var i="ui-icon ui-icon-background ";this.options.icon?(this.icon||(this.icon=t(""),this.iconSpace=t(" "),this._addClass(this.iconSpace,"ui-checkboxradio-icon-space")),"checkbox"===this.type?(i+=e?"ui-icon-check ui-state-checked":"ui-icon-blank",this._removeClass(this.icon,null,e?"ui-icon-blank":"ui-icon-check")):i+="ui-icon-blank",this._addClass(this.icon,"ui-checkboxradio-icon",i),e||this._removeClass(this.icon,null,"ui-icon-check ui-state-checked"),this.icon.prependTo(this.label).after(this.iconSpace)):void 0!==this.icon&&(this.icon.remove(),this.iconSpace.remove(),delete this.icon)},_updateLabel:function(){var t=this.label.contents().not(this.element[0]);this.icon&&(t=t.not(this.icon[0])),this.iconSpace&&(t=t.not(this.iconSpace[0])),t.remove(),this.label.append(this.options.label)},refresh:function(){var t=this.element[0].checked,e=this.element[0].disabled;this._updateIcon(t),this._toggleClass(this.label,"ui-checkboxradio-checked","ui-state-active",t),null!==this.options.label&&this._updateLabel(),e!==this.options.disabled&&this._setOptions({disabled:e})}}]),t.ui.checkboxradio,t.widget("ui.button",{version:"1.12.1",defaultElement:"").addClass(this._triggerClass).html(o?t("").attr({src:o,alt:n,title:n}):n)),e[r?"before":"after"](i.trigger),i.trigger.on("click",function(){return t.datepicker._datepickerShowing&&t.datepicker._lastInput===e[0]?t.datepicker._hideDatepicker():t.datepicker._datepickerShowing&&t.datepicker._lastInput!==e[0]?(t.datepicker._hideDatepicker(),t.datepicker._showDatepicker(e[0])):t.datepicker._showDatepicker(e[0]),!1}))},_autoSize:function(t){if(this._get(t,"autoSize")&&!t.inline){var e,i,s,n,o=new Date(2009,11,20),a=this._get(t,"dateFormat");a.match(/[DM]/)&&(e=function(t){for(i=0,s=0,n=0;t.length>n;n++)t[n].length>i&&(i=t[n].length,s=n);return s},o.setMonth(e(this._get(t,a.match(/MM/)?"monthNames":"monthNamesShort"))),o.setDate(e(this._get(t,a.match(/DD/)?"dayNames":"dayNamesShort"))+20-o.getDay())),t.input.attr("size",this._formatDate(t,o).length)}},_inlineDatepicker:function(e,i){var s=t(e);s.hasClass(this.markerClassName)||(s.addClass(this.markerClassName).append(i.dpDiv),t.data(e,"datepicker",i),this._setDate(i,this._getDefaultDate(i),!0),this._updateDatepicker(i),this._updateAlternate(i),i.settings.disabled&&this._disableDatepicker(e),i.dpDiv.css("display","block"))},_dialogDatepicker:function(e,i,s,n,o){var r,h,l,c,u,d=this._dialogInst;return d||(this.uuid+=1,r="dp"+this.uuid,this._dialogInput=t(""),this._dialogInput.on("keydown",this._doKeyDown),t("body").append(this._dialogInput),d=this._dialogInst=this._newInst(this._dialogInput,!1),d.settings={},t.data(this._dialogInput[0],"datepicker",d)),a(d.settings,n||{}),i=i&&i.constructor===Date?this._formatDate(d,i):i,this._dialogInput.val(i),this._pos=o?o.length?o:[o.pageX,o.pageY]:null,this._pos||(h=document.documentElement.clientWidth,l=document.documentElement.clientHeight,c=document.documentElement.scrollLeft||document.body.scrollLeft,u=document.documentElement.scrollTop||document.body.scrollTop,this._pos=[h/2-100+c,l/2-150+u]),this._dialogInput.css("left",this._pos[0]+20+"px").css("top",this._pos[1]+"px"),d.settings.onSelect=s,this._inDialog=!0,this.dpDiv.addClass(this._dialogClass),this._showDatepicker(this._dialogInput[0]),t.blockUI&&t.blockUI(this.dpDiv),t.data(this._dialogInput[0],"datepicker",d),this},_destroyDatepicker:function(e){var i,s=t(e),n=t.data(e,"datepicker");s.hasClass(this.markerClassName)&&(i=e.nodeName.toLowerCase(),t.removeData(e,"datepicker"),"input"===i?(n.append.remove(),n.trigger.remove(),s.removeClass(this.markerClassName).off("focus",this._showDatepicker).off("keydown",this._doKeyDown).off("keypress",this._doKeyPress).off("keyup",this._doKeyUp)):("div"===i||"span"===i)&&s.removeClass(this.markerClassName).empty(),m===n&&(m=null))},_enableDatepicker:function(e){var i,s,n=t(e),o=t.data(e,"datepicker");n.hasClass(this.markerClassName)&&(i=e.nodeName.toLowerCase(),"input"===i?(e.disabled=!1,o.trigger.filter("button").each(function(){this.disabled=!1}).end().filter("img").css({opacity:"1.0",cursor:""})):("div"===i||"span"===i)&&(s=n.children("."+this._inlineClass),s.children().removeClass("ui-state-disabled"),s.find("select.ui-datepicker-month, select.ui-datepicker-year").prop("disabled",!1)),this._disabledInputs=t.map(this._disabledInputs,function(t){return t===e?null:t}))},_disableDatepicker:function(e){var i,s,n=t(e),o=t.data(e,"datepicker");n.hasClass(this.markerClassName)&&(i=e.nodeName.toLowerCase(),"input"===i?(e.disabled=!0,o.trigger.filter("button").each(function(){this.disabled=!0}).end().filter("img").css({opacity:"0.5",cursor:"default"})):("div"===i||"span"===i)&&(s=n.children("."+this._inlineClass),s.children().addClass("ui-state-disabled"),s.find("select.ui-datepicker-month, select.ui-datepicker-year").prop("disabled",!0)),this._disabledInputs=t.map(this._disabledInputs,function(t){return t===e?null:t}),this._disabledInputs[this._disabledInputs.length]=e)},_isDisabledDatepicker:function(t){if(!t)return!1;for(var e=0;this._disabledInputs.length>e;e++)if(this._disabledInputs[e]===t)return!0;return!1},_getInst:function(e){try{return t.data(e,"datepicker")}catch(i){throw"Missing instance data for this datepicker"}},_optionDatepicker:function(e,i,s){var n,o,r,h,l=this._getInst(e);return 2===arguments.length&&"string"==typeof i?"defaults"===i?t.extend({},t.datepicker._defaults):l?"all"===i?t.extend({},l.settings):this._get(l,i):null:(n=i||{},"string"==typeof i&&(n={},n[i]=s),l&&(this._curInst===l&&this._hideDatepicker(),o=this._getDateDatepicker(e,!0),r=this._getMinMaxDate(l,"min"),h=this._getMinMaxDate(l,"max"),a(l.settings,n),null!==r&&void 0!==n.dateFormat&&void 0===n.minDate&&(l.settings.minDate=this._formatDate(l,r)),null!==h&&void 0!==n.dateFormat&&void 0===n.maxDate&&(l.settings.maxDate=this._formatDate(l,h)),"disabled"in n&&(n.disabled?this._disableDatepicker(e):this._enableDatepicker(e)),this._attachments(t(e),l),this._autoSize(l),this._setDate(l,o),this._updateAlternate(l),this._updateDatepicker(l)),void 0)},_changeDatepicker:function(t,e,i){this._optionDatepicker(t,e,i)},_refreshDatepicker:function(t){var e=this._getInst(t);e&&this._updateDatepicker(e)},_setDateDatepicker:function(t,e){var i=this._getInst(t);i&&(this._setDate(i,e),this._updateDatepicker(i),this._updateAlternate(i))},_getDateDatepicker:function(t,e){var i=this._getInst(t);return i&&!i.inline&&this._setDateFromField(i,e),i?this._getDate(i):null},_doKeyDown:function(e){var i,s,n,o=t.datepicker._getInst(e.target),a=!0,r=o.dpDiv.is(".ui-datepicker-rtl");if(o._keyEvent=!0,t.datepicker._datepickerShowing)switch(e.keyCode){case 9:t.datepicker._hideDatepicker(),a=!1;break;case 13:return n=t("td."+t.datepicker._dayOverClass+":not(."+t.datepicker._currentClass+")",o.dpDiv),n[0]&&t.datepicker._selectDay(e.target,o.selectedMonth,o.selectedYear,n[0]),i=t.datepicker._get(o,"onSelect"),i?(s=t.datepicker._formatDate(o),i.apply(o.input?o.input[0]:null,[s,o])):t.datepicker._hideDatepicker(),!1;case 27:t.datepicker._hideDatepicker();break;case 33:t.datepicker._adjustDate(e.target,e.ctrlKey?-t.datepicker._get(o,"stepBigMonths"):-t.datepicker._get(o,"stepMonths"),"M");break;case 34:t.datepicker._adjustDate(e.target,e.ctrlKey?+t.datepicker._get(o,"stepBigMonths"):+t.datepicker._get(o,"stepMonths"),"M");break;case 35:(e.ctrlKey||e.metaKey)&&t.datepicker._clearDate(e.target),a=e.ctrlKey||e.metaKey;break;case 36:(e.ctrlKey||e.metaKey)&&t.datepicker._gotoToday(e.target),a=e.ctrlKey||e.metaKey;break;case 37:(e.ctrlKey||e.metaKey)&&t.datepicker._adjustDate(e.target,r?1:-1,"D"),a=e.ctrlKey||e.metaKey,e.originalEvent.altKey&&t.datepicker._adjustDate(e.target,e.ctrlKey?-t.datepicker._get(o,"stepBigMonths"):-t.datepicker._get(o,"stepMonths"),"M");break;case 38:(e.ctrlKey||e.metaKey)&&t.datepicker._adjustDate(e.target,-7,"D"),a=e.ctrlKey||e.metaKey;break;case 39:(e.ctrlKey||e.metaKey)&&t.datepicker._adjustDate(e.target,r?-1:1,"D"),a=e.ctrlKey||e.metaKey,e.originalEvent.altKey&&t.datepicker._adjustDate(e.target,e.ctrlKey?+t.datepicker._get(o,"stepBigMonths"):+t.datepicker._get(o,"stepMonths"),"M");break;case 40:(e.ctrlKey||e.metaKey)&&t.datepicker._adjustDate(e.target,7,"D"),a=e.ctrlKey||e.metaKey;break;default:a=!1}else 36===e.keyCode&&e.ctrlKey?t.datepicker._showDatepicker(this):a=!1;a&&(e.preventDefault(),e.stopPropagation())},_doKeyPress:function(e){var i,s,n=t.datepicker._getInst(e.target);return t.datepicker._get(n,"constrainInput")?(i=t.datepicker._possibleChars(t.datepicker._get(n,"dateFormat")),s=String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),e.ctrlKey||e.metaKey||" ">s||!i||i.indexOf(s)>-1):void 0},_doKeyUp:function(e){var i,s=t.datepicker._getInst(e.target);if(s.input.val()!==s.lastVal)try{i=t.datepicker.parseDate(t.datepicker._get(s,"dateFormat"),s.input?s.input.val():null,t.datepicker._getFormatConfig(s)),i&&(t.datepicker._setDateFromField(s),t.datepicker._updateAlternate(s),t.datepicker._updateDatepicker(s))}catch(n){}return!0},_showDatepicker:function(e){if(e=e.target||e,"input"!==e.nodeName.toLowerCase()&&(e=t("input",e.parentNode)[0]),!t.datepicker._isDisabledDatepicker(e)&&t.datepicker._lastInput!==e){var s,n,o,r,h,l,c;s=t.datepicker._getInst(e),t.datepicker._curInst&&t.datepicker._curInst!==s&&(t.datepicker._curInst.dpDiv.stop(!0,!0),s&&t.datepicker._datepickerShowing&&t.datepicker._hideDatepicker(t.datepicker._curInst.input[0])),n=t.datepicker._get(s,"beforeShow"),o=n?n.apply(e,[e,s]):{},o!==!1&&(a(s.settings,o),s.lastVal=null,t.datepicker._lastInput=e,t.datepicker._setDateFromField(s),t.datepicker._inDialog&&(e.value=""),t.datepicker._pos||(t.datepicker._pos=t.datepicker._findPos(e),t.datepicker._pos[1]+=e.offsetHeight),r=!1,t(e).parents().each(function(){return r|="fixed"===t(this).css("position"),!r}),h={left:t.datepicker._pos[0],top:t.datepicker._pos[1]},t.datepicker._pos=null,s.dpDiv.empty(),s.dpDiv.css({position:"absolute",display:"block",top:"-1000px"}),t.datepicker._updateDatepicker(s),h=t.datepicker._checkOffset(s,h,r),s.dpDiv.css({position:t.datepicker._inDialog&&t.blockUI?"static":r?"fixed":"absolute",display:"none",left:h.left+"px",top:h.top+"px"}),s.inline||(l=t.datepicker._get(s,"showAnim"),c=t.datepicker._get(s,"duration"),s.dpDiv.css("z-index",i(t(e))+1),t.datepicker._datepickerShowing=!0,t.effects&&t.effects.effect[l]?s.dpDiv.show(l,t.datepicker._get(s,"showOptions"),c):s.dpDiv[l||"show"](l?c:null),t.datepicker._shouldFocusInput(s)&&s.input.trigger("focus"),t.datepicker._curInst=s)) -}},_updateDatepicker:function(e){this.maxRows=4,m=e,e.dpDiv.empty().append(this._generateHTML(e)),this._attachHandlers(e);var i,s=this._getNumberOfMonths(e),n=s[1],a=17,r=e.dpDiv.find("."+this._dayOverClass+" a");r.length>0&&o.apply(r.get(0)),e.dpDiv.removeClass("ui-datepicker-multi-2 ui-datepicker-multi-3 ui-datepicker-multi-4").width(""),n>1&&e.dpDiv.addClass("ui-datepicker-multi-"+n).css("width",a*n+"em"),e.dpDiv[(1!==s[0]||1!==s[1]?"add":"remove")+"Class"]("ui-datepicker-multi"),e.dpDiv[(this._get(e,"isRTL")?"add":"remove")+"Class"]("ui-datepicker-rtl"),e===t.datepicker._curInst&&t.datepicker._datepickerShowing&&t.datepicker._shouldFocusInput(e)&&e.input.trigger("focus"),e.yearshtml&&(i=e.yearshtml,setTimeout(function(){i===e.yearshtml&&e.yearshtml&&e.dpDiv.find("select.ui-datepicker-year:first").replaceWith(e.yearshtml),i=e.yearshtml=null},0))},_shouldFocusInput:function(t){return t.input&&t.input.is(":visible")&&!t.input.is(":disabled")&&!t.input.is(":focus")},_checkOffset:function(e,i,s){var n=e.dpDiv.outerWidth(),o=e.dpDiv.outerHeight(),a=e.input?e.input.outerWidth():0,r=e.input?e.input.outerHeight():0,h=document.documentElement.clientWidth+(s?0:t(document).scrollLeft()),l=document.documentElement.clientHeight+(s?0:t(document).scrollTop());return i.left-=this._get(e,"isRTL")?n-a:0,i.left-=s&&i.left===e.input.offset().left?t(document).scrollLeft():0,i.top-=s&&i.top===e.input.offset().top+r?t(document).scrollTop():0,i.left-=Math.min(i.left,i.left+n>h&&h>n?Math.abs(i.left+n-h):0),i.top-=Math.min(i.top,i.top+o>l&&l>o?Math.abs(o+r):0),i},_findPos:function(e){for(var i,s=this._getInst(e),n=this._get(s,"isRTL");e&&("hidden"===e.type||1!==e.nodeType||t.expr.filters.hidden(e));)e=e[n?"previousSibling":"nextSibling"];return i=t(e).offset(),[i.left,i.top]},_hideDatepicker:function(e){var i,s,n,o,a=this._curInst;!a||e&&a!==t.data(e,"datepicker")||this._datepickerShowing&&(i=this._get(a,"showAnim"),s=this._get(a,"duration"),n=function(){t.datepicker._tidyDialog(a)},t.effects&&(t.effects.effect[i]||t.effects[i])?a.dpDiv.hide(i,t.datepicker._get(a,"showOptions"),s,n):a.dpDiv["slideDown"===i?"slideUp":"fadeIn"===i?"fadeOut":"hide"](i?s:null,n),i||n(),this._datepickerShowing=!1,o=this._get(a,"onClose"),o&&o.apply(a.input?a.input[0]:null,[a.input?a.input.val():"",a]),this._lastInput=null,this._inDialog&&(this._dialogInput.css({position:"absolute",left:"0",top:"-100px"}),t.blockUI&&(t.unblockUI(),t("body").append(this.dpDiv))),this._inDialog=!1)},_tidyDialog:function(t){t.dpDiv.removeClass(this._dialogClass).off(".ui-datepicker-calendar")},_checkExternalClick:function(e){if(t.datepicker._curInst){var i=t(e.target),s=t.datepicker._getInst(i[0]);(i[0].id!==t.datepicker._mainDivId&&0===i.parents("#"+t.datepicker._mainDivId).length&&!i.hasClass(t.datepicker.markerClassName)&&!i.closest("."+t.datepicker._triggerClass).length&&t.datepicker._datepickerShowing&&(!t.datepicker._inDialog||!t.blockUI)||i.hasClass(t.datepicker.markerClassName)&&t.datepicker._curInst!==s)&&t.datepicker._hideDatepicker()}},_adjustDate:function(e,i,s){var n=t(e),o=this._getInst(n[0]);this._isDisabledDatepicker(n[0])||(this._adjustInstDate(o,i+("M"===s?this._get(o,"showCurrentAtPos"):0),s),this._updateDatepicker(o))},_gotoToday:function(e){var i,s=t(e),n=this._getInst(s[0]);this._get(n,"gotoCurrent")&&n.currentDay?(n.selectedDay=n.currentDay,n.drawMonth=n.selectedMonth=n.currentMonth,n.drawYear=n.selectedYear=n.currentYear):(i=new Date,n.selectedDay=i.getDate(),n.drawMonth=n.selectedMonth=i.getMonth(),n.drawYear=n.selectedYear=i.getFullYear()),this._notifyChange(n),this._adjustDate(s)},_selectMonthYear:function(e,i,s){var n=t(e),o=this._getInst(n[0]);o["selected"+("M"===s?"Month":"Year")]=o["draw"+("M"===s?"Month":"Year")]=parseInt(i.options[i.selectedIndex].value,10),this._notifyChange(o),this._adjustDate(n)},_selectDay:function(e,i,s,n){var o,a=t(e);t(n).hasClass(this._unselectableClass)||this._isDisabledDatepicker(a[0])||(o=this._getInst(a[0]),o.selectedDay=o.currentDay=t("a",n).html(),o.selectedMonth=o.currentMonth=i,o.selectedYear=o.currentYear=s,this._selectDate(e,this._formatDate(o,o.currentDay,o.currentMonth,o.currentYear)))},_clearDate:function(e){var i=t(e);this._selectDate(i,"")},_selectDate:function(e,i){var s,n=t(e),o=this._getInst(n[0]);i=null!=i?i:this._formatDate(o),o.input&&o.input.val(i),this._updateAlternate(o),s=this._get(o,"onSelect"),s?s.apply(o.input?o.input[0]:null,[i,o]):o.input&&o.input.trigger("change"),o.inline?this._updateDatepicker(o):(this._hideDatepicker(),this._lastInput=o.input[0],"object"!=typeof o.input[0]&&o.input.trigger("focus"),this._lastInput=null)},_updateAlternate:function(e){var i,s,n,o=this._get(e,"altField");o&&(i=this._get(e,"altFormat")||this._get(e,"dateFormat"),s=this._getDate(e),n=this.formatDate(i,s,this._getFormatConfig(e)),t(o).val(n))},noWeekends:function(t){var e=t.getDay();return[e>0&&6>e,""]},iso8601Week:function(t){var e,i=new Date(t.getTime());return i.setDate(i.getDate()+4-(i.getDay()||7)),e=i.getTime(),i.setMonth(0),i.setDate(1),Math.floor(Math.round((e-i)/864e5)/7)+1},parseDate:function(e,i,s){if(null==e||null==i)throw"Invalid arguments";if(i="object"==typeof i?""+i:i+"",""===i)return null;var n,o,a,r,h=0,l=(s?s.shortYearCutoff:null)||this._defaults.shortYearCutoff,c="string"!=typeof l?l:(new Date).getFullYear()%100+parseInt(l,10),u=(s?s.dayNamesShort:null)||this._defaults.dayNamesShort,d=(s?s.dayNames:null)||this._defaults.dayNames,p=(s?s.monthNamesShort:null)||this._defaults.monthNamesShort,f=(s?s.monthNames:null)||this._defaults.monthNames,g=-1,m=-1,_=-1,v=-1,b=!1,y=function(t){var i=e.length>n+1&&e.charAt(n+1)===t;return i&&n++,i},w=function(t){var e=y(t),s="@"===t?14:"!"===t?20:"y"===t&&e?4:"o"===t?3:2,n="y"===t?s:1,o=RegExp("^\\d{"+n+","+s+"}"),a=i.substring(h).match(o);if(!a)throw"Missing number at position "+h;return h+=a[0].length,parseInt(a[0],10)},k=function(e,s,n){var o=-1,a=t.map(y(e)?n:s,function(t,e){return[[e,t]]}).sort(function(t,e){return-(t[1].length-e[1].length)});if(t.each(a,function(t,e){var s=e[1];return i.substr(h,s.length).toLowerCase()===s.toLowerCase()?(o=e[0],h+=s.length,!1):void 0}),-1!==o)return o+1;throw"Unknown name at position "+h},x=function(){if(i.charAt(h)!==e.charAt(n))throw"Unexpected literal at position "+h;h++};for(n=0;e.length>n;n++)if(b)"'"!==e.charAt(n)||y("'")?x():b=!1;else switch(e.charAt(n)){case"d":_=w("d");break;case"D":k("D",u,d);break;case"o":v=w("o");break;case"m":m=w("m");break;case"M":m=k("M",p,f);break;case"y":g=w("y");break;case"@":r=new Date(w("@")),g=r.getFullYear(),m=r.getMonth()+1,_=r.getDate();break;case"!":r=new Date((w("!")-this._ticksTo1970)/1e4),g=r.getFullYear(),m=r.getMonth()+1,_=r.getDate();break;case"'":y("'")?x():b=!0;break;default:x()}if(i.length>h&&(a=i.substr(h),!/^\s+/.test(a)))throw"Extra/unparsed characters found in date: "+a;if(-1===g?g=(new Date).getFullYear():100>g&&(g+=(new Date).getFullYear()-(new Date).getFullYear()%100+(c>=g?0:-100)),v>-1)for(m=1,_=v;;){if(o=this._getDaysInMonth(g,m-1),o>=_)break;m++,_-=o}if(r=this._daylightSavingAdjust(new Date(g,m-1,_)),r.getFullYear()!==g||r.getMonth()+1!==m||r.getDate()!==_)throw"Invalid date";return r},ATOM:"yy-mm-dd",COOKIE:"D, dd M yy",ISO_8601:"yy-mm-dd",RFC_822:"D, d M y",RFC_850:"DD, dd-M-y",RFC_1036:"D, d M y",RFC_1123:"D, d M yy",RFC_2822:"D, d M yy",RSS:"D, d M y",TICKS:"!",TIMESTAMP:"@",W3C:"yy-mm-dd",_ticksTo1970:1e7*60*60*24*(718685+Math.floor(492.5)-Math.floor(19.7)+Math.floor(4.925)),formatDate:function(t,e,i){if(!e)return"";var s,n=(i?i.dayNamesShort:null)||this._defaults.dayNamesShort,o=(i?i.dayNames:null)||this._defaults.dayNames,a=(i?i.monthNamesShort:null)||this._defaults.monthNamesShort,r=(i?i.monthNames:null)||this._defaults.monthNames,h=function(e){var i=t.length>s+1&&t.charAt(s+1)===e;return i&&s++,i},l=function(t,e,i){var s=""+e;if(h(t))for(;i>s.length;)s="0"+s;return s},c=function(t,e,i,s){return h(t)?s[e]:i[e]},u="",d=!1;if(e)for(s=0;t.length>s;s++)if(d)"'"!==t.charAt(s)||h("'")?u+=t.charAt(s):d=!1;else switch(t.charAt(s)){case"d":u+=l("d",e.getDate(),2);break;case"D":u+=c("D",e.getDay(),n,o);break;case"o":u+=l("o",Math.round((new Date(e.getFullYear(),e.getMonth(),e.getDate()).getTime()-new Date(e.getFullYear(),0,0).getTime())/864e5),3);break;case"m":u+=l("m",e.getMonth()+1,2);break;case"M":u+=c("M",e.getMonth(),a,r);break;case"y":u+=h("y")?e.getFullYear():(10>e.getFullYear()%100?"0":"")+e.getFullYear()%100;break;case"@":u+=e.getTime();break;case"!":u+=1e4*e.getTime()+this._ticksTo1970;break;case"'":h("'")?u+="'":d=!0;break;default:u+=t.charAt(s)}return u},_possibleChars:function(t){var e,i="",s=!1,n=function(i){var s=t.length>e+1&&t.charAt(e+1)===i;return s&&e++,s};for(e=0;t.length>e;e++)if(s)"'"!==t.charAt(e)||n("'")?i+=t.charAt(e):s=!1;else switch(t.charAt(e)){case"d":case"m":case"y":case"@":i+="0123456789";break;case"D":case"M":return null;case"'":n("'")?i+="'":s=!0;break;default:i+=t.charAt(e)}return i},_get:function(t,e){return void 0!==t.settings[e]?t.settings[e]:this._defaults[e]},_setDateFromField:function(t,e){if(t.input.val()!==t.lastVal){var i=this._get(t,"dateFormat"),s=t.lastVal=t.input?t.input.val():null,n=this._getDefaultDate(t),o=n,a=this._getFormatConfig(t);try{o=this.parseDate(i,s,a)||n}catch(r){s=e?"":s}t.selectedDay=o.getDate(),t.drawMonth=t.selectedMonth=o.getMonth(),t.drawYear=t.selectedYear=o.getFullYear(),t.currentDay=s?o.getDate():0,t.currentMonth=s?o.getMonth():0,t.currentYear=s?o.getFullYear():0,this._adjustInstDate(t)}},_getDefaultDate:function(t){return this._restrictMinMax(t,this._determineDate(t,this._get(t,"defaultDate"),new Date))},_determineDate:function(e,i,s){var n=function(t){var e=new Date;return e.setDate(e.getDate()+t),e},o=function(i){try{return t.datepicker.parseDate(t.datepicker._get(e,"dateFormat"),i,t.datepicker._getFormatConfig(e))}catch(s){}for(var n=(i.toLowerCase().match(/^c/)?t.datepicker._getDate(e):null)||new Date,o=n.getFullYear(),a=n.getMonth(),r=n.getDate(),h=/([+\-]?[0-9]+)\s*(d|D|w|W|m|M|y|Y)?/g,l=h.exec(i);l;){switch(l[2]||"d"){case"d":case"D":r+=parseInt(l[1],10);break;case"w":case"W":r+=7*parseInt(l[1],10);break;case"m":case"M":a+=parseInt(l[1],10),r=Math.min(r,t.datepicker._getDaysInMonth(o,a));break;case"y":case"Y":o+=parseInt(l[1],10),r=Math.min(r,t.datepicker._getDaysInMonth(o,a))}l=h.exec(i)}return new Date(o,a,r)},a=null==i||""===i?s:"string"==typeof i?o(i):"number"==typeof i?isNaN(i)?s:n(i):new Date(i.getTime());return a=a&&"Invalid Date"==""+a?s:a,a&&(a.setHours(0),a.setMinutes(0),a.setSeconds(0),a.setMilliseconds(0)),this._daylightSavingAdjust(a)},_daylightSavingAdjust:function(t){return t?(t.setHours(t.getHours()>12?t.getHours()+2:0),t):null},_setDate:function(t,e,i){var s=!e,n=t.selectedMonth,o=t.selectedYear,a=this._restrictMinMax(t,this._determineDate(t,e,new Date));t.selectedDay=t.currentDay=a.getDate(),t.drawMonth=t.selectedMonth=t.currentMonth=a.getMonth(),t.drawYear=t.selectedYear=t.currentYear=a.getFullYear(),n===t.selectedMonth&&o===t.selectedYear||i||this._notifyChange(t),this._adjustInstDate(t),t.input&&t.input.val(s?"":this._formatDate(t))},_getDate:function(t){var e=!t.currentYear||t.input&&""===t.input.val()?null:this._daylightSavingAdjust(new Date(t.currentYear,t.currentMonth,t.currentDay));return e},_attachHandlers:function(e){var i=this._get(e,"stepMonths"),s="#"+e.id.replace(/\\\\/g,"\\");e.dpDiv.find("[data-handler]").map(function(){var e={prev:function(){t.datepicker._adjustDate(s,-i,"M")},next:function(){t.datepicker._adjustDate(s,+i,"M")},hide:function(){t.datepicker._hideDatepicker()},today:function(){t.datepicker._gotoToday(s)},selectDay:function(){return t.datepicker._selectDay(s,+this.getAttribute("data-month"),+this.getAttribute("data-year"),this),!1},selectMonth:function(){return t.datepicker._selectMonthYear(s,this,"M"),!1},selectYear:function(){return t.datepicker._selectMonthYear(s,this,"Y"),!1}};t(this).on(this.getAttribute("data-event"),e[this.getAttribute("data-handler")])})},_generateHTML:function(t){var e,i,s,n,o,a,r,h,l,c,u,d,p,f,g,m,_,v,b,y,w,k,x,C,D,I,T,P,M,S,H,z,O,A,N,W,E,F,L,R=new Date,B=this._daylightSavingAdjust(new Date(R.getFullYear(),R.getMonth(),R.getDate())),Y=this._get(t,"isRTL"),j=this._get(t,"showButtonPanel"),q=this._get(t,"hideIfNoPrevNext"),K=this._get(t,"navigationAsDateFormat"),U=this._getNumberOfMonths(t),V=this._get(t,"showCurrentAtPos"),$=this._get(t,"stepMonths"),X=1!==U[0]||1!==U[1],G=this._daylightSavingAdjust(t.currentDay?new Date(t.currentYear,t.currentMonth,t.currentDay):new Date(9999,9,9)),Q=this._getMinMaxDate(t,"min"),J=this._getMinMaxDate(t,"max"),Z=t.drawMonth-V,te=t.drawYear;if(0>Z&&(Z+=12,te--),J)for(e=this._daylightSavingAdjust(new Date(J.getFullYear(),J.getMonth()-U[0]*U[1]+1,J.getDate())),e=Q&&Q>e?Q:e;this._daylightSavingAdjust(new Date(te,Z,1))>e;)Z--,0>Z&&(Z=11,te--);for(t.drawMonth=Z,t.drawYear=te,i=this._get(t,"prevText"),i=K?this.formatDate(i,this._daylightSavingAdjust(new Date(te,Z-$,1)),this._getFormatConfig(t)):i,s=this._canAdjustMonth(t,-1,te,Z)?""+i+"":q?"":""+i+"",n=this._get(t,"nextText"),n=K?this.formatDate(n,this._daylightSavingAdjust(new Date(te,Z+$,1)),this._getFormatConfig(t)):n,o=this._canAdjustMonth(t,1,te,Z)?""+n+"":q?"":""+n+"",a=this._get(t,"currentText"),r=this._get(t,"gotoCurrent")&&t.currentDay?G:B,a=K?this.formatDate(a,r,this._getFormatConfig(t)):a,h=t.inline?"":"",l=j?"
    "+(Y?h:"")+(this._isInRange(t,r)?"":"")+(Y?"":h)+"
    ":"",c=parseInt(this._get(t,"firstDay"),10),c=isNaN(c)?0:c,u=this._get(t,"showWeek"),d=this._get(t,"dayNames"),p=this._get(t,"dayNamesMin"),f=this._get(t,"monthNames"),g=this._get(t,"monthNamesShort"),m=this._get(t,"beforeShowDay"),_=this._get(t,"showOtherMonths"),v=this._get(t,"selectOtherMonths"),b=this._getDefaultDate(t),y="",k=0;U[0]>k;k++){for(x="",this.maxRows=4,C=0;U[1]>C;C++){if(D=this._daylightSavingAdjust(new Date(te,Z,t.selectedDay)),I=" ui-corner-all",T="",X){if(T+="
    "}for(T+="
    "+(/all|left/.test(I)&&0===k?Y?o:s:"")+(/all|right/.test(I)&&0===k?Y?s:o:"")+this._generateMonthYearHeader(t,Z,te,Q,J,k>0||C>0,f,g)+"
    "+"",P=u?"":"",w=0;7>w;w++)M=(w+c)%7,P+="";for(T+=P+"",S=this._getDaysInMonth(te,Z),te===t.selectedYear&&Z===t.selectedMonth&&(t.selectedDay=Math.min(t.selectedDay,S)),H=(this._getFirstDayOfMonth(te,Z)-c+7)%7,z=Math.ceil((H+S)/7),O=X?this.maxRows>z?this.maxRows:z:z,this.maxRows=O,A=this._daylightSavingAdjust(new Date(te,Z,1-H)),N=0;O>N;N++){for(T+="",W=u?"":"",w=0;7>w;w++)E=m?m.apply(t.input?t.input[0]:null,[A]):[!0,""],F=A.getMonth()!==Z,L=F&&!v||!E[0]||Q&&Q>A||J&&A>J,W+="",A.setDate(A.getDate()+1),A=this._daylightSavingAdjust(A);T+=W+""}Z++,Z>11&&(Z=0,te++),T+="
    "+this._get(t,"weekHeader")+"=5?" class='ui-datepicker-week-end'":"")+">"+""+p[M]+"
    "+this._get(t,"calculateWeek")(A)+""+(F&&!_?" ":L?""+A.getDate()+"":""+A.getDate()+"")+"
    "+(X?"
    "+(U[0]>0&&C===U[1]-1?"
    ":""):""),x+=T}y+=x}return y+=l,t._keyEvent=!1,y},_generateMonthYearHeader:function(t,e,i,s,n,o,a,r){var h,l,c,u,d,p,f,g,m=this._get(t,"changeMonth"),_=this._get(t,"changeYear"),v=this._get(t,"showMonthAfterYear"),b="
    ",y="";if(o||!m)y+=""+a[e]+"";else{for(h=s&&s.getFullYear()===i,l=n&&n.getFullYear()===i,y+=""}if(v||(b+=y+(!o&&m&&_?"":" ")),!t.yearshtml)if(t.yearshtml="",o||!_)b+=""+i+"";else{for(u=this._get(t,"yearRange").split(":"),d=(new Date).getFullYear(),p=function(t){var e=t.match(/c[+\-].*/)?i+parseInt(t.substring(1),10):t.match(/[+\-].*/)?d+parseInt(t,10):parseInt(t,10);return isNaN(e)?d:e},f=p(u[0]),g=Math.max(f,p(u[1]||"")),f=s?Math.max(f,s.getFullYear()):f,g=n?Math.min(g,n.getFullYear()):g,t.yearshtml+="",b+=t.yearshtml,t.yearshtml=null}return b+=this._get(t,"yearSuffix"),v&&(b+=(!o&&m&&_?"":" ")+y),b+="
    "},_adjustInstDate:function(t,e,i){var s=t.selectedYear+("Y"===i?e:0),n=t.selectedMonth+("M"===i?e:0),o=Math.min(t.selectedDay,this._getDaysInMonth(s,n))+("D"===i?e:0),a=this._restrictMinMax(t,this._daylightSavingAdjust(new Date(s,n,o)));t.selectedDay=a.getDate(),t.drawMonth=t.selectedMonth=a.getMonth(),t.drawYear=t.selectedYear=a.getFullYear(),("M"===i||"Y"===i)&&this._notifyChange(t)},_restrictMinMax:function(t,e){var i=this._getMinMaxDate(t,"min"),s=this._getMinMaxDate(t,"max"),n=i&&i>e?i:e;return s&&n>s?s:n},_notifyChange:function(t){var e=this._get(t,"onChangeMonthYear");e&&e.apply(t.input?t.input[0]:null,[t.selectedYear,t.selectedMonth+1,t])},_getNumberOfMonths:function(t){var e=this._get(t,"numberOfMonths");return null==e?[1,1]:"number"==typeof e?[1,e]:e},_getMinMaxDate:function(t,e){return this._determineDate(t,this._get(t,e+"Date"),null)},_getDaysInMonth:function(t,e){return 32-this._daylightSavingAdjust(new Date(t,e,32)).getDate()},_getFirstDayOfMonth:function(t,e){return new Date(t,e,1).getDay()},_canAdjustMonth:function(t,e,i,s){var n=this._getNumberOfMonths(t),o=this._daylightSavingAdjust(new Date(i,s+(0>e?e:n[0]*n[1]),1));return 0>e&&o.setDate(this._getDaysInMonth(o.getFullYear(),o.getMonth())),this._isInRange(t,o)},_isInRange:function(t,e){var i,s,n=this._getMinMaxDate(t,"min"),o=this._getMinMaxDate(t,"max"),a=null,r=null,h=this._get(t,"yearRange");return h&&(i=h.split(":"),s=(new Date).getFullYear(),a=parseInt(i[0],10),r=parseInt(i[1],10),i[0].match(/[+\-].*/)&&(a+=s),i[1].match(/[+\-].*/)&&(r+=s)),(!n||e.getTime()>=n.getTime())&&(!o||e.getTime()<=o.getTime())&&(!a||e.getFullYear()>=a)&&(!r||r>=e.getFullYear())},_getFormatConfig:function(t){var e=this._get(t,"shortYearCutoff");return e="string"!=typeof e?e:(new Date).getFullYear()%100+parseInt(e,10),{shortYearCutoff:e,dayNamesShort:this._get(t,"dayNamesShort"),dayNames:this._get(t,"dayNames"),monthNamesShort:this._get(t,"monthNamesShort"),monthNames:this._get(t,"monthNames")}},_formatDate:function(t,e,i,s){e||(t.currentDay=t.selectedDay,t.currentMonth=t.selectedMonth,t.currentYear=t.selectedYear);var n=e?"object"==typeof e?e:this._daylightSavingAdjust(new Date(s,i,e)):this._daylightSavingAdjust(new Date(t.currentYear,t.currentMonth,t.currentDay));return this.formatDate(this._get(t,"dateFormat"),n,this._getFormatConfig(t))}}),t.fn.datepicker=function(e){if(!this.length)return this;t.datepicker.initialized||(t(document).on("mousedown",t.datepicker._checkExternalClick),t.datepicker.initialized=!0),0===t("#"+t.datepicker._mainDivId).length&&t("body").append(t.datepicker.dpDiv);var i=Array.prototype.slice.call(arguments,1);return"string"!=typeof e||"isDisabled"!==e&&"getDate"!==e&&"widget"!==e?"option"===e&&2===arguments.length&&"string"==typeof arguments[1]?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i)):this.each(function(){"string"==typeof e?t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this].concat(i)):t.datepicker._attachDatepicker(this,e)}):t.datepicker["_"+e+"Datepicker"].apply(t.datepicker,[this[0]].concat(i))},t.datepicker=new s,t.datepicker.initialized=!1,t.datepicker.uuid=(new Date).getTime(),t.datepicker.version="1.12.1",t.datepicker,t.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase());var _=!1;t(document).on("mouseup",function(){_=!1}),t.widget("ui.mouse",{version:"1.12.1",options:{cancel:"input, textarea, button, select, option",distance:1,delay:0},_mouseInit:function(){var e=this;this.element.on("mousedown."+this.widgetName,function(t){return e._mouseDown(t)}).on("click."+this.widgetName,function(i){return!0===t.data(i.target,e.widgetName+".preventClickEvent")?(t.removeData(i.target,e.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1):void 0}),this.started=!1},_mouseDestroy:function(){this.element.off("."+this.widgetName),this._mouseMoveDelegate&&this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(e){if(!_){this._mouseMoved=!1,this._mouseStarted&&this._mouseUp(e),this._mouseDownEvent=e;var i=this,s=1===e.which,n="string"==typeof this.options.cancel&&e.target.nodeName?t(e.target).closest(this.options.cancel).length:!1;return s&&!n&&this._mouseCapture(e)?(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){i.mouseDelayMet=!0},this.options.delay)),this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=this._mouseStart(e)!==!1,!this._mouseStarted)?(e.preventDefault(),!0):(!0===t.data(e.target,this.widgetName+".preventClickEvent")&&t.removeData(e.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(t){return i._mouseMove(t)},this._mouseUpDelegate=function(t){return i._mouseUp(t)},this.document.on("mousemove."+this.widgetName,this._mouseMoveDelegate).on("mouseup."+this.widgetName,this._mouseUpDelegate),e.preventDefault(),_=!0,!0)):!0}},_mouseMove:function(e){if(this._mouseMoved){if(t.ui.ie&&(!document.documentMode||9>document.documentMode)&&!e.button)return this._mouseUp(e);if(!e.which)if(e.originalEvent.altKey||e.originalEvent.ctrlKey||e.originalEvent.metaKey||e.originalEvent.shiftKey)this.ignoreMissingWhich=!0;else if(!this.ignoreMissingWhich)return this._mouseUp(e)}return(e.which||e.button)&&(this._mouseMoved=!0),this._mouseStarted?(this._mouseDrag(e),e.preventDefault()):(this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=this._mouseStart(this._mouseDownEvent,e)!==!1,this._mouseStarted?this._mouseDrag(e):this._mouseUp(e)),!this._mouseStarted)},_mouseUp:function(e){this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,e.target===this._mouseDownEvent.target&&t.data(e.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(e)),this._mouseDelayTimer&&(clearTimeout(this._mouseDelayTimer),delete this._mouseDelayTimer),this.ignoreMissingWhich=!1,_=!1,e.preventDefault()},_mouseDistanceMet:function(t){return Math.max(Math.abs(this._mouseDownEvent.pageX-t.pageX),Math.abs(this._mouseDownEvent.pageY-t.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}}),t.ui.plugin={add:function(e,i,s){var n,o=t.ui[e].prototype;for(n in s)o.plugins[n]=o.plugins[n]||[],o.plugins[n].push([i,s[n]])},call:function(t,e,i,s){var n,o=t.plugins[e];if(o&&(s||t.element[0].parentNode&&11!==t.element[0].parentNode.nodeType))for(n=0;o.length>n;n++)t.options[o[n][0]]&&o[n][1].apply(t.element,i)}},t.ui.safeBlur=function(e){e&&"body"!==e.nodeName.toLowerCase()&&t(e).trigger("blur")},t.widget("ui.draggable",t.ui.mouse,{version:"1.12.1",widgetEventPrefix:"drag",options:{addClasses:!0,appendTo:"parent",axis:!1,connectToSortable:!1,containment:!1,cursor:"auto",cursorAt:!1,grid:!1,handle:!1,helper:"original",iframeFix:!1,opacity:!1,refreshPositions:!1,revert:!1,revertDuration:500,scope:"default",scroll:!0,scrollSensitivity:20,scrollSpeed:20,snap:!1,snapMode:"both",snapTolerance:20,stack:!1,zIndex:!1,drag:null,start:null,stop:null},_create:function(){"original"===this.options.helper&&this._setPositionRelative(),this.options.addClasses&&this._addClass("ui-draggable"),this._setHandleClassName(),this._mouseInit()},_setOption:function(t,e){this._super(t,e),"handle"===t&&(this._removeHandleClassName(),this._setHandleClassName())},_destroy:function(){return(this.helper||this.element).is(".ui-draggable-dragging")?(this.destroyOnClear=!0,void 0):(this._removeHandleClassName(),this._mouseDestroy(),void 0)},_mouseCapture:function(e){var i=this.options;return this.helper||i.disabled||t(e.target).closest(".ui-resizable-handle").length>0?!1:(this.handle=this._getHandle(e),this.handle?(this._blurActiveElement(e),this._blockFrames(i.iframeFix===!0?"iframe":i.iframeFix),!0):!1)},_blockFrames:function(e){this.iframeBlocks=this.document.find(e).map(function(){var e=t(this);return t("
    ").css("position","absolute").appendTo(e.parent()).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).offset(e.offset())[0]})},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_blurActiveElement:function(e){var i=t.ui.safeActiveElement(this.document[0]),s=t(e.target);s.closest(i).length||t.ui.safeBlur(i)},_mouseStart:function(e){var i=this.options;return this.helper=this._createHelper(e),this._addClass(this.helper,"ui-draggable-dragging"),this._cacheHelperProportions(),t.ui.ddmanager&&(t.ui.ddmanager.current=this),this._cacheMargins(),this.cssPosition=this.helper.css("position"),this.scrollParent=this.helper.scrollParent(!0),this.offsetParent=this.helper.offsetParent(),this.hasFixedAncestor=this.helper.parents().filter(function(){return"fixed"===t(this).css("position")}).length>0,this.positionAbs=this.element.offset(),this._refreshOffsets(e),this.originalPosition=this.position=this._generatePosition(e,!1),this.originalPageX=e.pageX,this.originalPageY=e.pageY,i.cursorAt&&this._adjustOffsetFromHelper(i.cursorAt),this._setContainment(),this._trigger("start",e)===!1?(this._clear(),!1):(this._cacheHelperProportions(),t.ui.ddmanager&&!i.dropBehaviour&&t.ui.ddmanager.prepareOffsets(this,e),this._mouseDrag(e,!0),t.ui.ddmanager&&t.ui.ddmanager.dragStart(this,e),!0)},_refreshOffsets:function(t){this.offset={top:this.positionAbs.top-this.margins.top,left:this.positionAbs.left-this.margins.left,scroll:!1,parent:this._getParentOffset(),relative:this._getRelativeOffset()},this.offset.click={left:t.pageX-this.offset.left,top:t.pageY-this.offset.top}},_mouseDrag:function(e,i){if(this.hasFixedAncestor&&(this.offset.parent=this._getParentOffset()),this.position=this._generatePosition(e,!0),this.positionAbs=this._convertPositionTo("absolute"),!i){var s=this._uiHash();if(this._trigger("drag",e,s)===!1)return this._mouseUp(new t.Event("mouseup",e)),!1;this.position=s.position}return this.helper[0].style.left=this.position.left+"px",this.helper[0].style.top=this.position.top+"px",t.ui.ddmanager&&t.ui.ddmanager.drag(this,e),!1},_mouseStop:function(e){var i=this,s=!1;return t.ui.ddmanager&&!this.options.dropBehaviour&&(s=t.ui.ddmanager.drop(this,e)),this.dropped&&(s=this.dropped,this.dropped=!1),"invalid"===this.options.revert&&!s||"valid"===this.options.revert&&s||this.options.revert===!0||t.isFunction(this.options.revert)&&this.options.revert.call(this.element,s)?t(this.helper).animate(this.originalPosition,parseInt(this.options.revertDuration,10),function(){i._trigger("stop",e)!==!1&&i._clear()}):this._trigger("stop",e)!==!1&&this._clear(),!1},_mouseUp:function(e){return this._unblockFrames(),t.ui.ddmanager&&t.ui.ddmanager.dragStop(this,e),this.handleElement.is(e.target)&&this.element.trigger("focus"),t.ui.mouse.prototype._mouseUp.call(this,e)},cancel:function(){return this.helper.is(".ui-draggable-dragging")?this._mouseUp(new t.Event("mouseup",{target:this.element[0]})):this._clear(),this},_getHandle:function(e){return this.options.handle?!!t(e.target).closest(this.element.find(this.options.handle)).length:!0},_setHandleClassName:function(){this.handleElement=this.options.handle?this.element.find(this.options.handle):this.element,this._addClass(this.handleElement,"ui-draggable-handle")},_removeHandleClassName:function(){this._removeClass(this.handleElement,"ui-draggable-handle")},_createHelper:function(e){var i=this.options,s=t.isFunction(i.helper),n=s?t(i.helper.apply(this.element[0],[e])):"clone"===i.helper?this.element.clone().removeAttr("id"):this.element;return n.parents("body").length||n.appendTo("parent"===i.appendTo?this.element[0].parentNode:i.appendTo),s&&n[0]===this.element[0]&&this._setPositionRelative(),n[0]===this.element[0]||/(fixed|absolute)/.test(n.css("position"))||n.css("position","absolute"),n},_setPositionRelative:function(){/^(?:r|a|f)/.test(this.element.css("position"))||(this.element[0].style.position="relative")},_adjustOffsetFromHelper:function(e){"string"==typeof e&&(e=e.split(" ")),t.isArray(e)&&(e={left:+e[0],top:+e[1]||0}),"left"in e&&(this.offset.click.left=e.left+this.margins.left),"right"in e&&(this.offset.click.left=this.helperProportions.width-e.right+this.margins.left),"top"in e&&(this.offset.click.top=e.top+this.margins.top),"bottom"in e&&(this.offset.click.top=this.helperProportions.height-e.bottom+this.margins.top)},_isRootNode:function(t){return/(html|body)/i.test(t.tagName)||t===this.document[0]},_getParentOffset:function(){var e=this.offsetParent.offset(),i=this.document[0];return"absolute"===this.cssPosition&&this.scrollParent[0]!==i&&t.contains(this.scrollParent[0],this.offsetParent[0])&&(e.left+=this.scrollParent.scrollLeft(),e.top+=this.scrollParent.scrollTop()),this._isRootNode(this.offsetParent[0])&&(e={top:0,left:0}),{top:e.top+(parseInt(this.offsetParent.css("borderTopWidth"),10)||0),left:e.left+(parseInt(this.offsetParent.css("borderLeftWidth"),10)||0)}},_getRelativeOffset:function(){if("relative"!==this.cssPosition)return{top:0,left:0};var t=this.element.position(),e=this._isRootNode(this.scrollParent[0]);return{top:t.top-(parseInt(this.helper.css("top"),10)||0)+(e?0:this.scrollParent.scrollTop()),left:t.left-(parseInt(this.helper.css("left"),10)||0)+(e?0:this.scrollParent.scrollLeft())} -},_cacheMargins:function(){this.margins={left:parseInt(this.element.css("marginLeft"),10)||0,top:parseInt(this.element.css("marginTop"),10)||0,right:parseInt(this.element.css("marginRight"),10)||0,bottom:parseInt(this.element.css("marginBottom"),10)||0}},_cacheHelperProportions:function(){this.helperProportions={width:this.helper.outerWidth(),height:this.helper.outerHeight()}},_setContainment:function(){var e,i,s,n=this.options,o=this.document[0];return this.relativeContainer=null,n.containment?"window"===n.containment?(this.containment=[t(window).scrollLeft()-this.offset.relative.left-this.offset.parent.left,t(window).scrollTop()-this.offset.relative.top-this.offset.parent.top,t(window).scrollLeft()+t(window).width()-this.helperProportions.width-this.margins.left,t(window).scrollTop()+(t(window).height()||o.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top],void 0):"document"===n.containment?(this.containment=[0,0,t(o).width()-this.helperProportions.width-this.margins.left,(t(o).height()||o.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top],void 0):n.containment.constructor===Array?(this.containment=n.containment,void 0):("parent"===n.containment&&(n.containment=this.helper[0].parentNode),i=t(n.containment),s=i[0],s&&(e=/(scroll|auto)/.test(i.css("overflow")),this.containment=[(parseInt(i.css("borderLeftWidth"),10)||0)+(parseInt(i.css("paddingLeft"),10)||0),(parseInt(i.css("borderTopWidth"),10)||0)+(parseInt(i.css("paddingTop"),10)||0),(e?Math.max(s.scrollWidth,s.offsetWidth):s.offsetWidth)-(parseInt(i.css("borderRightWidth"),10)||0)-(parseInt(i.css("paddingRight"),10)||0)-this.helperProportions.width-this.margins.left-this.margins.right,(e?Math.max(s.scrollHeight,s.offsetHeight):s.offsetHeight)-(parseInt(i.css("borderBottomWidth"),10)||0)-(parseInt(i.css("paddingBottom"),10)||0)-this.helperProportions.height-this.margins.top-this.margins.bottom],this.relativeContainer=i),void 0):(this.containment=null,void 0)},_convertPositionTo:function(t,e){e||(e=this.position);var i="absolute"===t?1:-1,s=this._isRootNode(this.scrollParent[0]);return{top:e.top+this.offset.relative.top*i+this.offset.parent.top*i-("fixed"===this.cssPosition?-this.offset.scroll.top:s?0:this.offset.scroll.top)*i,left:e.left+this.offset.relative.left*i+this.offset.parent.left*i-("fixed"===this.cssPosition?-this.offset.scroll.left:s?0:this.offset.scroll.left)*i}},_generatePosition:function(t,e){var i,s,n,o,a=this.options,r=this._isRootNode(this.scrollParent[0]),h=t.pageX,l=t.pageY;return r&&this.offset.scroll||(this.offset.scroll={top:this.scrollParent.scrollTop(),left:this.scrollParent.scrollLeft()}),e&&(this.containment&&(this.relativeContainer?(s=this.relativeContainer.offset(),i=[this.containment[0]+s.left,this.containment[1]+s.top,this.containment[2]+s.left,this.containment[3]+s.top]):i=this.containment,t.pageX-this.offset.click.lefti[2]&&(h=i[2]+this.offset.click.left),t.pageY-this.offset.click.top>i[3]&&(l=i[3]+this.offset.click.top)),a.grid&&(n=a.grid[1]?this.originalPageY+Math.round((l-this.originalPageY)/a.grid[1])*a.grid[1]:this.originalPageY,l=i?n-this.offset.click.top>=i[1]||n-this.offset.click.top>i[3]?n:n-this.offset.click.top>=i[1]?n-a.grid[1]:n+a.grid[1]:n,o=a.grid[0]?this.originalPageX+Math.round((h-this.originalPageX)/a.grid[0])*a.grid[0]:this.originalPageX,h=i?o-this.offset.click.left>=i[0]||o-this.offset.click.left>i[2]?o:o-this.offset.click.left>=i[0]?o-a.grid[0]:o+a.grid[0]:o),"y"===a.axis&&(h=this.originalPageX),"x"===a.axis&&(l=this.originalPageY)),{top:l-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.offset.scroll.top:r?0:this.offset.scroll.top),left:h-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.offset.scroll.left:r?0:this.offset.scroll.left)}},_clear:function(){this._removeClass(this.helper,"ui-draggable-dragging"),this.helper[0]===this.element[0]||this.cancelHelperRemoval||this.helper.remove(),this.helper=null,this.cancelHelperRemoval=!1,this.destroyOnClear&&this.destroy()},_trigger:function(e,i,s){return s=s||this._uiHash(),t.ui.plugin.call(this,e,[i,s,this],!0),/^(drag|start|stop)/.test(e)&&(this.positionAbs=this._convertPositionTo("absolute"),s.offset=this.positionAbs),t.Widget.prototype._trigger.call(this,e,i,s)},plugins:{},_uiHash:function(){return{helper:this.helper,position:this.position,originalPosition:this.originalPosition,offset:this.positionAbs}}}),t.ui.plugin.add("draggable","connectToSortable",{start:function(e,i,s){var n=t.extend({},i,{item:s.element});s.sortables=[],t(s.options.connectToSortable).each(function(){var i=t(this).sortable("instance");i&&!i.options.disabled&&(s.sortables.push(i),i.refreshPositions(),i._trigger("activate",e,n))})},stop:function(e,i,s){var n=t.extend({},i,{item:s.element});s.cancelHelperRemoval=!1,t.each(s.sortables,function(){var t=this;t.isOver?(t.isOver=0,s.cancelHelperRemoval=!0,t.cancelHelperRemoval=!1,t._storedCSS={position:t.placeholder.css("position"),top:t.placeholder.css("top"),left:t.placeholder.css("left")},t._mouseStop(e),t.options.helper=t.options._helper):(t.cancelHelperRemoval=!0,t._trigger("deactivate",e,n))})},drag:function(e,i,s){t.each(s.sortables,function(){var n=!1,o=this;o.positionAbs=s.positionAbs,o.helperProportions=s.helperProportions,o.offset.click=s.offset.click,o._intersectsWith(o.containerCache)&&(n=!0,t.each(s.sortables,function(){return this.positionAbs=s.positionAbs,this.helperProportions=s.helperProportions,this.offset.click=s.offset.click,this!==o&&this._intersectsWith(this.containerCache)&&t.contains(o.element[0],this.element[0])&&(n=!1),n})),n?(o.isOver||(o.isOver=1,s._parent=i.helper.parent(),o.currentItem=i.helper.appendTo(o.element).data("ui-sortable-item",!0),o.options._helper=o.options.helper,o.options.helper=function(){return i.helper[0]},e.target=o.currentItem[0],o._mouseCapture(e,!0),o._mouseStart(e,!0,!0),o.offset.click.top=s.offset.click.top,o.offset.click.left=s.offset.click.left,o.offset.parent.left-=s.offset.parent.left-o.offset.parent.left,o.offset.parent.top-=s.offset.parent.top-o.offset.parent.top,s._trigger("toSortable",e),s.dropped=o.element,t.each(s.sortables,function(){this.refreshPositions()}),s.currentItem=s.element,o.fromOutside=s),o.currentItem&&(o._mouseDrag(e),i.position=o.position)):o.isOver&&(o.isOver=0,o.cancelHelperRemoval=!0,o.options._revert=o.options.revert,o.options.revert=!1,o._trigger("out",e,o._uiHash(o)),o._mouseStop(e,!0),o.options.revert=o.options._revert,o.options.helper=o.options._helper,o.placeholder&&o.placeholder.remove(),i.helper.appendTo(s._parent),s._refreshOffsets(e),i.position=s._generatePosition(e,!0),s._trigger("fromSortable",e),s.dropped=!1,t.each(s.sortables,function(){this.refreshPositions()}))})}}),t.ui.plugin.add("draggable","cursor",{start:function(e,i,s){var n=t("body"),o=s.options;n.css("cursor")&&(o._cursor=n.css("cursor")),n.css("cursor",o.cursor)},stop:function(e,i,s){var n=s.options;n._cursor&&t("body").css("cursor",n._cursor)}}),t.ui.plugin.add("draggable","opacity",{start:function(e,i,s){var n=t(i.helper),o=s.options;n.css("opacity")&&(o._opacity=n.css("opacity")),n.css("opacity",o.opacity)},stop:function(e,i,s){var n=s.options;n._opacity&&t(i.helper).css("opacity",n._opacity)}}),t.ui.plugin.add("draggable","scroll",{start:function(t,e,i){i.scrollParentNotHidden||(i.scrollParentNotHidden=i.helper.scrollParent(!1)),i.scrollParentNotHidden[0]!==i.document[0]&&"HTML"!==i.scrollParentNotHidden[0].tagName&&(i.overflowOffset=i.scrollParentNotHidden.offset())},drag:function(e,i,s){var n=s.options,o=!1,a=s.scrollParentNotHidden[0],r=s.document[0];a!==r&&"HTML"!==a.tagName?(n.axis&&"x"===n.axis||(s.overflowOffset.top+a.offsetHeight-e.pageY=0;d--)h=s.snapElements[d].left-s.margins.left,l=h+s.snapElements[d].width,c=s.snapElements[d].top-s.margins.top,u=c+s.snapElements[d].height,h-g>_||m>l+g||c-g>b||v>u+g||!t.contains(s.snapElements[d].item.ownerDocument,s.snapElements[d].item)?(s.snapElements[d].snapping&&s.options.snap.release&&s.options.snap.release.call(s.element,e,t.extend(s._uiHash(),{snapItem:s.snapElements[d].item})),s.snapElements[d].snapping=!1):("inner"!==f.snapMode&&(n=g>=Math.abs(c-b),o=g>=Math.abs(u-v),a=g>=Math.abs(h-_),r=g>=Math.abs(l-m),n&&(i.position.top=s._convertPositionTo("relative",{top:c-s.helperProportions.height,left:0}).top),o&&(i.position.top=s._convertPositionTo("relative",{top:u,left:0}).top),a&&(i.position.left=s._convertPositionTo("relative",{top:0,left:h-s.helperProportions.width}).left),r&&(i.position.left=s._convertPositionTo("relative",{top:0,left:l}).left)),p=n||o||a||r,"outer"!==f.snapMode&&(n=g>=Math.abs(c-v),o=g>=Math.abs(u-b),a=g>=Math.abs(h-m),r=g>=Math.abs(l-_),n&&(i.position.top=s._convertPositionTo("relative",{top:c,left:0}).top),o&&(i.position.top=s._convertPositionTo("relative",{top:u-s.helperProportions.height,left:0}).top),a&&(i.position.left=s._convertPositionTo("relative",{top:0,left:h}).left),r&&(i.position.left=s._convertPositionTo("relative",{top:0,left:l-s.helperProportions.width}).left)),!s.snapElements[d].snapping&&(n||o||a||r||p)&&s.options.snap.snap&&s.options.snap.snap.call(s.element,e,t.extend(s._uiHash(),{snapItem:s.snapElements[d].item})),s.snapElements[d].snapping=n||o||a||r||p)}}),t.ui.plugin.add("draggable","stack",{start:function(e,i,s){var n,o=s.options,a=t.makeArray(t(o.stack)).sort(function(e,i){return(parseInt(t(e).css("zIndex"),10)||0)-(parseInt(t(i).css("zIndex"),10)||0)});a.length&&(n=parseInt(t(a[0]).css("zIndex"),10)||0,t(a).each(function(e){t(this).css("zIndex",n+e)}),this.css("zIndex",n+a.length))}}),t.ui.plugin.add("draggable","zIndex",{start:function(e,i,s){var n=t(i.helper),o=s.options;n.css("zIndex")&&(o._zIndex=n.css("zIndex")),n.css("zIndex",o.zIndex)},stop:function(e,i,s){var n=s.options;n._zIndex&&t(i.helper).css("zIndex",n._zIndex)}}),t.ui.draggable,t.widget("ui.resizable",t.ui.mouse,{version:"1.12.1",widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,classes:{"ui-resizable-se":"ui-icon ui-icon-gripsmall-diagonal-se"},containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:90,resize:null,start:null,stop:null},_num:function(t){return parseFloat(t)||0},_isNumber:function(t){return!isNaN(parseFloat(t))},_hasScroll:function(e,i){if("hidden"===t(e).css("overflow"))return!1;var s=i&&"left"===i?"scrollLeft":"scrollTop",n=!1;return e[s]>0?!0:(e[s]=1,n=e[s]>0,e[s]=0,n)},_create:function(){var e,i=this.options,s=this;this._addClass("ui-resizable"),t.extend(this,{_aspectRatio:!!i.aspectRatio,aspectRatio:i.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:i.helper||i.ghost||i.animate?i.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/^(canvas|textarea|input|select|button|img)$/i)&&(this.element.wrap(t("
    ").css({position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("ui-resizable",this.element.resizable("instance")),this.elementIsWrapper=!0,e={marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom"),marginLeft:this.originalElement.css("marginLeft")},this.element.css(e),this.originalElement.css("margin",0),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css(e),this._proportionallyResize()),this._setupHandles(),i.autoHide&&t(this.element).on("mouseenter",function(){i.disabled||(s._removeClass("ui-resizable-autohide"),s._handles.show())}).on("mouseleave",function(){i.disabled||s.resizing||(s._addClass("ui-resizable-autohide"),s._handles.hide())}),this._mouseInit()},_destroy:function(){this._mouseDestroy();var e,i=function(e){t(e).removeData("resizable").removeData("ui-resizable").off(".resizable").find(".ui-resizable-handle").remove()};return this.elementIsWrapper&&(i(this.element),e=this.element,this.originalElement.css({position:e.css("position"),width:e.outerWidth(),height:e.outerHeight(),top:e.css("top"),left:e.css("left")}).insertAfter(e),e.remove()),this.originalElement.css("resize",this.originalResizeStyle),i(this.originalElement),this},_setOption:function(t,e){switch(this._super(t,e),t){case"handles":this._removeHandles(),this._setupHandles();break;default:}},_setupHandles:function(){var e,i,s,n,o,a=this.options,r=this;if(this.handles=a.handles||(t(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se"),this._handles=t(),this.handles.constructor===String)for("all"===this.handles&&(this.handles="n,e,s,w,se,sw,ne,nw"),s=this.handles.split(","),this.handles={},i=0;s.length>i;i++)e=t.trim(s[i]),n="ui-resizable-"+e,o=t("
    "),this._addClass(o,"ui-resizable-handle "+n),o.css({zIndex:a.zIndex}),this.handles[e]=".ui-resizable-"+e,this.element.append(o);this._renderAxis=function(e){var i,s,n,o;e=e||this.element;for(i in this.handles)this.handles[i].constructor===String?this.handles[i]=this.element.children(this.handles[i]).first().show():(this.handles[i].jquery||this.handles[i].nodeType)&&(this.handles[i]=t(this.handles[i]),this._on(this.handles[i],{mousedown:r._mouseDown})),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/^(textarea|input|select|button)$/i)&&(s=t(this.handles[i],this.element),o=/sw|ne|nw|se|n|s/.test(i)?s.outerHeight():s.outerWidth(),n=["padding",/ne|nw|n/.test(i)?"Top":/se|sw|s/.test(i)?"Bottom":/^e$/.test(i)?"Right":"Left"].join(""),e.css(n,o),this._proportionallyResize()),this._handles=this._handles.add(this.handles[i])},this._renderAxis(this.element),this._handles=this._handles.add(this.element.find(".ui-resizable-handle")),this._handles.disableSelection(),this._handles.on("mouseover",function(){r.resizing||(this.className&&(o=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i)),r.axis=o&&o[1]?o[1]:"se")}),a.autoHide&&(this._handles.hide(),this._addClass("ui-resizable-autohide"))},_removeHandles:function(){this._handles.remove()},_mouseCapture:function(e){var i,s,n=!1;for(i in this.handles)s=t(this.handles[i])[0],(s===e.target||t.contains(s,e.target))&&(n=!0);return!this.options.disabled&&n},_mouseStart:function(e){var i,s,n,o=this.options,a=this.element;return this.resizing=!0,this._renderProxy(),i=this._num(this.helper.css("left")),s=this._num(this.helper.css("top")),o.containment&&(i+=t(o.containment).scrollLeft()||0,s+=t(o.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:i,top:s},this.size=this._helper?{width:this.helper.width(),height:this.helper.height()}:{width:a.width(),height:a.height()},this.originalSize=this._helper?{width:a.outerWidth(),height:a.outerHeight()}:{width:a.width(),height:a.height()},this.sizeDiff={width:a.outerWidth()-a.width(),height:a.outerHeight()-a.height()},this.originalPosition={left:i,top:s},this.originalMousePosition={left:e.pageX,top:e.pageY},this.aspectRatio="number"==typeof o.aspectRatio?o.aspectRatio:this.originalSize.width/this.originalSize.height||1,n=t(".ui-resizable-"+this.axis).css("cursor"),t("body").css("cursor","auto"===n?this.axis+"-resize":n),this._addClass("ui-resizable-resizing"),this._propagate("start",e),!0},_mouseDrag:function(e){var i,s,n=this.originalMousePosition,o=this.axis,a=e.pageX-n.left||0,r=e.pageY-n.top||0,h=this._change[o];return this._updatePrevProperties(),h?(i=h.apply(this,[e,a,r]),this._updateVirtualBoundaries(e.shiftKey),(this._aspectRatio||e.shiftKey)&&(i=this._updateRatio(i,e)),i=this._respectSize(i,e),this._updateCache(i),this._propagate("resize",e),s=this._applyChanges(),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),t.isEmptyObject(s)||(this._updatePrevProperties(),this._trigger("resize",e,this.ui()),this._applyChanges()),!1):!1},_mouseStop:function(e){this.resizing=!1;var i,s,n,o,a,r,h,l=this.options,c=this;return this._helper&&(i=this._proportionallyResizeElements,s=i.length&&/textarea/i.test(i[0].nodeName),n=s&&this._hasScroll(i[0],"left")?0:c.sizeDiff.height,o=s?0:c.sizeDiff.width,a={width:c.helper.width()-o,height:c.helper.height()-n},r=parseFloat(c.element.css("left"))+(c.position.left-c.originalPosition.left)||null,h=parseFloat(c.element.css("top"))+(c.position.top-c.originalPosition.top)||null,l.animate||this.element.css(t.extend(a,{top:h,left:r})),c.helper.height(c.size.height),c.helper.width(c.size.width),this._helper&&!l.animate&&this._proportionallyResize()),t("body").css("cursor","auto"),this._removeClass("ui-resizable-resizing"),this._propagate("stop",e),this._helper&&this.helper.remove(),!1},_updatePrevProperties:function(){this.prevPosition={top:this.position.top,left:this.position.left},this.prevSize={width:this.size.width,height:this.size.height}},_applyChanges:function(){var t={};return this.position.top!==this.prevPosition.top&&(t.top=this.position.top+"px"),this.position.left!==this.prevPosition.left&&(t.left=this.position.left+"px"),this.size.width!==this.prevSize.width&&(t.width=this.size.width+"px"),this.size.height!==this.prevSize.height&&(t.height=this.size.height+"px"),this.helper.css(t),t},_updateVirtualBoundaries:function(t){var e,i,s,n,o,a=this.options;o={minWidth:this._isNumber(a.minWidth)?a.minWidth:0,maxWidth:this._isNumber(a.maxWidth)?a.maxWidth:1/0,minHeight:this._isNumber(a.minHeight)?a.minHeight:0,maxHeight:this._isNumber(a.maxHeight)?a.maxHeight:1/0},(this._aspectRatio||t)&&(e=o.minHeight*this.aspectRatio,s=o.minWidth/this.aspectRatio,i=o.maxHeight*this.aspectRatio,n=o.maxWidth/this.aspectRatio,e>o.minWidth&&(o.minWidth=e),s>o.minHeight&&(o.minHeight=s),o.maxWidth>i&&(o.maxWidth=i),o.maxHeight>n&&(o.maxHeight=n)),this._vBoundaries=o},_updateCache:function(t){this.offset=this.helper.offset(),this._isNumber(t.left)&&(this.position.left=t.left),this._isNumber(t.top)&&(this.position.top=t.top),this._isNumber(t.height)&&(this.size.height=t.height),this._isNumber(t.width)&&(this.size.width=t.width)},_updateRatio:function(t){var e=this.position,i=this.size,s=this.axis;return this._isNumber(t.height)?t.width=t.height*this.aspectRatio:this._isNumber(t.width)&&(t.height=t.width/this.aspectRatio),"sw"===s&&(t.left=e.left+(i.width-t.width),t.top=null),"nw"===s&&(t.top=e.top+(i.height-t.height),t.left=e.left+(i.width-t.width)),t},_respectSize:function(t){var e=this._vBoundaries,i=this.axis,s=this._isNumber(t.width)&&e.maxWidth&&e.maxWidtht.width,a=this._isNumber(t.height)&&e.minHeight&&e.minHeight>t.height,r=this.originalPosition.left+this.originalSize.width,h=this.originalPosition.top+this.originalSize.height,l=/sw|nw|w/.test(i),c=/nw|ne|n/.test(i);return o&&(t.width=e.minWidth),a&&(t.height=e.minHeight),s&&(t.width=e.maxWidth),n&&(t.height=e.maxHeight),o&&l&&(t.left=r-e.minWidth),s&&l&&(t.left=r-e.maxWidth),a&&c&&(t.top=h-e.minHeight),n&&c&&(t.top=h-e.maxHeight),t.width||t.height||t.left||!t.top?t.width||t.height||t.top||!t.left||(t.left=null):t.top=null,t},_getPaddingPlusBorderDimensions:function(t){for(var e=0,i=[],s=[t.css("borderTopWidth"),t.css("borderRightWidth"),t.css("borderBottomWidth"),t.css("borderLeftWidth")],n=[t.css("paddingTop"),t.css("paddingRight"),t.css("paddingBottom"),t.css("paddingLeft")];4>e;e++)i[e]=parseFloat(s[e])||0,i[e]+=parseFloat(n[e])||0;return{height:i[0]+i[2],width:i[1]+i[3]}},_proportionallyResize:function(){if(this._proportionallyResizeElements.length)for(var t,e=0,i=this.helper||this.element;this._proportionallyResizeElements.length>e;e++)t=this._proportionallyResizeElements[e],this.outerDimensions||(this.outerDimensions=this._getPaddingPlusBorderDimensions(t)),t.css({height:i.height()-this.outerDimensions.height||0,width:i.width()-this.outerDimensions.width||0})},_renderProxy:function(){var e=this.element,i=this.options;this.elementOffset=e.offset(),this._helper?(this.helper=this.helper||t("
    "),this._addClass(this.helper,this._helper),this.helper.css({width:this.element.outerWidth(),height:this.element.outerHeight(),position:"absolute",left:this.elementOffset.left+"px",top:this.elementOffset.top+"px",zIndex:++i.zIndex}),this.helper.appendTo("body").disableSelection()):this.helper=this.element},_change:{e:function(t,e){return{width:this.originalSize.width+e}},w:function(t,e){var i=this.originalSize,s=this.originalPosition;return{left:s.left+e,width:i.width-e}},n:function(t,e,i){var s=this.originalSize,n=this.originalPosition;return{top:n.top+i,height:s.height-i}},s:function(t,e,i){return{height:this.originalSize.height+i}},se:function(e,i,s){return t.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[e,i,s]))},sw:function(e,i,s){return t.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[e,i,s]))},ne:function(e,i,s){return t.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[e,i,s]))},nw:function(e,i,s){return t.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[e,i,s]))}},_propagate:function(e,i){t.ui.plugin.call(this,e,[i,this.ui()]),"resize"!==e&&this._trigger(e,i,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),t.ui.plugin.add("resizable","animate",{stop:function(e){var i=t(this).resizable("instance"),s=i.options,n=i._proportionallyResizeElements,o=n.length&&/textarea/i.test(n[0].nodeName),a=o&&i._hasScroll(n[0],"left")?0:i.sizeDiff.height,r=o?0:i.sizeDiff.width,h={width:i.size.width-r,height:i.size.height-a},l=parseFloat(i.element.css("left"))+(i.position.left-i.originalPosition.left)||null,c=parseFloat(i.element.css("top"))+(i.position.top-i.originalPosition.top)||null;i.element.animate(t.extend(h,c&&l?{top:c,left:l}:{}),{duration:s.animateDuration,easing:s.animateEasing,step:function(){var s={width:parseFloat(i.element.css("width")),height:parseFloat(i.element.css("height")),top:parseFloat(i.element.css("top")),left:parseFloat(i.element.css("left"))};n&&n.length&&t(n[0]).css({width:s.width,height:s.height}),i._updateCache(s),i._propagate("resize",e)}})}}),t.ui.plugin.add("resizable","containment",{start:function(){var e,i,s,n,o,a,r,h=t(this).resizable("instance"),l=h.options,c=h.element,u=l.containment,d=u instanceof t?u.get(0):/parent/.test(u)?c.parent().get(0):u;d&&(h.containerElement=t(d),/document/.test(u)||u===document?(h.containerOffset={left:0,top:0},h.containerPosition={left:0,top:0},h.parentData={element:t(document),left:0,top:0,width:t(document).width(),height:t(document).height()||document.body.parentNode.scrollHeight}):(e=t(d),i=[],t(["Top","Right","Left","Bottom"]).each(function(t,s){i[t]=h._num(e.css("padding"+s))}),h.containerOffset=e.offset(),h.containerPosition=e.position(),h.containerSize={height:e.innerHeight()-i[3],width:e.innerWidth()-i[1]},s=h.containerOffset,n=h.containerSize.height,o=h.containerSize.width,a=h._hasScroll(d,"left")?d.scrollWidth:o,r=h._hasScroll(d)?d.scrollHeight:n,h.parentData={element:d,left:s.left,top:s.top,width:a,height:r}))},resize:function(e){var i,s,n,o,a=t(this).resizable("instance"),r=a.options,h=a.containerOffset,l=a.position,c=a._aspectRatio||e.shiftKey,u={top:0,left:0},d=a.containerElement,p=!0;d[0]!==document&&/static/.test(d.css("position"))&&(u=h),l.left<(a._helper?h.left:0)&&(a.size.width=a.size.width+(a._helper?a.position.left-h.left:a.position.left-u.left),c&&(a.size.height=a.size.width/a.aspectRatio,p=!1),a.position.left=r.helper?h.left:0),l.top<(a._helper?h.top:0)&&(a.size.height=a.size.height+(a._helper?a.position.top-h.top:a.position.top),c&&(a.size.width=a.size.height*a.aspectRatio,p=!1),a.position.top=a._helper?h.top:0),n=a.containerElement.get(0)===a.element.parent().get(0),o=/relative|absolute/.test(a.containerElement.css("position")),n&&o?(a.offset.left=a.parentData.left+a.position.left,a.offset.top=a.parentData.top+a.position.top):(a.offset.left=a.element.offset().left,a.offset.top=a.element.offset().top),i=Math.abs(a.sizeDiff.width+(a._helper?a.offset.left-u.left:a.offset.left-h.left)),s=Math.abs(a.sizeDiff.height+(a._helper?a.offset.top-u.top:a.offset.top-h.top)),i+a.size.width>=a.parentData.width&&(a.size.width=a.parentData.width-i,c&&(a.size.height=a.size.width/a.aspectRatio,p=!1)),s+a.size.height>=a.parentData.height&&(a.size.height=a.parentData.height-s,c&&(a.size.width=a.size.height*a.aspectRatio,p=!1)),p||(a.position.left=a.prevPosition.left,a.position.top=a.prevPosition.top,a.size.width=a.prevSize.width,a.size.height=a.prevSize.height)},stop:function(){var e=t(this).resizable("instance"),i=e.options,s=e.containerOffset,n=e.containerPosition,o=e.containerElement,a=t(e.helper),r=a.offset(),h=a.outerWidth()-e.sizeDiff.width,l=a.outerHeight()-e.sizeDiff.height;e._helper&&!i.animate&&/relative/.test(o.css("position"))&&t(this).css({left:r.left-n.left-s.left,width:h,height:l}),e._helper&&!i.animate&&/static/.test(o.css("position"))&&t(this).css({left:r.left-n.left-s.left,width:h,height:l})}}),t.ui.plugin.add("resizable","alsoResize",{start:function(){var e=t(this).resizable("instance"),i=e.options;t(i.alsoResize).each(function(){var e=t(this);e.data("ui-resizable-alsoresize",{width:parseFloat(e.width()),height:parseFloat(e.height()),left:parseFloat(e.css("left")),top:parseFloat(e.css("top"))})})},resize:function(e,i){var s=t(this).resizable("instance"),n=s.options,o=s.originalSize,a=s.originalPosition,r={height:s.size.height-o.height||0,width:s.size.width-o.width||0,top:s.position.top-a.top||0,left:s.position.left-a.left||0};t(n.alsoResize).each(function(){var e=t(this),s=t(this).data("ui-resizable-alsoresize"),n={},o=e.parents(i.originalElement[0]).length?["width","height"]:["width","height","top","left"];t.each(o,function(t,e){var i=(s[e]||0)+(r[e]||0);i&&i>=0&&(n[e]=i||null)}),e.css(n)})},stop:function(){t(this).removeData("ui-resizable-alsoresize")}}),t.ui.plugin.add("resizable","ghost",{start:function(){var e=t(this).resizable("instance"),i=e.size;e.ghost=e.originalElement.clone(),e.ghost.css({opacity:.25,display:"block",position:"relative",height:i.height,width:i.width,margin:0,left:0,top:0}),e._addClass(e.ghost,"ui-resizable-ghost"),t.uiBackCompat!==!1&&"string"==typeof e.options.ghost&&e.ghost.addClass(this.options.ghost),e.ghost.appendTo(e.helper)},resize:function(){var e=t(this).resizable("instance");e.ghost&&e.ghost.css({position:"relative",height:e.size.height,width:e.size.width})},stop:function(){var e=t(this).resizable("instance");e.ghost&&e.helper&&e.helper.get(0).removeChild(e.ghost.get(0))}}),t.ui.plugin.add("resizable","grid",{resize:function(){var e,i=t(this).resizable("instance"),s=i.options,n=i.size,o=i.originalSize,a=i.originalPosition,r=i.axis,h="number"==typeof s.grid?[s.grid,s.grid]:s.grid,l=h[0]||1,c=h[1]||1,u=Math.round((n.width-o.width)/l)*l,d=Math.round((n.height-o.height)/c)*c,p=o.width+u,f=o.height+d,g=s.maxWidth&&p>s.maxWidth,m=s.maxHeight&&f>s.maxHeight,_=s.minWidth&&s.minWidth>p,v=s.minHeight&&s.minHeight>f;s.grid=h,_&&(p+=l),v&&(f+=c),g&&(p-=l),m&&(f-=c),/^(se|s|e)$/.test(r)?(i.size.width=p,i.size.height=f):/^(ne)$/.test(r)?(i.size.width=p,i.size.height=f,i.position.top=a.top-d):/^(sw)$/.test(r)?(i.size.width=p,i.size.height=f,i.position.left=a.left-u):((0>=f-c||0>=p-l)&&(e=i._getPaddingPlusBorderDimensions(this)),f-c>0?(i.size.height=f,i.position.top=a.top-d):(f=c-e.height,i.size.height=f,i.position.top=a.top+o.height-f),p-l>0?(i.size.width=p,i.position.left=a.left-u):(p=l-e.width,i.size.width=p,i.position.left=a.left+o.width-p))}}),t.ui.resizable,t.widget("ui.dialog",{version:"1.12.1",options:{appendTo:"body",autoOpen:!0,buttons:[],classes:{"ui-dialog":"ui-corner-all","ui-dialog-titlebar":"ui-corner-all"},closeOnEscape:!0,closeText:"Close",draggable:!0,hide:null,height:"auto",maxHeight:null,maxWidth:null,minHeight:150,minWidth:150,modal:!1,position:{my:"center",at:"center",of:window,collision:"fit",using:function(e){var i=t(this).css(e).offset().top;0>i&&t(this).css("top",e.top-i)}},resizable:!0,show:null,title:null,width:300,beforeClose:null,close:null,drag:null,dragStart:null,dragStop:null,focus:null,open:null,resize:null,resizeStart:null,resizeStop:null},sizeRelatedOptions:{buttons:!0,height:!0,maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0,width:!0},resizableRelatedOptions:{maxHeight:!0,maxWidth:!0,minHeight:!0,minWidth:!0},_create:function(){this.originalCss={display:this.element[0].style.display,width:this.element[0].style.width,minHeight:this.element[0].style.minHeight,maxHeight:this.element[0].style.maxHeight,height:this.element[0].style.height},this.originalPosition={parent:this.element.parent(),index:this.element.parent().children().index(this.element)},this.originalTitle=this.element.attr("title"),null==this.options.title&&null!=this.originalTitle&&(this.options.title=this.originalTitle),this.options.disabled&&(this.options.disabled=!1),this._createWrapper(),this.element.show().removeAttr("title").appendTo(this.uiDialog),this._addClass("ui-dialog-content","ui-widget-content"),this._createTitlebar(),this._createButtonPane(),this.options.draggable&&t.fn.draggable&&this._makeDraggable(),this.options.resizable&&t.fn.resizable&&this._makeResizable(),this._isOpen=!1,this._trackFocus()},_init:function(){this.options.autoOpen&&this.open()},_appendTo:function(){var e=this.options.appendTo;return e&&(e.jquery||e.nodeType)?t(e):this.document.find(e||"body").eq(0)},_destroy:function(){var t,e=this.originalPosition;this._untrackInstance(),this._destroyOverlay(),this.element.removeUniqueId().css(this.originalCss).detach(),this.uiDialog.remove(),this.originalTitle&&this.element.attr("title",this.originalTitle),t=e.parent.children().eq(e.index),t.length&&t[0]!==this.element[0]?t.before(this.element):e.parent.append(this.element)},widget:function(){return this.uiDialog -},disable:t.noop,enable:t.noop,close:function(e){var i=this;this._isOpen&&this._trigger("beforeClose",e)!==!1&&(this._isOpen=!1,this._focusedElement=null,this._destroyOverlay(),this._untrackInstance(),this.opener.filter(":focusable").trigger("focus").length||t.ui.safeBlur(t.ui.safeActiveElement(this.document[0])),this._hide(this.uiDialog,this.options.hide,function(){i._trigger("close",e)}))},isOpen:function(){return this._isOpen},moveToTop:function(){this._moveToTop()},_moveToTop:function(e,i){var s=!1,n=this.uiDialog.siblings(".ui-front:visible").map(function(){return+t(this).css("z-index")}).get(),o=Math.max.apply(null,n);return o>=+this.uiDialog.css("z-index")&&(this.uiDialog.css("z-index",o+1),s=!0),s&&!i&&this._trigger("focus",e),s},open:function(){var e=this;return this._isOpen?(this._moveToTop()&&this._focusTabbable(),void 0):(this._isOpen=!0,this.opener=t(t.ui.safeActiveElement(this.document[0])),this._size(),this._position(),this._createOverlay(),this._moveToTop(null,!0),this.overlay&&this.overlay.css("z-index",this.uiDialog.css("z-index")-1),this._show(this.uiDialog,this.options.show,function(){e._focusTabbable(),e._trigger("focus")}),this._makeFocusTarget(),this._trigger("open"),void 0)},_focusTabbable:function(){var t=this._focusedElement;t||(t=this.element.find("[autofocus]")),t.length||(t=this.element.find(":tabbable")),t.length||(t=this.uiDialogButtonPane.find(":tabbable")),t.length||(t=this.uiDialogTitlebarClose.filter(":tabbable")),t.length||(t=this.uiDialog),t.eq(0).trigger("focus")},_keepFocus:function(e){function i(){var e=t.ui.safeActiveElement(this.document[0]),i=this.uiDialog[0]===e||t.contains(this.uiDialog[0],e);i||this._focusTabbable()}e.preventDefault(),i.call(this),this._delay(i)},_createWrapper:function(){this.uiDialog=t("
    ").hide().attr({tabIndex:-1,role:"dialog"}).appendTo(this._appendTo()),this._addClass(this.uiDialog,"ui-dialog","ui-widget ui-widget-content ui-front"),this._on(this.uiDialog,{keydown:function(e){if(this.options.closeOnEscape&&!e.isDefaultPrevented()&&e.keyCode&&e.keyCode===t.ui.keyCode.ESCAPE)return e.preventDefault(),this.close(e),void 0;if(e.keyCode===t.ui.keyCode.TAB&&!e.isDefaultPrevented()){var i=this.uiDialog.find(":tabbable"),s=i.filter(":first"),n=i.filter(":last");e.target!==n[0]&&e.target!==this.uiDialog[0]||e.shiftKey?e.target!==s[0]&&e.target!==this.uiDialog[0]||!e.shiftKey||(this._delay(function(){n.trigger("focus")}),e.preventDefault()):(this._delay(function(){s.trigger("focus")}),e.preventDefault())}},mousedown:function(t){this._moveToTop(t)&&this._focusTabbable()}}),this.element.find("[aria-describedby]").length||this.uiDialog.attr({"aria-describedby":this.element.uniqueId().attr("id")})},_createTitlebar:function(){var e;this.uiDialogTitlebar=t("
    "),this._addClass(this.uiDialogTitlebar,"ui-dialog-titlebar","ui-widget-header ui-helper-clearfix"),this._on(this.uiDialogTitlebar,{mousedown:function(e){t(e.target).closest(".ui-dialog-titlebar-close")||this.uiDialog.trigger("focus")}}),this.uiDialogTitlebarClose=t("").button({label:t("").text(this.options.closeText).html(),icon:"ui-icon-closethick",showLabel:!1}).appendTo(this.uiDialogTitlebar),this._addClass(this.uiDialogTitlebarClose,"ui-dialog-titlebar-close"),this._on(this.uiDialogTitlebarClose,{click:function(t){t.preventDefault(),this.close(t)}}),e=t("").uniqueId().prependTo(this.uiDialogTitlebar),this._addClass(e,"ui-dialog-title"),this._title(e),this.uiDialogTitlebar.prependTo(this.uiDialog),this.uiDialog.attr({"aria-labelledby":e.attr("id")})},_title:function(t){this.options.title?t.text(this.options.title):t.html(" ")},_createButtonPane:function(){this.uiDialogButtonPane=t("
    "),this._addClass(this.uiDialogButtonPane,"ui-dialog-buttonpane","ui-widget-content ui-helper-clearfix"),this.uiButtonSet=t("
    ").appendTo(this.uiDialogButtonPane),this._addClass(this.uiButtonSet,"ui-dialog-buttonset"),this._createButtons()},_createButtons:function(){var e=this,i=this.options.buttons;return this.uiDialogButtonPane.remove(),this.uiButtonSet.empty(),t.isEmptyObject(i)||t.isArray(i)&&!i.length?(this._removeClass(this.uiDialog,"ui-dialog-buttons"),void 0):(t.each(i,function(i,s){var n,o;s=t.isFunction(s)?{click:s,text:i}:s,s=t.extend({type:"button"},s),n=s.click,o={icon:s.icon,iconPosition:s.iconPosition,showLabel:s.showLabel,icons:s.icons,text:s.text},delete s.click,delete s.icon,delete s.iconPosition,delete s.showLabel,delete s.icons,"boolean"==typeof s.text&&delete s.text,t("",s).button(o).appendTo(e.uiButtonSet).on("click",function(){n.apply(e.element[0],arguments)})}),this._addClass(this.uiDialog,"ui-dialog-buttons"),this.uiDialogButtonPane.appendTo(this.uiDialog),void 0)},_makeDraggable:function(){function e(t){return{position:t.position,offset:t.offset}}var i=this,s=this.options;this.uiDialog.draggable({cancel:".ui-dialog-content, .ui-dialog-titlebar-close",handle:".ui-dialog-titlebar",containment:"document",start:function(s,n){i._addClass(t(this),"ui-dialog-dragging"),i._blockFrames(),i._trigger("dragStart",s,e(n))},drag:function(t,s){i._trigger("drag",t,e(s))},stop:function(n,o){var a=o.offset.left-i.document.scrollLeft(),r=o.offset.top-i.document.scrollTop();s.position={my:"left top",at:"left"+(a>=0?"+":"")+a+" "+"top"+(r>=0?"+":"")+r,of:i.window},i._removeClass(t(this),"ui-dialog-dragging"),i._unblockFrames(),i._trigger("dragStop",n,e(o))}})},_makeResizable:function(){function e(t){return{originalPosition:t.originalPosition,originalSize:t.originalSize,position:t.position,size:t.size}}var i=this,s=this.options,n=s.resizable,o=this.uiDialog.css("position"),a="string"==typeof n?n:"n,e,s,w,se,sw,ne,nw";this.uiDialog.resizable({cancel:".ui-dialog-content",containment:"document",alsoResize:this.element,maxWidth:s.maxWidth,maxHeight:s.maxHeight,minWidth:s.minWidth,minHeight:this._minHeight(),handles:a,start:function(s,n){i._addClass(t(this),"ui-dialog-resizing"),i._blockFrames(),i._trigger("resizeStart",s,e(n))},resize:function(t,s){i._trigger("resize",t,e(s))},stop:function(n,o){var a=i.uiDialog.offset(),r=a.left-i.document.scrollLeft(),h=a.top-i.document.scrollTop();s.height=i.uiDialog.height(),s.width=i.uiDialog.width(),s.position={my:"left top",at:"left"+(r>=0?"+":"")+r+" "+"top"+(h>=0?"+":"")+h,of:i.window},i._removeClass(t(this),"ui-dialog-resizing"),i._unblockFrames(),i._trigger("resizeStop",n,e(o))}}).css("position",o)},_trackFocus:function(){this._on(this.widget(),{focusin:function(e){this._makeFocusTarget(),this._focusedElement=t(e.target)}})},_makeFocusTarget:function(){this._untrackInstance(),this._trackingInstances().unshift(this)},_untrackInstance:function(){var e=this._trackingInstances(),i=t.inArray(this,e);-1!==i&&e.splice(i,1)},_trackingInstances:function(){var t=this.document.data("ui-dialog-instances");return t||(t=[],this.document.data("ui-dialog-instances",t)),t},_minHeight:function(){var t=this.options;return"auto"===t.height?t.minHeight:Math.min(t.minHeight,t.height)},_position:function(){var t=this.uiDialog.is(":visible");t||this.uiDialog.show(),this.uiDialog.position(this.options.position),t||this.uiDialog.hide()},_setOptions:function(e){var i=this,s=!1,n={};t.each(e,function(t,e){i._setOption(t,e),t in i.sizeRelatedOptions&&(s=!0),t in i.resizableRelatedOptions&&(n[t]=e)}),s&&(this._size(),this._position()),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option",n)},_setOption:function(e,i){var s,n,o=this.uiDialog;"disabled"!==e&&(this._super(e,i),"appendTo"===e&&this.uiDialog.appendTo(this._appendTo()),"buttons"===e&&this._createButtons(),"closeText"===e&&this.uiDialogTitlebarClose.button({label:t("").text(""+this.options.closeText).html()}),"draggable"===e&&(s=o.is(":data(ui-draggable)"),s&&!i&&o.draggable("destroy"),!s&&i&&this._makeDraggable()),"position"===e&&this._position(),"resizable"===e&&(n=o.is(":data(ui-resizable)"),n&&!i&&o.resizable("destroy"),n&&"string"==typeof i&&o.resizable("option","handles",i),n||i===!1||this._makeResizable()),"title"===e&&this._title(this.uiDialogTitlebar.find(".ui-dialog-title")))},_size:function(){var t,e,i,s=this.options;this.element.show().css({width:"auto",minHeight:0,maxHeight:"none",height:0}),s.minWidth>s.width&&(s.width=s.minWidth),t=this.uiDialog.css({height:"auto",width:s.width}).outerHeight(),e=Math.max(0,s.minHeight-t),i="number"==typeof s.maxHeight?Math.max(0,s.maxHeight-t):"none","auto"===s.height?this.element.css({minHeight:e,maxHeight:i,height:"auto"}):this.element.height(Math.max(0,s.height-t)),this.uiDialog.is(":data(ui-resizable)")&&this.uiDialog.resizable("option","minHeight",this._minHeight())},_blockFrames:function(){this.iframeBlocks=this.document.find("iframe").map(function(){var e=t(this);return t("
    ").css({position:"absolute",width:e.outerWidth(),height:e.outerHeight()}).appendTo(e.parent()).offset(e.offset())[0]})},_unblockFrames:function(){this.iframeBlocks&&(this.iframeBlocks.remove(),delete this.iframeBlocks)},_allowInteraction:function(e){return t(e.target).closest(".ui-dialog").length?!0:!!t(e.target).closest(".ui-datepicker").length},_createOverlay:function(){if(this.options.modal){var e=!0;this._delay(function(){e=!1}),this.document.data("ui-dialog-overlays")||this._on(this.document,{focusin:function(t){e||this._allowInteraction(t)||(t.preventDefault(),this._trackingInstances()[0]._focusTabbable())}}),this.overlay=t("
    ").appendTo(this._appendTo()),this._addClass(this.overlay,null,"ui-widget-overlay ui-front"),this._on(this.overlay,{mousedown:"_keepFocus"}),this.document.data("ui-dialog-overlays",(this.document.data("ui-dialog-overlays")||0)+1)}},_destroyOverlay:function(){if(this.options.modal&&this.overlay){var t=this.document.data("ui-dialog-overlays")-1;t?this.document.data("ui-dialog-overlays",t):(this._off(this.document,"focusin"),this.document.removeData("ui-dialog-overlays")),this.overlay.remove(),this.overlay=null}}}),t.uiBackCompat!==!1&&t.widget("ui.dialog",t.ui.dialog,{options:{dialogClass:""},_createWrapper:function(){this._super(),this.uiDialog.addClass(this.options.dialogClass)},_setOption:function(t,e){"dialogClass"===t&&this.uiDialog.removeClass(this.options.dialogClass).addClass(e),this._superApply(arguments)}}),t.ui.dialog,t.widget("ui.droppable",{version:"1.12.1",widgetEventPrefix:"drop",options:{accept:"*",addClasses:!0,greedy:!1,scope:"default",tolerance:"intersect",activate:null,deactivate:null,drop:null,out:null,over:null},_create:function(){var e,i=this.options,s=i.accept;this.isover=!1,this.isout=!0,this.accept=t.isFunction(s)?s:function(t){return t.is(s)},this.proportions=function(){return arguments.length?(e=arguments[0],void 0):e?e:e={width:this.element[0].offsetWidth,height:this.element[0].offsetHeight}},this._addToManager(i.scope),i.addClasses&&this._addClass("ui-droppable")},_addToManager:function(e){t.ui.ddmanager.droppables[e]=t.ui.ddmanager.droppables[e]||[],t.ui.ddmanager.droppables[e].push(this)},_splice:function(t){for(var e=0;t.length>e;e++)t[e]===this&&t.splice(e,1)},_destroy:function(){var e=t.ui.ddmanager.droppables[this.options.scope];this._splice(e)},_setOption:function(e,i){if("accept"===e)this.accept=t.isFunction(i)?i:function(t){return t.is(i)};else if("scope"===e){var s=t.ui.ddmanager.droppables[this.options.scope];this._splice(s),this._addToManager(i)}this._super(e,i)},_activate:function(e){var i=t.ui.ddmanager.current;this._addActiveClass(),i&&this._trigger("activate",e,this.ui(i))},_deactivate:function(e){var i=t.ui.ddmanager.current;this._removeActiveClass(),i&&this._trigger("deactivate",e,this.ui(i))},_over:function(e){var i=t.ui.ddmanager.current;i&&(i.currentItem||i.element)[0]!==this.element[0]&&this.accept.call(this.element[0],i.currentItem||i.element)&&(this._addHoverClass(),this._trigger("over",e,this.ui(i)))},_out:function(e){var i=t.ui.ddmanager.current;i&&(i.currentItem||i.element)[0]!==this.element[0]&&this.accept.call(this.element[0],i.currentItem||i.element)&&(this._removeHoverClass(),this._trigger("out",e,this.ui(i)))},_drop:function(e,i){var s=i||t.ui.ddmanager.current,n=!1;return s&&(s.currentItem||s.element)[0]!==this.element[0]?(this.element.find(":data(ui-droppable)").not(".ui-draggable-dragging").each(function(){var i=t(this).droppable("instance");return i.options.greedy&&!i.options.disabled&&i.options.scope===s.options.scope&&i.accept.call(i.element[0],s.currentItem||s.element)&&v(s,t.extend(i,{offset:i.element.offset()}),i.options.tolerance,e)?(n=!0,!1):void 0}),n?!1:this.accept.call(this.element[0],s.currentItem||s.element)?(this._removeActiveClass(),this._removeHoverClass(),this._trigger("drop",e,this.ui(s)),this.element):!1):!1},ui:function(t){return{draggable:t.currentItem||t.element,helper:t.helper,position:t.position,offset:t.positionAbs}},_addHoverClass:function(){this._addClass("ui-droppable-hover")},_removeHoverClass:function(){this._removeClass("ui-droppable-hover")},_addActiveClass:function(){this._addClass("ui-droppable-active")},_removeActiveClass:function(){this._removeClass("ui-droppable-active")}});var v=t.ui.intersect=function(){function t(t,e,i){return t>=e&&e+i>t}return function(e,i,s,n){if(!i.offset)return!1;var o=(e.positionAbs||e.position.absolute).left+e.margins.left,a=(e.positionAbs||e.position.absolute).top+e.margins.top,r=o+e.helperProportions.width,h=a+e.helperProportions.height,l=i.offset.left,c=i.offset.top,u=l+i.proportions().width,d=c+i.proportions().height;switch(s){case"fit":return o>=l&&u>=r&&a>=c&&d>=h;case"intersect":return o+e.helperProportions.width/2>l&&u>r-e.helperProportions.width/2&&a+e.helperProportions.height/2>c&&d>h-e.helperProportions.height/2;case"pointer":return t(n.pageY,c,i.proportions().height)&&t(n.pageX,l,i.proportions().width);case"touch":return(a>=c&&d>=a||h>=c&&d>=h||c>a&&h>d)&&(o>=l&&u>=o||r>=l&&u>=r||l>o&&r>u);default:return!1}}}();t.ui.ddmanager={current:null,droppables:{"default":[]},prepareOffsets:function(e,i){var s,n,o=t.ui.ddmanager.droppables[e.options.scope]||[],a=i?i.type:null,r=(e.currentItem||e.element).find(":data(ui-droppable)").addBack();t:for(s=0;o.length>s;s++)if(!(o[s].options.disabled||e&&!o[s].accept.call(o[s].element[0],e.currentItem||e.element))){for(n=0;r.length>n;n++)if(r[n]===o[s].element[0]){o[s].proportions().height=0;continue t}o[s].visible="none"!==o[s].element.css("display"),o[s].visible&&("mousedown"===a&&o[s]._activate.call(o[s],i),o[s].offset=o[s].element.offset(),o[s].proportions({width:o[s].element[0].offsetWidth,height:o[s].element[0].offsetHeight}))}},drop:function(e,i){var s=!1;return t.each((t.ui.ddmanager.droppables[e.options.scope]||[]).slice(),function(){this.options&&(!this.options.disabled&&this.visible&&v(e,this,this.options.tolerance,i)&&(s=this._drop.call(this,i)||s),!this.options.disabled&&this.visible&&this.accept.call(this.element[0],e.currentItem||e.element)&&(this.isout=!0,this.isover=!1,this._deactivate.call(this,i)))}),s},dragStart:function(e,i){e.element.parentsUntil("body").on("scroll.droppable",function(){e.options.refreshPositions||t.ui.ddmanager.prepareOffsets(e,i)})},drag:function(e,i){e.options.refreshPositions&&t.ui.ddmanager.prepareOffsets(e,i),t.each(t.ui.ddmanager.droppables[e.options.scope]||[],function(){if(!this.options.disabled&&!this.greedyChild&&this.visible){var s,n,o,a=v(e,this,this.options.tolerance,i),r=!a&&this.isover?"isout":a&&!this.isover?"isover":null;r&&(this.options.greedy&&(n=this.options.scope,o=this.element.parents(":data(ui-droppable)").filter(function(){return t(this).droppable("instance").options.scope===n}),o.length&&(s=t(o[0]).droppable("instance"),s.greedyChild="isover"===r)),s&&"isover"===r&&(s.isover=!1,s.isout=!0,s._out.call(s,i)),this[r]=!0,this["isout"===r?"isover":"isout"]=!1,this["isover"===r?"_over":"_out"].call(this,i),s&&"isout"===r&&(s.isout=!1,s.isover=!0,s._over.call(s,i)))}})},dragStop:function(e,i){e.element.parentsUntil("body").off("scroll.droppable"),e.options.refreshPositions||t.ui.ddmanager.prepareOffsets(e,i)}},t.uiBackCompat!==!1&&t.widget("ui.droppable",t.ui.droppable,{options:{hoverClass:!1,activeClass:!1},_addActiveClass:function(){this._super(),this.options.activeClass&&this.element.addClass(this.options.activeClass)},_removeActiveClass:function(){this._super(),this.options.activeClass&&this.element.removeClass(this.options.activeClass)},_addHoverClass:function(){this._super(),this.options.hoverClass&&this.element.addClass(this.options.hoverClass)},_removeHoverClass:function(){this._super(),this.options.hoverClass&&this.element.removeClass(this.options.hoverClass)}}),t.ui.droppable,t.widget("ui.progressbar",{version:"1.12.1",options:{classes:{"ui-progressbar":"ui-corner-all","ui-progressbar-value":"ui-corner-left","ui-progressbar-complete":"ui-corner-right"},max:100,value:0,change:null,complete:null},min:0,_create:function(){this.oldValue=this.options.value=this._constrainedValue(),this.element.attr({role:"progressbar","aria-valuemin":this.min}),this._addClass("ui-progressbar","ui-widget ui-widget-content"),this.valueDiv=t("
    ").appendTo(this.element),this._addClass(this.valueDiv,"ui-progressbar-value","ui-widget-header"),this._refreshValue()},_destroy:function(){this.element.removeAttr("role aria-valuemin aria-valuemax aria-valuenow"),this.valueDiv.remove()},value:function(t){return void 0===t?this.options.value:(this.options.value=this._constrainedValue(t),this._refreshValue(),void 0)},_constrainedValue:function(t){return void 0===t&&(t=this.options.value),this.indeterminate=t===!1,"number"!=typeof t&&(t=0),this.indeterminate?!1:Math.min(this.options.max,Math.max(this.min,t))},_setOptions:function(t){var e=t.value;delete t.value,this._super(t),this.options.value=this._constrainedValue(e),this._refreshValue()},_setOption:function(t,e){"max"===t&&(e=Math.max(this.min,e)),this._super(t,e)},_setOptionDisabled:function(t){this._super(t),this.element.attr("aria-disabled",t),this._toggleClass(null,"ui-state-disabled",!!t)},_percentage:function(){return this.indeterminate?100:100*(this.options.value-this.min)/(this.options.max-this.min)},_refreshValue:function(){var e=this.options.value,i=this._percentage();this.valueDiv.toggle(this.indeterminate||e>this.min).width(i.toFixed(0)+"%"),this._toggleClass(this.valueDiv,"ui-progressbar-complete",null,e===this.options.max)._toggleClass("ui-progressbar-indeterminate",null,this.indeterminate),this.indeterminate?(this.element.removeAttr("aria-valuenow"),this.overlayDiv||(this.overlayDiv=t("
    ").appendTo(this.valueDiv),this._addClass(this.overlayDiv,"ui-progressbar-overlay"))):(this.element.attr({"aria-valuemax":this.options.max,"aria-valuenow":e}),this.overlayDiv&&(this.overlayDiv.remove(),this.overlayDiv=null)),this.oldValue!==e&&(this.oldValue=e,this._trigger("change")),e===this.options.max&&this._trigger("complete")}}),t.widget("ui.selectable",t.ui.mouse,{version:"1.12.1",options:{appendTo:"body",autoRefresh:!0,distance:0,filter:"*",tolerance:"touch",selected:null,selecting:null,start:null,stop:null,unselected:null,unselecting:null},_create:function(){var e=this;this._addClass("ui-selectable"),this.dragged=!1,this.refresh=function(){e.elementPos=t(e.element[0]).offset(),e.selectees=t(e.options.filter,e.element[0]),e._addClass(e.selectees,"ui-selectee"),e.selectees.each(function(){var i=t(this),s=i.offset(),n={left:s.left-e.elementPos.left,top:s.top-e.elementPos.top};t.data(this,"selectable-item",{element:this,$element:i,left:n.left,top:n.top,right:n.left+i.outerWidth(),bottom:n.top+i.outerHeight(),startselected:!1,selected:i.hasClass("ui-selected"),selecting:i.hasClass("ui-selecting"),unselecting:i.hasClass("ui-unselecting")})})},this.refresh(),this._mouseInit(),this.helper=t("
    "),this._addClass(this.helper,"ui-selectable-helper")},_destroy:function(){this.selectees.removeData("selectable-item"),this._mouseDestroy()},_mouseStart:function(e){var i=this,s=this.options;this.opos=[e.pageX,e.pageY],this.elementPos=t(this.element[0]).offset(),this.options.disabled||(this.selectees=t(s.filter,this.element[0]),this._trigger("start",e),t(s.appendTo).append(this.helper),this.helper.css({left:e.pageX,top:e.pageY,width:0,height:0}),s.autoRefresh&&this.refresh(),this.selectees.filter(".ui-selected").each(function(){var s=t.data(this,"selectable-item");s.startselected=!0,e.metaKey||e.ctrlKey||(i._removeClass(s.$element,"ui-selected"),s.selected=!1,i._addClass(s.$element,"ui-unselecting"),s.unselecting=!0,i._trigger("unselecting",e,{unselecting:s.element}))}),t(e.target).parents().addBack().each(function(){var s,n=t.data(this,"selectable-item");return n?(s=!e.metaKey&&!e.ctrlKey||!n.$element.hasClass("ui-selected"),i._removeClass(n.$element,s?"ui-unselecting":"ui-selected")._addClass(n.$element,s?"ui-selecting":"ui-unselecting"),n.unselecting=!s,n.selecting=s,n.selected=s,s?i._trigger("selecting",e,{selecting:n.element}):i._trigger("unselecting",e,{unselecting:n.element}),!1):void 0}))},_mouseDrag:function(e){if(this.dragged=!0,!this.options.disabled){var i,s=this,n=this.options,o=this.opos[0],a=this.opos[1],r=e.pageX,h=e.pageY;return o>r&&(i=r,r=o,o=i),a>h&&(i=h,h=a,a=i),this.helper.css({left:o,top:a,width:r-o,height:h-a}),this.selectees.each(function(){var i=t.data(this,"selectable-item"),l=!1,c={};i&&i.element!==s.element[0]&&(c.left=i.left+s.elementPos.left,c.right=i.right+s.elementPos.left,c.top=i.top+s.elementPos.top,c.bottom=i.bottom+s.elementPos.top,"touch"===n.tolerance?l=!(c.left>r||o>c.right||c.top>h||a>c.bottom):"fit"===n.tolerance&&(l=c.left>o&&r>c.right&&c.top>a&&h>c.bottom),l?(i.selected&&(s._removeClass(i.$element,"ui-selected"),i.selected=!1),i.unselecting&&(s._removeClass(i.$element,"ui-unselecting"),i.unselecting=!1),i.selecting||(s._addClass(i.$element,"ui-selecting"),i.selecting=!0,s._trigger("selecting",e,{selecting:i.element}))):(i.selecting&&((e.metaKey||e.ctrlKey)&&i.startselected?(s._removeClass(i.$element,"ui-selecting"),i.selecting=!1,s._addClass(i.$element,"ui-selected"),i.selected=!0):(s._removeClass(i.$element,"ui-selecting"),i.selecting=!1,i.startselected&&(s._addClass(i.$element,"ui-unselecting"),i.unselecting=!0),s._trigger("unselecting",e,{unselecting:i.element}))),i.selected&&(e.metaKey||e.ctrlKey||i.startselected||(s._removeClass(i.$element,"ui-selected"),i.selected=!1,s._addClass(i.$element,"ui-unselecting"),i.unselecting=!0,s._trigger("unselecting",e,{unselecting:i.element})))))}),!1}},_mouseStop:function(e){var i=this;return this.dragged=!1,t(".ui-unselecting",this.element[0]).each(function(){var s=t.data(this,"selectable-item");i._removeClass(s.$element,"ui-unselecting"),s.unselecting=!1,s.startselected=!1,i._trigger("unselected",e,{unselected:s.element})}),t(".ui-selecting",this.element[0]).each(function(){var s=t.data(this,"selectable-item");i._removeClass(s.$element,"ui-selecting")._addClass(s.$element,"ui-selected"),s.selecting=!1,s.selected=!0,s.startselected=!0,i._trigger("selected",e,{selected:s.element})}),this._trigger("stop",e),this.helper.remove(),!1}}),t.widget("ui.selectmenu",[t.ui.formResetMixin,{version:"1.12.1",defaultElement:"",widgetEventPrefix:"spin",options:{classes:{"ui-spinner":"ui-corner-all","ui-spinner-down":"ui-corner-br","ui-spinner-up":"ui-corner-tr"},culture:null,icons:{down:"ui-icon-triangle-1-s",up:"ui-icon-triangle-1-n"},incremental:!0,max:null,min:null,numberFormat:null,page:10,step:1,change:null,spin:null,start:null,stop:null},_create:function(){this._setOption("max",this.options.max),this._setOption("min",this.options.min),this._setOption("step",this.options.step),""!==this.value()&&this._value(this.element.val(),!0),this._draw(),this._on(this._events),this._refresh(),this._on(this.window,{beforeunload:function(){this.element.removeAttr("autocomplete")}})},_getCreateOptions:function(){var e=this._super(),i=this.element;return t.each(["min","max","step"],function(t,s){var n=i.attr(s);null!=n&&n.length&&(e[s]=n)}),e},_events:{keydown:function(t){this._start(t)&&this._keydown(t)&&t.preventDefault()},keyup:"_stop",focus:function(){this.previous=this.element.val()},blur:function(t){return this.cancelBlur?(delete this.cancelBlur,void 0):(this._stop(),this._refresh(),this.previous!==this.element.val()&&this._trigger("change",t),void 0)},mousewheel:function(t,e){if(e){if(!this.spinning&&!this._start(t))return!1;this._spin((e>0?1:-1)*this.options.step,t),clearTimeout(this.mousewheelTimer),this.mousewheelTimer=this._delay(function(){this.spinning&&this._stop(t)},100),t.preventDefault()}},"mousedown .ui-spinner-button":function(e){function i(){var e=this.element[0]===t.ui.safeActiveElement(this.document[0]);e||(this.element.trigger("focus"),this.previous=s,this._delay(function(){this.previous=s}))}var s;s=this.element[0]===t.ui.safeActiveElement(this.document[0])?this.previous:this.element.val(),e.preventDefault(),i.call(this),this.cancelBlur=!0,this._delay(function(){delete this.cancelBlur,i.call(this)}),this._start(e)!==!1&&this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e)},"mouseup .ui-spinner-button":"_stop","mouseenter .ui-spinner-button":function(e){return t(e.currentTarget).hasClass("ui-state-active")?this._start(e)===!1?!1:(this._repeat(null,t(e.currentTarget).hasClass("ui-spinner-up")?1:-1,e),void 0):void 0},"mouseleave .ui-spinner-button":"_stop"},_enhance:function(){this.uiSpinner=this.element.attr("autocomplete","off").wrap("").parent().append("")},_draw:function(){this._enhance(),this._addClass(this.uiSpinner,"ui-spinner","ui-widget ui-widget-content"),this._addClass("ui-spinner-input"),this.element.attr("role","spinbutton"),this.buttons=this.uiSpinner.children("a").attr("tabIndex",-1).attr("aria-hidden",!0).button({classes:{"ui-button":""}}),this._removeClass(this.buttons,"ui-corner-all"),this._addClass(this.buttons.first(),"ui-spinner-button ui-spinner-up"),this._addClass(this.buttons.last(),"ui-spinner-button ui-spinner-down"),this.buttons.first().button({icon:this.options.icons.up,showLabel:!1}),this.buttons.last().button({icon:this.options.icons.down,showLabel:!1}),this.buttons.height()>Math.ceil(.5*this.uiSpinner.height())&&this.uiSpinner.height()>0&&this.uiSpinner.height(this.uiSpinner.height())},_keydown:function(e){var i=this.options,s=t.ui.keyCode;switch(e.keyCode){case s.UP:return this._repeat(null,1,e),!0;case s.DOWN:return this._repeat(null,-1,e),!0;case s.PAGE_UP:return this._repeat(null,i.page,e),!0;case s.PAGE_DOWN:return this._repeat(null,-i.page,e),!0}return!1},_start:function(t){return this.spinning||this._trigger("start",t)!==!1?(this.counter||(this.counter=1),this.spinning=!0,!0):!1},_repeat:function(t,e,i){t=t||500,clearTimeout(this.timer),this.timer=this._delay(function(){this._repeat(40,e,i)},t),this._spin(e*this.options.step,i)},_spin:function(t,e){var i=this.value()||0;this.counter||(this.counter=1),i=this._adjustValue(i+t*this._increment(this.counter)),this.spinning&&this._trigger("spin",e,{value:i})===!1||(this._value(i),this.counter++)},_increment:function(e){var i=this.options.incremental;return i?t.isFunction(i)?i(e):Math.floor(e*e*e/5e4-e*e/500+17*e/200+1):1},_precision:function(){var t=this._precisionOf(this.options.step);return null!==this.options.min&&(t=Math.max(t,this._precisionOf(this.options.min))),t},_precisionOf:function(t){var e=""+t,i=e.indexOf(".");return-1===i?0:e.length-i-1},_adjustValue:function(t){var e,i,s=this.options;return e=null!==s.min?s.min:0,i=t-e,i=Math.round(i/s.step)*s.step,t=e+i,t=parseFloat(t.toFixed(this._precision())),null!==s.max&&t>s.max?s.max:null!==s.min&&s.min>t?s.min:t},_stop:function(t){this.spinning&&(clearTimeout(this.timer),clearTimeout(this.mousewheelTimer),this.counter=0,this.spinning=!1,this._trigger("stop",t))},_setOption:function(t,e){var i,s,n;return"culture"===t||"numberFormat"===t?(i=this._parse(this.element.val()),this.options[t]=e,this.element.val(this._format(i)),void 0):(("max"===t||"min"===t||"step"===t)&&"string"==typeof e&&(e=this._parse(e)),"icons"===t&&(s=this.buttons.first().find(".ui-icon"),this._removeClass(s,null,this.options.icons.up),this._addClass(s,null,e.up),n=this.buttons.last().find(".ui-icon"),this._removeClass(n,null,this.options.icons.down),this._addClass(n,null,e.down)),this._super(t,e),void 0)},_setOptionDisabled:function(t){this._super(t),this._toggleClass(this.uiSpinner,null,"ui-state-disabled",!!t),this.element.prop("disabled",!!t),this.buttons.button(t?"disable":"enable")},_setOptions:r(function(t){this._super(t)}),_parse:function(t){return"string"==typeof t&&""!==t&&(t=window.Globalize&&this.options.numberFormat?Globalize.parseFloat(t,10,this.options.culture):+t),""===t||isNaN(t)?null:t},_format:function(t){return""===t?"":window.Globalize&&this.options.numberFormat?Globalize.format(t,this.options.numberFormat,this.options.culture):t},_refresh:function(){this.element.attr({"aria-valuemin":this.options.min,"aria-valuemax":this.options.max,"aria-valuenow":this._parse(this.element.val())})},isValid:function(){var t=this.value();return null===t?!1:t===this._adjustValue(t)},_value:function(t,e){var i;""!==t&&(i=this._parse(t),null!==i&&(e||(i=this._adjustValue(i)),t=this._format(i))),this.element.val(t),this._refresh()},_destroy:function(){this.element.prop("disabled",!1).removeAttr("autocomplete role aria-valuemin aria-valuemax aria-valuenow"),this.uiSpinner.replaceWith(this.element)},stepUp:r(function(t){this._stepUp(t)}),_stepUp:function(t){this._start()&&(this._spin((t||1)*this.options.step),this._stop())},stepDown:r(function(t){this._stepDown(t)}),_stepDown:function(t){this._start()&&(this._spin((t||1)*-this.options.step),this._stop())},pageUp:r(function(t){this._stepUp((t||1)*this.options.page)}),pageDown:r(function(t){this._stepDown((t||1)*this.options.page)}),value:function(t){return arguments.length?(r(this._value).call(this,t),void 0):this._parse(this.element.val())},widget:function(){return this.uiSpinner}}),t.uiBackCompat!==!1&&t.widget("ui.spinner",t.ui.spinner,{_enhance:function(){this.uiSpinner=this.element.attr("autocomplete","off").wrap(this._uiSpinnerHtml()).parent().append(this._buttonHtml())},_uiSpinnerHtml:function(){return""},_buttonHtml:function(){return""}}),t.ui.spinner,t.widget("ui.tabs",{version:"1.12.1",delay:300,options:{active:null,classes:{"ui-tabs":"ui-corner-all","ui-tabs-nav":"ui-corner-all","ui-tabs-panel":"ui-corner-bottom","ui-tabs-tab":"ui-corner-top"},collapsible:!1,event:"click",heightStyle:"content",hide:null,show:null,activate:null,beforeActivate:null,beforeLoad:null,load:null},_isLocal:function(){var t=/#.*$/;return function(e){var i,s;i=e.href.replace(t,""),s=location.href.replace(t,"");try{i=decodeURIComponent(i)}catch(n){}try{s=decodeURIComponent(s)}catch(n){}return e.hash.length>1&&i===s}}(),_create:function(){var e=this,i=this.options;this.running=!1,this._addClass("ui-tabs","ui-widget ui-widget-content"),this._toggleClass("ui-tabs-collapsible",null,i.collapsible),this._processTabs(),i.active=this._initialActive(),t.isArray(i.disabled)&&(i.disabled=t.unique(i.disabled.concat(t.map(this.tabs.filter(".ui-state-disabled"),function(t){return e.tabs.index(t)}))).sort()),this.active=this.options.active!==!1&&this.anchors.length?this._findActive(i.active):t(),this._refresh(),this.active.length&&this.load(i.active)},_initialActive:function(){var e=this.options.active,i=this.options.collapsible,s=location.hash.substring(1);return null===e&&(s&&this.tabs.each(function(i,n){return t(n).attr("aria-controls")===s?(e=i,!1):void 0}),null===e&&(e=this.tabs.index(this.tabs.filter(".ui-tabs-active"))),(null===e||-1===e)&&(e=this.tabs.length?0:!1)),e!==!1&&(e=this.tabs.index(this.tabs.eq(e)),-1===e&&(e=i?!1:0)),!i&&e===!1&&this.anchors.length&&(e=0),e},_getCreateEventData:function(){return{tab:this.active,panel:this.active.length?this._getPanelForTab(this.active):t()}},_tabKeydown:function(e){var i=t(t.ui.safeActiveElement(this.document[0])).closest("li"),s=this.tabs.index(i),n=!0;if(!this._handlePageNav(e)){switch(e.keyCode){case t.ui.keyCode.RIGHT:case t.ui.keyCode.DOWN:s++;break;case t.ui.keyCode.UP:case t.ui.keyCode.LEFT:n=!1,s--;break;case t.ui.keyCode.END:s=this.anchors.length-1;break;case t.ui.keyCode.HOME:s=0;break;case t.ui.keyCode.SPACE:return e.preventDefault(),clearTimeout(this.activating),this._activate(s),void 0;case t.ui.keyCode.ENTER:return e.preventDefault(),clearTimeout(this.activating),this._activate(s===this.options.active?!1:s),void 0;default:return}e.preventDefault(),clearTimeout(this.activating),s=this._focusNextTab(s,n),e.ctrlKey||e.metaKey||(i.attr("aria-selected","false"),this.tabs.eq(s).attr("aria-selected","true"),this.activating=this._delay(function(){this.option("active",s)},this.delay))}},_panelKeydown:function(e){this._handlePageNav(e)||e.ctrlKey&&e.keyCode===t.ui.keyCode.UP&&(e.preventDefault(),this.active.trigger("focus"))},_handlePageNav:function(e){return e.altKey&&e.keyCode===t.ui.keyCode.PAGE_UP?(this._activate(this._focusNextTab(this.options.active-1,!1)),!0):e.altKey&&e.keyCode===t.ui.keyCode.PAGE_DOWN?(this._activate(this._focusNextTab(this.options.active+1,!0)),!0):void 0},_findNextTab:function(e,i){function s(){return e>n&&(e=0),0>e&&(e=n),e}for(var n=this.tabs.length-1;-1!==t.inArray(s(),this.options.disabled);)e=i?e+1:e-1;return e},_focusNextTab:function(t,e){return t=this._findNextTab(t,e),this.tabs.eq(t).trigger("focus"),t},_setOption:function(t,e){return"active"===t?(this._activate(e),void 0):(this._super(t,e),"collapsible"===t&&(this._toggleClass("ui-tabs-collapsible",null,e),e||this.options.active!==!1||this._activate(0)),"event"===t&&this._setupEvents(e),"heightStyle"===t&&this._setupHeightStyle(e),void 0)},_sanitizeSelector:function(t){return t?t.replace(/[!"$%&'()*+,.\/:;<=>?@\[\]\^`{|}~]/g,"\\$&"):""},refresh:function(){var e=this.options,i=this.tablist.children(":has(a[href])");e.disabled=t.map(i.filter(".ui-state-disabled"),function(t){return i.index(t)}),this._processTabs(),e.active!==!1&&this.anchors.length?this.active.length&&!t.contains(this.tablist[0],this.active[0])?this.tabs.length===e.disabled.length?(e.active=!1,this.active=t()):this._activate(this._findNextTab(Math.max(0,e.active-1),!1)):e.active=this.tabs.index(this.active):(e.active=!1,this.active=t()),this._refresh()},_refresh:function(){this._setOptionDisabled(this.options.disabled),this._setupEvents(this.options.event),this._setupHeightStyle(this.options.heightStyle),this.tabs.not(this.active).attr({"aria-selected":"false","aria-expanded":"false",tabIndex:-1}),this.panels.not(this._getPanelForTab(this.active)).hide().attr({"aria-hidden":"true"}),this.active.length?(this.active.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0}),this._addClass(this.active,"ui-tabs-active","ui-state-active"),this._getPanelForTab(this.active).show().attr({"aria-hidden":"false"})):this.tabs.eq(0).attr("tabIndex",0)},_processTabs:function(){var e=this,i=this.tabs,s=this.anchors,n=this.panels;this.tablist=this._getList().attr("role","tablist"),this._addClass(this.tablist,"ui-tabs-nav","ui-helper-reset ui-helper-clearfix ui-widget-header"),this.tablist.on("mousedown"+this.eventNamespace,"> li",function(e){t(this).is(".ui-state-disabled")&&e.preventDefault()}).on("focus"+this.eventNamespace,".ui-tabs-anchor",function(){t(this).closest("li").is(".ui-state-disabled")&&this.blur()}),this.tabs=this.tablist.find("> li:has(a[href])").attr({role:"tab",tabIndex:-1}),this._addClass(this.tabs,"ui-tabs-tab","ui-state-default"),this.anchors=this.tabs.map(function(){return t("a",this)[0]}).attr({role:"presentation",tabIndex:-1}),this._addClass(this.anchors,"ui-tabs-anchor"),this.panels=t(),this.anchors.each(function(i,s){var n,o,a,r=t(s).uniqueId().attr("id"),h=t(s).closest("li"),l=h.attr("aria-controls");e._isLocal(s)?(n=s.hash,a=n.substring(1),o=e.element.find(e._sanitizeSelector(n))):(a=h.attr("aria-controls")||t({}).uniqueId()[0].id,n="#"+a,o=e.element.find(n),o.length||(o=e._createPanel(a),o.insertAfter(e.panels[i-1]||e.tablist)),o.attr("aria-live","polite")),o.length&&(e.panels=e.panels.add(o)),l&&h.data("ui-tabs-aria-controls",l),h.attr({"aria-controls":a,"aria-labelledby":r}),o.attr("aria-labelledby",r)}),this.panels.attr("role","tabpanel"),this._addClass(this.panels,"ui-tabs-panel","ui-widget-content"),i&&(this._off(i.not(this.tabs)),this._off(s.not(this.anchors)),this._off(n.not(this.panels)))},_getList:function(){return this.tablist||this.element.find("ol, ul").eq(0)},_createPanel:function(e){return t("
    ").attr("id",e).data("ui-tabs-destroy",!0)},_setOptionDisabled:function(e){var i,s,n;for(t.isArray(e)&&(e.length?e.length===this.anchors.length&&(e=!0):e=!1),n=0;s=this.tabs[n];n++)i=t(s),e===!0||-1!==t.inArray(n,e)?(i.attr("aria-disabled","true"),this._addClass(i,null,"ui-state-disabled")):(i.removeAttr("aria-disabled"),this._removeClass(i,null,"ui-state-disabled"));this.options.disabled=e,this._toggleClass(this.widget(),this.widgetFullName+"-disabled",null,e===!0)},_setupEvents:function(e){var i={};e&&t.each(e.split(" "),function(t,e){i[e]="_eventHandler"}),this._off(this.anchors.add(this.tabs).add(this.panels)),this._on(!0,this.anchors,{click:function(t){t.preventDefault()}}),this._on(this.anchors,i),this._on(this.tabs,{keydown:"_tabKeydown"}),this._on(this.panels,{keydown:"_panelKeydown"}),this._focusable(this.tabs),this._hoverable(this.tabs)},_setupHeightStyle:function(e){var i,s=this.element.parent();"fill"===e?(i=s.height(),i-=this.element.outerHeight()-this.element.height(),this.element.siblings(":visible").each(function(){var e=t(this),s=e.css("position");"absolute"!==s&&"fixed"!==s&&(i-=e.outerHeight(!0))}),this.element.children().not(this.panels).each(function(){i-=t(this).outerHeight(!0)}),this.panels.each(function(){t(this).height(Math.max(0,i-t(this).innerHeight()+t(this).height()))}).css("overflow","auto")):"auto"===e&&(i=0,this.panels.each(function(){i=Math.max(i,t(this).height("").height())}).height(i))},_eventHandler:function(e){var i=this.options,s=this.active,n=t(e.currentTarget),o=n.closest("li"),a=o[0]===s[0],r=a&&i.collapsible,h=r?t():this._getPanelForTab(o),l=s.length?this._getPanelForTab(s):t(),c={oldTab:s,oldPanel:l,newTab:r?t():o,newPanel:h};e.preventDefault(),o.hasClass("ui-state-disabled")||o.hasClass("ui-tabs-loading")||this.running||a&&!i.collapsible||this._trigger("beforeActivate",e,c)===!1||(i.active=r?!1:this.tabs.index(o),this.active=a?t():o,this.xhr&&this.xhr.abort(),l.length||h.length||t.error("jQuery UI Tabs: Mismatching fragment identifier."),h.length&&this.load(this.tabs.index(o),e),this._toggle(e,c))},_toggle:function(e,i){function s(){o.running=!1,o._trigger("activate",e,i)}function n(){o._addClass(i.newTab.closest("li"),"ui-tabs-active","ui-state-active"),a.length&&o.options.show?o._show(a,o.options.show,s):(a.show(),s())}var o=this,a=i.newPanel,r=i.oldPanel;this.running=!0,r.length&&this.options.hide?this._hide(r,this.options.hide,function(){o._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),n()}):(this._removeClass(i.oldTab.closest("li"),"ui-tabs-active","ui-state-active"),r.hide(),n()),r.attr("aria-hidden","true"),i.oldTab.attr({"aria-selected":"false","aria-expanded":"false"}),a.length&&r.length?i.oldTab.attr("tabIndex",-1):a.length&&this.tabs.filter(function(){return 0===t(this).attr("tabIndex")}).attr("tabIndex",-1),a.attr("aria-hidden","false"),i.newTab.attr({"aria-selected":"true","aria-expanded":"true",tabIndex:0})},_activate:function(e){var i,s=this._findActive(e);s[0]!==this.active[0]&&(s.length||(s=this.active),i=s.find(".ui-tabs-anchor")[0],this._eventHandler({target:i,currentTarget:i,preventDefault:t.noop}))},_findActive:function(e){return e===!1?t():this.tabs.eq(e)},_getIndex:function(e){return"string"==typeof e&&(e=this.anchors.index(this.anchors.filter("[href$='"+t.ui.escapeSelector(e)+"']"))),e},_destroy:function(){this.xhr&&this.xhr.abort(),this.tablist.removeAttr("role").off(this.eventNamespace),this.anchors.removeAttr("role tabIndex").removeUniqueId(),this.tabs.add(this.panels).each(function(){t.data(this,"ui-tabs-destroy")?t(this).remove():t(this).removeAttr("role tabIndex aria-live aria-busy aria-selected aria-labelledby aria-hidden aria-expanded")}),this.tabs.each(function(){var e=t(this),i=e.data("ui-tabs-aria-controls");i?e.attr("aria-controls",i).removeData("ui-tabs-aria-controls"):e.removeAttr("aria-controls")}),this.panels.show(),"content"!==this.options.heightStyle&&this.panels.css("height","")},enable:function(e){var i=this.options.disabled;i!==!1&&(void 0===e?i=!1:(e=this._getIndex(e),i=t.isArray(i)?t.map(i,function(t){return t!==e?t:null}):t.map(this.tabs,function(t,i){return i!==e?i:null})),this._setOptionDisabled(i))},disable:function(e){var i=this.options.disabled;if(i!==!0){if(void 0===e)i=!0;else{if(e=this._getIndex(e),-1!==t.inArray(e,i))return;i=t.isArray(i)?t.merge([e],i).sort():[e]}this._setOptionDisabled(i)}},load:function(e,i){e=this._getIndex(e);var s=this,n=this.tabs.eq(e),o=n.find(".ui-tabs-anchor"),a=this._getPanelForTab(n),r={tab:n,panel:a},h=function(t,e){"abort"===e&&s.panels.stop(!1,!0),s._removeClass(n,"ui-tabs-loading"),a.removeAttr("aria-busy"),t===s.xhr&&delete s.xhr};this._isLocal(o[0])||(this.xhr=t.ajax(this._ajaxSettings(o,i,r)),this.xhr&&"canceled"!==this.xhr.statusText&&(this._addClass(n,"ui-tabs-loading"),a.attr("aria-busy","true"),this.xhr.done(function(t,e,n){setTimeout(function(){a.html(t),s._trigger("load",i,r),h(n,e)},1)}).fail(function(t,e){setTimeout(function(){h(t,e)},1)})))},_ajaxSettings:function(e,i,s){var n=this;return{url:e.attr("href").replace(/#.*$/,""),beforeSend:function(e,o){return n._trigger("beforeLoad",i,t.extend({jqXHR:e,ajaxSettings:o},s))}}},_getPanelForTab:function(e){var i=t(e).attr("aria-controls");return this.element.find(this._sanitizeSelector("#"+i))}}),t.uiBackCompat!==!1&&t.widget("ui.tabs",t.ui.tabs,{_processTabs:function(){this._superApply(arguments),this._addClass(this.tabs,"ui-tab")}}),t.ui.tabs,t.widget("ui.tooltip",{version:"1.12.1",options:{classes:{"ui-tooltip":"ui-corner-all ui-widget-shadow"},content:function(){var e=t(this).attr("title")||"";return t("").text(e).html()},hide:!0,items:"[title]:not([disabled])",position:{my:"left top+15",at:"left bottom",collision:"flipfit flip"},show:!0,track:!1,close:null,open:null},_addDescribedBy:function(e,i){var s=(e.attr("aria-describedby")||"").split(/\s+/);s.push(i),e.data("ui-tooltip-id",i).attr("aria-describedby",t.trim(s.join(" ")))},_removeDescribedBy:function(e){var i=e.data("ui-tooltip-id"),s=(e.attr("aria-describedby")||"").split(/\s+/),n=t.inArray(i,s);-1!==n&&s.splice(n,1),e.removeData("ui-tooltip-id"),s=t.trim(s.join(" ")),s?e.attr("aria-describedby",s):e.removeAttr("aria-describedby")},_create:function(){this._on({mouseover:"open",focusin:"open"}),this.tooltips={},this.parents={},this.liveRegion=t("
    ").attr({role:"log","aria-live":"assertive","aria-relevant":"additions"}).appendTo(this.document[0].body),this._addClass(this.liveRegion,null,"ui-helper-hidden-accessible"),this.disabledTitles=t([])},_setOption:function(e,i){var s=this;this._super(e,i),"content"===e&&t.each(this.tooltips,function(t,e){s._updateContent(e.element)})},_setOptionDisabled:function(t){this[t?"_disable":"_enable"]()},_disable:function(){var e=this;t.each(this.tooltips,function(i,s){var n=t.Event("blur");n.target=n.currentTarget=s.element[0],e.close(n,!0)}),this.disabledTitles=this.disabledTitles.add(this.element.find(this.options.items).addBack().filter(function(){var e=t(this);return e.is("[title]")?e.data("ui-tooltip-title",e.attr("title")).removeAttr("title"):void 0}))},_enable:function(){this.disabledTitles.each(function(){var e=t(this);e.data("ui-tooltip-title")&&e.attr("title",e.data("ui-tooltip-title"))}),this.disabledTitles=t([])},open:function(e){var i=this,s=t(e?e.target:this.element).closest(this.options.items);s.length&&!s.data("ui-tooltip-id")&&(s.attr("title")&&s.data("ui-tooltip-title",s.attr("title")),s.data("ui-tooltip-open",!0),e&&"mouseover"===e.type&&s.parents().each(function(){var e,s=t(this);s.data("ui-tooltip-open")&&(e=t.Event("blur"),e.target=e.currentTarget=this,i.close(e,!0)),s.attr("title")&&(s.uniqueId(),i.parents[this.id]={element:this,title:s.attr("title")},s.attr("title",""))}),this._registerCloseHandlers(e,s),this._updateContent(s,e))},_updateContent:function(t,e){var i,s=this.options.content,n=this,o=e?e.type:null;return"string"==typeof s||s.nodeType||s.jquery?this._open(e,t,s):(i=s.call(t[0],function(i){n._delay(function(){t.data("ui-tooltip-open")&&(e&&(e.type=o),this._open(e,t,i))})}),i&&this._open(e,t,i),void 0)},_open:function(e,i,s){function n(t){l.of=t,a.is(":hidden")||a.position(l)}var o,a,r,h,l=t.extend({},this.options.position);if(s){if(o=this._find(i))return o.tooltip.find(".ui-tooltip-content").html(s),void 0;i.is("[title]")&&(e&&"mouseover"===e.type?i.attr("title",""):i.removeAttr("title")),o=this._tooltip(i),a=o.tooltip,this._addDescribedBy(i,a.attr("id")),a.find(".ui-tooltip-content").html(s),this.liveRegion.children().hide(),h=t("
    ").html(a.find(".ui-tooltip-content").html()),h.removeAttr("name").find("[name]").removeAttr("name"),h.removeAttr("id").find("[id]").removeAttr("id"),h.appendTo(this.liveRegion),this.options.track&&e&&/^mouse/.test(e.type)?(this._on(this.document,{mousemove:n}),n(e)):a.position(t.extend({of:i},this.options.position)),a.hide(),this._show(a,this.options.show),this.options.track&&this.options.show&&this.options.show.delay&&(r=this.delayedShow=setInterval(function(){a.is(":visible")&&(n(l.of),clearInterval(r))},t.fx.interval)),this._trigger("open",e,{tooltip:a})}},_registerCloseHandlers:function(e,i){var s={keyup:function(e){if(e.keyCode===t.ui.keyCode.ESCAPE){var s=t.Event(e);s.currentTarget=i[0],this.close(s,!0)}}};i[0]!==this.element[0]&&(s.remove=function(){this._removeTooltip(this._find(i).tooltip)}),e&&"mouseover"!==e.type||(s.mouseleave="close"),e&&"focusin"!==e.type||(s.focusout="close"),this._on(!0,i,s)},close:function(e){var i,s=this,n=t(e?e.currentTarget:this.element),o=this._find(n);return o?(i=o.tooltip,o.closing||(clearInterval(this.delayedShow),n.data("ui-tooltip-title")&&!n.attr("title")&&n.attr("title",n.data("ui-tooltip-title")),this._removeDescribedBy(n),o.hiding=!0,i.stop(!0),this._hide(i,this.options.hide,function(){s._removeTooltip(t(this))}),n.removeData("ui-tooltip-open"),this._off(n,"mouseleave focusout keyup"),n[0]!==this.element[0]&&this._off(n,"remove"),this._off(this.document,"mousemove"),e&&"mouseleave"===e.type&&t.each(this.parents,function(e,i){t(i.element).attr("title",i.title),delete s.parents[e]}),o.closing=!0,this._trigger("close",e,{tooltip:i}),o.hiding||(o.closing=!1)),void 0):(n.removeData("ui-tooltip-open"),void 0)},_tooltip:function(e){var i=t("
    ").attr("role","tooltip"),s=t("
    ").appendTo(i),n=i.uniqueId().attr("id");return this._addClass(s,"ui-tooltip-content"),this._addClass(i,"ui-tooltip","ui-widget ui-widget-content"),i.appendTo(this._appendTo(e)),this.tooltips[n]={element:e,tooltip:i}},_find:function(t){var e=t.data("ui-tooltip-id");return e?this.tooltips[e]:null},_removeTooltip:function(t){t.remove(),delete this.tooltips[t.attr("id")]},_appendTo:function(t){var e=t.closest(".ui-front, dialog");return e.length||(e=this.document[0].body),e},_destroy:function(){var e=this;t.each(this.tooltips,function(i,s){var n=t.Event("blur"),o=s.element;n.target=n.currentTarget=o[0],e.close(n,!0),t("#"+i).remove(),o.data("ui-tooltip-title")&&(o.attr("title")||o.attr("title",o.data("ui-tooltip-title")),o.removeData("ui-tooltip-title"))}),this.liveRegion.remove()}}),t.uiBackCompat!==!1&&t.widget("ui.tooltip",t.ui.tooltip,{options:{tooltipClass:null},_tooltip:function(){var t=this._superApply(arguments);return this.options.tooltipClass&&t.tooltip.addClass(this.options.tooltipClass),t}}),t.ui.tooltip}); \ No newline at end of file diff --git a/kspneo/static/js/mulewf.min.js b/kspneo/static/js/mulewf.min.js deleted file mode 100644 index de3c7a03..00000000 --- a/kspneo/static/js/mulewf.min.js +++ /dev/null @@ -1,6445 +0,0 @@ -/*! jQuery v2.1.4 | (c) 2005, 2015 jQuery Foundation, Inc. | jquery.org/license */ -!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l=a.document,m="2.1.4",n=function(a,b){return new n.fn.init(a,b)},o=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,p=/^-ms-/,q=/-([\da-z])/gi,r=function(a,b){return b.toUpperCase()};n.fn=n.prototype={jquery:m,constructor:n,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=n.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return n.each(this,a,b)},map:function(a){return this.pushStack(n.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},n.extend=n.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||n.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(a=arguments[h]))for(b in a)c=g[b],d=a[b],g!==d&&(j&&d&&(n.isPlainObject(d)||(e=n.isArray(d)))?(e?(e=!1,f=c&&n.isArray(c)?c:[]):f=c&&n.isPlainObject(c)?c:{},g[b]=n.extend(j,f,d)):void 0!==d&&(g[b]=d));return g},n.extend({expando:"jQuery"+(m+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===n.type(a)},isArray:Array.isArray,isWindow:function(a){return null!=a&&a===a.window},isNumeric:function(a){return!n.isArray(a)&&a-parseFloat(a)+1>=0},isPlainObject:function(a){return"object"!==n.type(a)||a.nodeType||n.isWindow(a)?!1:a.constructor&&!j.call(a.constructor.prototype,"isPrototypeOf")?!1:!0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(a){var b,c=eval;a=n.trim(a),a&&(1===a.indexOf("use strict")?(b=l.createElement("script"),b.text=a,l.head.appendChild(b).parentNode.removeChild(b)):c(a))},camelCase:function(a){return a.replace(p,"ms-").replace(q,r)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=s(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(o,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(s(Object(a))?n.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){return null==b?-1:g.call(b,a,c)},merge:function(a,b){for(var c=+b.length,d=0,e=a.length;c>d;d++)a[e++]=b[d];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=s(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(c=a[b],b=a,a=c),n.isFunction(a)?(e=d.call(arguments,2),f=function(){return a.apply(b||this,e.concat(d.call(arguments)))},f.guid=a.guid=a.guid||n.guid++,f):void 0},now:Date.now,support:k}),n.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function s(a){var b="length"in a&&a.length,c=n.type(a);return"function"===c||n.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var t=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+1*new Date,v=a.document,w=0,x=0,y=ha(),z=ha(),A=ha(),B=function(a,b){return a===b&&(l=!0),0},C=1<<31,D={}.hasOwnProperty,E=[],F=E.pop,G=E.push,H=E.push,I=E.slice,J=function(a,b){for(var c=0,d=a.length;d>c;c++)if(a[c]===b)return c;return-1},K="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",L="[\\x20\\t\\r\\n\\f]",M="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",N=M.replace("w","w#"),O="\\["+L+"*("+M+")(?:"+L+"*([*^$|!~]?=)"+L+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+N+"))|)"+L+"*\\]",P=":("+M+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+O+")*)|.*)\\)|)",Q=new RegExp(L+"+","g"),R=new RegExp("^"+L+"+|((?:^|[^\\\\])(?:\\\\.)*)"+L+"+$","g"),S=new RegExp("^"+L+"*,"+L+"*"),T=new RegExp("^"+L+"*([>+~]|"+L+")"+L+"*"),U=new RegExp("="+L+"*([^\\]'\"]*?)"+L+"*\\]","g"),V=new RegExp(P),W=new RegExp("^"+N+"$"),X={ID:new RegExp("^#("+M+")"),CLASS:new RegExp("^\\.("+M+")"),TAG:new RegExp("^("+M.replace("w","w*")+")"),ATTR:new RegExp("^"+O),PSEUDO:new RegExp("^"+P),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+L+"*(even|odd|(([+-]|)(\\d*)n|)"+L+"*(?:([+-]|)"+L+"*(\\d+)|))"+L+"*\\)|)","i"),bool:new RegExp("^(?:"+K+")$","i"),needsContext:new RegExp("^"+L+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+L+"*((?:-\\d)?\\d*)"+L+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,aa=/[+~]/,ba=/'|\\/g,ca=new RegExp("\\\\([\\da-f]{1,6}"+L+"?|("+L+")|.)","ig"),da=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)},ea=function(){m()};try{H.apply(E=I.call(v.childNodes),v.childNodes),E[v.childNodes.length].nodeType}catch(fa){H={apply:E.length?function(a,b){G.apply(a,I.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function ga(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],k=b.nodeType,"string"!=typeof a||!a||1!==k&&9!==k&&11!==k)return d;if(!e&&p){if(11!==k&&(f=_.exec(a)))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return H.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName)return H.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=1!==k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(ba,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+ra(o[l]);w=aa.test(a)&&pa(b.parentNode)||b,x=o.join(",")}if(x)try{return H.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function ha(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function ia(a){return a[u]=!0,a}function ja(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function ka(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function la(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||C)-(~a.sourceIndex||C);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function ma(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function na(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function oa(a){return ia(function(b){return b=+b,ia(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function pa(a){return a&&"undefined"!=typeof a.getElementsByTagName&&a}c=ga.support={},f=ga.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=ga.setDocument=function(a){var b,e,g=a?a.ownerDocument||a:v;return g!==n&&9===g.nodeType&&g.documentElement?(n=g,o=g.documentElement,e=g.defaultView,e&&e!==e.top&&(e.addEventListener?e.addEventListener("unload",ea,!1):e.attachEvent&&e.attachEvent("onunload",ea)),p=!f(g),c.attributes=ja(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ja(function(a){return a.appendChild(g.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(g.getElementsByClassName),c.getById=ja(function(a){return o.appendChild(a).id=u,!g.getElementsByName||!g.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if("undefined"!=typeof b.getElementById&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(ca,da);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(ca,da);return function(a){var c="undefined"!=typeof a.getAttributeNode&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return"undefined"!=typeof b.getElementsByTagName?b.getElementsByTagName(a):c.qsa?b.querySelectorAll(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(g.querySelectorAll))&&(ja(function(a){o.appendChild(a).innerHTML="",a.querySelectorAll("[msallowcapture^='']").length&&q.push("[*^$]="+L+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+L+"*(?:value|"+K+")"),a.querySelectorAll("[id~="+u+"-]").length||q.push("~="),a.querySelectorAll(":checked").length||q.push(":checked"),a.querySelectorAll("a#"+u+"+*").length||q.push(".#.+[+~]")}),ja(function(a){var b=g.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+L+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ja(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",P)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===g||a.ownerDocument===v&&t(v,a)?-1:b===g||b.ownerDocument===v&&t(v,b)?1:k?J(k,a)-J(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,e=a.parentNode,f=b.parentNode,h=[a],i=[b];if(!e||!f)return a===g?-1:b===g?1:e?-1:f?1:k?J(k,a)-J(k,b):0;if(e===f)return la(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?la(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},g):n},ga.matches=function(a,b){return ga(a,null,null,b)},ga.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return ga(b,n,null,[a]).length>0},ga.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},ga.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&D.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},ga.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},ga.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=ga.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=ga.selectors={cacheLength:50,createPseudo:ia,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(ca,da),a[3]=(a[3]||a[4]||a[5]||"").replace(ca,da),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||ga.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&ga.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(ca,da).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+L+")"+a+"("+L+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||"undefined"!=typeof a.getAttribute&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=ga.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e.replace(Q," ")+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||ga.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?ia(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=J(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:ia(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?ia(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),b[0]=null,!c.pop()}}),has:ia(function(a){return function(b){return ga(a,b).length>0}}),contains:ia(function(a){return a=a.replace(ca,da),function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:ia(function(a){return W.test(a||"")||ga.error("unsupported lang: "+a),a=a.replace(ca,da).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:oa(function(){return[0]}),last:oa(function(a,b){return[b-1]}),eq:oa(function(a,b,c){return[0>c?c+b:c]}),even:oa(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:oa(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:oa(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:oa(function(a,b,c){for(var d=0>c?c+b:c;++db;b++)d+=a[b].value;return d}function sa(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function ta(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function ua(a,b,c){for(var d=0,e=b.length;e>d;d++)ga(a,b[d],c);return c}function va(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function wa(a,b,c,d,e,f){return d&&!d[u]&&(d=wa(d)),e&&!e[u]&&(e=wa(e,f)),ia(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||ua(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:va(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=va(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?J(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=va(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):H.apply(g,r)})}function xa(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=sa(function(a){return a===b},h,!0),l=sa(function(a){return J(b,a)>-1},h,!0),m=[function(a,c,d){var e=!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d));return b=null,e}];f>i;i++)if(c=d.relative[a[i].type])m=[sa(ta(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return wa(i>1&&ta(m),i>1&&ra(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&xa(a.slice(i,e)),f>e&&xa(a=a.slice(e)),f>e&&ra(a))}m.push(c)}return ta(m)}function ya(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=F.call(i));s=va(s)}H.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&ga.uniqueSort(i)}return k&&(w=v,j=t),r};return c?ia(f):f}return h=ga.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=xa(b[c]),f[u]?d.push(f):e.push(f);f=A(a,ya(e,d)),f.selector=a}return f},i=ga.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(ca,da),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(ca,da),aa.test(j[0].type)&&pa(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&ra(j),!a)return H.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,aa.test(a)&&pa(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ja(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ja(function(a){return a.innerHTML="","#"===a.firstChild.getAttribute("href")})||ka("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ja(function(a){return a.innerHTML="",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||ka("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ja(function(a){return null==a.getAttribute("disabled")})||ka(K,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),ga}(a);n.find=t,n.expr=t.selectors,n.expr[":"]=n.expr.pseudos,n.unique=t.uniqueSort,n.text=t.getText,n.isXMLDoc=t.isXML,n.contains=t.contains;var u=n.expr.match.needsContext,v=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,w=/^.[^:#\[\.,]*$/;function x(a,b,c){if(n.isFunction(b))return n.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return n.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(w.test(b))return n.filter(b,a,c);b=n.filter(b,a)}return n.grep(a,function(a){return g.call(b,a)>=0!==c})}n.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?n.find.matchesSelector(d,a)?[d]:[]:n.find.matches(a,n.grep(b,function(a){return 1===a.nodeType}))},n.fn.extend({find:function(a){var b,c=this.length,d=[],e=this;if("string"!=typeof a)return this.pushStack(n(a).filter(function(){for(b=0;c>b;b++)if(n.contains(e[b],this))return!0}));for(b=0;c>b;b++)n.find(a,e[b],d);return d=this.pushStack(c>1?n.unique(d):d),d.selector=this.selector?this.selector+" "+a:a,d},filter:function(a){return this.pushStack(x(this,a||[],!1))},not:function(a){return this.pushStack(x(this,a||[],!0))},is:function(a){return!!x(this,"string"==typeof a&&u.test(a)?n(a):a||[],!1).length}});var y,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=n.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a[0]&&">"===a[a.length-1]&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||y).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof n?b[0]:b,n.merge(this,n.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:l,!0)),v.test(c[1])&&n.isPlainObject(b))for(c in b)n.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}return d=l.getElementById(c[2]),d&&d.parentNode&&(this.length=1,this[0]=d),this.context=l,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):n.isFunction(a)?"undefined"!=typeof y.ready?y.ready(a):a(n):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),n.makeArray(a,this))};A.prototype=n.fn,y=n(l);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};n.extend({dir:function(a,b,c){var d=[],e=void 0!==c;while((a=a[b])&&9!==a.nodeType)if(1===a.nodeType){if(e&&n(a).is(c))break;d.push(a)}return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),n.fn.extend({has:function(a){var b=n(a,this),c=b.length;return this.filter(function(){for(var a=0;c>a;a++)if(n.contains(this,b[a]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=u.test(a)||"string"!=typeof a?n(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&n.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?n.unique(f):f)},index:function(a){return a?"string"==typeof a?g.call(n(a),this[0]):g.call(this,a.jquery?a[0]:a):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(n.unique(n.merge(this.get(),n(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){while((a=a[b])&&1!==a.nodeType);return a}n.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return n.dir(a,"parentNode")},parentsUntil:function(a,b,c){return n.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return n.dir(a,"nextSibling")},prevAll:function(a){return n.dir(a,"previousSibling")},nextUntil:function(a,b,c){return n.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return n.dir(a,"previousSibling",c)},siblings:function(a){return n.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return n.sibling(a.firstChild)},contents:function(a){return a.contentDocument||n.merge([],a.childNodes)}},function(a,b){n.fn[a]=function(c,d){var e=n.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=n.filter(d,e)),this.length>1&&(C[a]||n.unique(e),B.test(a)&&e.reverse()),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return n.each(a.match(E)||[],function(a,c){b[c]=!0}),b}n.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):n.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(b=a.memory&&l,c=!0,g=e||0,e=0,f=h.length,d=!0;h&&f>g;g++)if(h[g].apply(l[0],l[1])===!1&&a.stopOnFalse){b=!1;break}d=!1,h&&(i?i.length&&j(i.shift()):b?h=[]:k.disable())},k={add:function(){if(h){var c=h.length;!function g(b){n.each(b,function(b,c){var d=n.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&g(c)})}(arguments),d?f=h.length:b&&(e=c,j(b))}return this},remove:function(){return h&&n.each(arguments,function(a,b){var c;while((c=n.inArray(b,h,c))>-1)h.splice(c,1),d&&(f>=c&&f--,g>=c&&g--)}),this},has:function(a){return a?n.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],f=0,this},disable:function(){return h=i=b=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,b||k.disable(),this},locked:function(){return!i},fireWith:function(a,b){return!h||c&&!i||(b=b||[],b=[a,b.slice?b.slice():b],d?i.push(b):j(b)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!c}};return k},n.extend({Deferred:function(a){var b=[["resolve","done",n.Callbacks("once memory"),"resolved"],["reject","fail",n.Callbacks("once memory"),"rejected"],["notify","progress",n.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return n.Deferred(function(c){n.each(b,function(b,f){var g=n.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&n.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?n.extend(a,d):d}},e={};return d.pipe=d.then,n.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&n.isFunction(a.promise)?e:0,g=1===f?a:n.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&n.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;n.fn.ready=function(a){return n.ready.promise().done(a),this},n.extend({isReady:!1,readyWait:1,holdReady:function(a){a?n.readyWait++:n.ready(!0)},ready:function(a){(a===!0?--n.readyWait:n.isReady)||(n.isReady=!0,a!==!0&&--n.readyWait>0||(H.resolveWith(l,[n]),n.fn.triggerHandler&&(n(l).triggerHandler("ready"),n(l).off("ready"))))}});function I(){l.removeEventListener("DOMContentLoaded",I,!1),a.removeEventListener("load",I,!1),n.ready()}n.ready.promise=function(b){return H||(H=n.Deferred(),"complete"===l.readyState?setTimeout(n.ready):(l.addEventListener("DOMContentLoaded",I,!1),a.addEventListener("load",I,!1))),H.promise(b)},n.ready.promise();var J=n.access=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===n.type(c)){e=!0;for(h in c)n.access(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,n.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(n(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f};n.acceptData=function(a){return 1===a.nodeType||9===a.nodeType||!+a.nodeType};function K(){Object.defineProperty(this.cache={},0,{get:function(){return{}}}),this.expando=n.expando+K.uid++}K.uid=1,K.accepts=n.acceptData,K.prototype={key:function(a){if(!K.accepts(a))return 0;var b={},c=a[this.expando];if(!c){c=K.uid++;try{b[this.expando]={value:c},Object.defineProperties(a,b)}catch(d){b[this.expando]=c,n.extend(a,b)}}return this.cache[c]||(this.cache[c]={}),c},set:function(a,b,c){var d,e=this.key(a),f=this.cache[e];if("string"==typeof b)f[b]=c;else if(n.isEmptyObject(f))n.extend(this.cache[e],b);else for(d in b)f[d]=b[d];return f},get:function(a,b){var c=this.cache[this.key(a)];return void 0===b?c:c[b]},access:function(a,b,c){var d;return void 0===b||b&&"string"==typeof b&&void 0===c?(d=this.get(a,b),void 0!==d?d:this.get(a,n.camelCase(b))):(this.set(a,b,c),void 0!==c?c:b)},remove:function(a,b){var c,d,e,f=this.key(a),g=this.cache[f];if(void 0===b)this.cache[f]={};else{n.isArray(b)?d=b.concat(b.map(n.camelCase)):(e=n.camelCase(b),b in g?d=[b,e]:(d=e,d=d in g?[d]:d.match(E)||[])),c=d.length;while(c--)delete g[d[c]]}},hasData:function(a){return!n.isEmptyObject(this.cache[a[this.expando]]||{})},discard:function(a){a[this.expando]&&delete this.cache[a[this.expando]]}};var L=new K,M=new K,N=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,O=/([A-Z])/g;function P(a,b,c){var d;if(void 0===c&&1===a.nodeType)if(d="data-"+b.replace(O,"-$1").toLowerCase(),c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:N.test(c)?n.parseJSON(c):c}catch(e){}M.set(a,b,c)}else c=void 0;return c}n.extend({hasData:function(a){return M.hasData(a)||L.hasData(a)},data:function(a,b,c){ -return M.access(a,b,c)},removeData:function(a,b){M.remove(a,b)},_data:function(a,b,c){return L.access(a,b,c)},_removeData:function(a,b){L.remove(a,b)}}),n.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=M.get(f),1===f.nodeType&&!L.get(f,"hasDataAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=n.camelCase(d.slice(5)),P(f,d,e[d])));L.set(f,"hasDataAttrs",!0)}return e}return"object"==typeof a?this.each(function(){M.set(this,a)}):J(this,function(b){var c,d=n.camelCase(a);if(f&&void 0===b){if(c=M.get(f,a),void 0!==c)return c;if(c=M.get(f,d),void 0!==c)return c;if(c=P(f,d,void 0),void 0!==c)return c}else this.each(function(){var c=M.get(this,d);M.set(this,d,b),-1!==a.indexOf("-")&&void 0!==c&&M.set(this,a,b)})},null,b,arguments.length>1,null,!0)},removeData:function(a){return this.each(function(){M.remove(this,a)})}}),n.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=L.get(a,b),c&&(!d||n.isArray(c)?d=L.access(a,b,n.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=n.queue(a,b),d=c.length,e=c.shift(),f=n._queueHooks(a,b),g=function(){n.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return L.get(a,c)||L.access(a,c,{empty:n.Callbacks("once memory").add(function(){L.remove(a,[b+"queue",c])})})}}),n.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.lengthx",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue}();var U="undefined";k.focusinBubbles="onfocusin"in a;var V=/^key/,W=/^(?:mouse|pointer|contextmenu)|click/,X=/^(?:focusinfocus|focusoutblur)$/,Y=/^([^.]*)(?:\.(.+)|)$/;function Z(){return!0}function $(){return!1}function _(){try{return l.activeElement}catch(a){}}n.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=L.get(a);if(r){c.handler&&(f=c,c=f.handler,e=f.selector),c.guid||(c.guid=n.guid++),(i=r.events)||(i=r.events={}),(g=r.handle)||(g=r.handle=function(b){return typeof n!==U&&n.event.triggered!==b.type?n.event.dispatch.apply(a,arguments):void 0}),b=(b||"").match(E)||[""],j=b.length;while(j--)h=Y.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o&&(l=n.event.special[o]||{},o=(e?l.delegateType:l.bindType)||o,l=n.event.special[o]||{},k=n.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&n.expr.match.needsContext.test(e),namespace:p.join(".")},f),(m=i[o])||(m=i[o]=[],m.delegateCount=0,l.setup&&l.setup.call(a,d,p,g)!==!1||a.addEventListener&&a.addEventListener(o,g,!1)),l.add&&(l.add.call(a,k),k.handler.guid||(k.handler.guid=c.guid)),e?m.splice(m.delegateCount++,0,k):m.push(k),n.event.global[o]=!0)}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=L.hasData(a)&&L.get(a);if(r&&(i=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=Y.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=n.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,m=i[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),g=f=m.length;while(f--)k=m[f],!e&&q!==k.origType||c&&c.guid!==k.guid||h&&!h.test(k.namespace)||d&&d!==k.selector&&("**"!==d||!k.selector)||(m.splice(f,1),k.selector&&m.delegateCount--,l.remove&&l.remove.call(a,k));g&&!m.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||n.removeEvent(a,o,r.handle),delete i[o])}else for(o in i)n.event.remove(a,o+b[j],c,d,!0);n.isEmptyObject(i)&&(delete r.handle,L.remove(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,m,o,p=[d||l],q=j.call(b,"type")?b.type:b,r=j.call(b,"namespace")?b.namespace.split("."):[];if(g=h=d=d||l,3!==d.nodeType&&8!==d.nodeType&&!X.test(q+n.event.triggered)&&(q.indexOf(".")>=0&&(r=q.split("."),q=r.shift(),r.sort()),k=q.indexOf(":")<0&&"on"+q,b=b[n.expando]?b:new n.Event(q,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=r.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+r.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:n.makeArray(c,[b]),o=n.event.special[q]||{},e||!o.trigger||o.trigger.apply(d,c)!==!1)){if(!e&&!o.noBubble&&!n.isWindow(d)){for(i=o.delegateType||q,X.test(i+q)||(g=g.parentNode);g;g=g.parentNode)p.push(g),h=g;h===(d.ownerDocument||l)&&p.push(h.defaultView||h.parentWindow||a)}f=0;while((g=p[f++])&&!b.isPropagationStopped())b.type=f>1?i:o.bindType||q,m=(L.get(g,"events")||{})[b.type]&&L.get(g,"handle"),m&&m.apply(g,c),m=k&&g[k],m&&m.apply&&n.acceptData(g)&&(b.result=m.apply(g,c),b.result===!1&&b.preventDefault());return b.type=q,e||b.isDefaultPrevented()||o._default&&o._default.apply(p.pop(),c)!==!1||!n.acceptData(d)||k&&n.isFunction(d[q])&&!n.isWindow(d)&&(h=d[k],h&&(d[k]=null),n.event.triggered=q,d[q](),n.event.triggered=void 0,h&&(d[k]=h)),b.result}},dispatch:function(a){a=n.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(L.get(this,"events")||{})[a.type]||[],k=n.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=n.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,c=0;while((g=f.handlers[c++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(g.namespace))&&(a.handleObj=g,a.data=g.data,e=((n.event.special[g.origType]||{}).handle||g.handler).apply(f.elem,i),void 0!==e&&(a.result=e)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!==this;i=i.parentNode||this)if(i.disabled!==!0||"click"!==a.type){for(d=[],c=0;h>c;c++)f=b[c],e=f.selector+" ",void 0===d[e]&&(d[e]=f.needsContext?n(e,this).index(i)>=0:n.find(e,this,null,[i]).length),d[e]&&d.push(f);d.length&&g.push({elem:i,handlers:d})}return h]*)\/>/gi,ba=/<([\w:]+)/,ca=/<|&#?\w+;/,da=/<(?:script|style|link)/i,ea=/checked\s*(?:[^=]|=\s*.checked.)/i,fa=/^$|\/(?:java|ecma)script/i,ga=/^true\/(.*)/,ha=/^\s*\s*$/g,ia={option:[1,""],thead:[1,"","
    "],col:[2,"","
    "],tr:[2,"","
    "],td:[3,"","
    "],_default:[0,"",""]};ia.optgroup=ia.option,ia.tbody=ia.tfoot=ia.colgroup=ia.caption=ia.thead,ia.th=ia.td;function ja(a,b){return n.nodeName(a,"table")&&n.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function ka(a){return a.type=(null!==a.getAttribute("type"))+"/"+a.type,a}function la(a){var b=ga.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function ma(a,b){for(var c=0,d=a.length;d>c;c++)L.set(a[c],"globalEval",!b||L.get(b[c],"globalEval"))}function na(a,b){var c,d,e,f,g,h,i,j;if(1===b.nodeType){if(L.hasData(a)&&(f=L.access(a),g=L.set(b,f),j=f.events)){delete g.handle,g.events={};for(e in j)for(c=0,d=j[e].length;d>c;c++)n.event.add(b,e,j[e][c])}M.hasData(a)&&(h=M.access(a),i=n.extend({},h),M.set(b,i))}}function oa(a,b){var c=a.getElementsByTagName?a.getElementsByTagName(b||"*"):a.querySelectorAll?a.querySelectorAll(b||"*"):[];return void 0===b||b&&n.nodeName(a,b)?n.merge([a],c):c}function pa(a,b){var c=b.nodeName.toLowerCase();"input"===c&&T.test(a.type)?b.checked=a.checked:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}n.extend({clone:function(a,b,c){var d,e,f,g,h=a.cloneNode(!0),i=n.contains(a.ownerDocument,a);if(!(k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||n.isXMLDoc(a)))for(g=oa(h),f=oa(a),d=0,e=f.length;e>d;d++)pa(f[d],g[d]);if(b)if(c)for(f=f||oa(a),g=g||oa(h),d=0,e=f.length;e>d;d++)na(f[d],g[d]);else na(a,h);return g=oa(h,"script"),g.length>0&&ma(g,!i&&oa(a,"script")),h},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,k=b.createDocumentFragment(),l=[],m=0,o=a.length;o>m;m++)if(e=a[m],e||0===e)if("object"===n.type(e))n.merge(l,e.nodeType?[e]:e);else if(ca.test(e)){f=f||k.appendChild(b.createElement("div")),g=(ba.exec(e)||["",""])[1].toLowerCase(),h=ia[g]||ia._default,f.innerHTML=h[1]+e.replace(aa,"<$1>")+h[2],j=h[0];while(j--)f=f.lastChild;n.merge(l,f.childNodes),f=k.firstChild,f.textContent=""}else l.push(b.createTextNode(e));k.textContent="",m=0;while(e=l[m++])if((!d||-1===n.inArray(e,d))&&(i=n.contains(e.ownerDocument,e),f=oa(k.appendChild(e),"script"),i&&ma(f),c)){j=0;while(e=f[j++])fa.test(e.type||"")&&c.push(e)}return k},cleanData:function(a){for(var b,c,d,e,f=n.event.special,g=0;void 0!==(c=a[g]);g++){if(n.acceptData(c)&&(e=c[L.expando],e&&(b=L.cache[e]))){if(b.events)for(d in b.events)f[d]?n.event.remove(c,d):n.removeEvent(c,d,b.handle);L.cache[e]&&delete L.cache[e]}delete M.cache[c[M.expando]]}}}),n.fn.extend({text:function(a){return J(this,function(a){return void 0===a?n.text(this):this.empty().each(function(){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&(this.textContent=a)})},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=ja(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=ja(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?n.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||n.cleanData(oa(c)),c.parentNode&&(b&&n.contains(c.ownerDocument,c)&&ma(oa(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++)1===a.nodeType&&(n.cleanData(oa(a,!1)),a.textContent="");return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return n.clone(this,a,b)})},html:function(a){return J(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a&&1===b.nodeType)return b.innerHTML;if("string"==typeof a&&!da.test(a)&&!ia[(ba.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(aa,"<$1>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(n.cleanData(oa(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,n.cleanData(oa(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,m=this,o=l-1,p=a[0],q=n.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&ea.test(p))return this.each(function(c){var d=m.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(c=n.buildFragment(a,this[0].ownerDocument,!1,this),d=c.firstChild,1===c.childNodes.length&&(c=d),d)){for(f=n.map(oa(c,"script"),ka),g=f.length;l>j;j++)h=c,j!==o&&(h=n.clone(h,!0,!0),g&&n.merge(f,oa(h,"script"))),b.call(this[j],h,j);if(g)for(i=f[f.length-1].ownerDocument,n.map(f,la),j=0;g>j;j++)h=f[j],fa.test(h.type||"")&&!L.access(h,"globalEval")&&n.contains(i,h)&&(h.src?n._evalUrl&&n._evalUrl(h.src):n.globalEval(h.textContent.replace(ha,"")))}return this}}),n.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){n.fn[a]=function(a){for(var c,d=[],e=n(a),g=e.length-1,h=0;g>=h;h++)c=h===g?this:this.clone(!0),n(e[h])[b](c),f.apply(d,c.get());return this.pushStack(d)}});var qa,ra={};function sa(b,c){var d,e=n(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:n.css(e[0],"display");return e.detach(),f}function ta(a){var b=l,c=ra[a];return c||(c=sa(a,b),"none"!==c&&c||(qa=(qa||n("
    ');else if(m){var s="";s=r&&r.youtube?"lg-has-youtube":r&&r.vimeo?"lg-has-vimeo":"lg-has-html5",l.$slide.eq(c).prepend('
    ')}else r?(l.$slide.eq(c).prepend('
    '),l.$el.trigger("hasVideo.lg",[c,g,k])):l.$slide.eq(c).prepend('
    ');if(l.$el.trigger("onAferAppendSlide.lg",[c]),f=l.$slide.eq(c).find(".lg-object"),j&&f.attr("sizes",j),i){f.attr("srcset",i);try{picturefill({elements:[f[0]]})}catch(t){console.error("Make sure you have included Picturefill version 2")}}".lg-sub-html"!==this.s.appendSubHtmlTo&&l.addHtml(c),l.$slide.eq(c).addClass("lg-loaded")}l.$slide.eq(c).find(".lg-object").on("load.lg error.lg",function(){var b=0;e&&!a("body").hasClass("lg-from-hash")&&(b=e),setTimeout(function(){l.$slide.eq(c).addClass("lg-complete"),l.$el.trigger("onSlideItemLoad.lg",[c,e||0])},b)}),r&&r.html5&&!m&&l.$slide.eq(c).addClass("lg-complete"),d===!0&&(l.$slide.eq(c).hasClass("lg-complete")?l.preload(c):l.$slide.eq(c).find(".lg-object").on("load.lg error.lg",function(){l.preload(c)}))},e.prototype.slide=function(b,c,d){var e=this.$outer.find(".lg-current").index(),f=this;if(!f.lGalleryOn||e!==b){var g=this.$slide.length,h=f.lGalleryOn?this.s.speed:0,i=!1,j=!1;if(!f.lgBusy){if(this.$el.trigger("onBeforeSlide.lg",[e,b,c,d]),f.lgBusy=!0,clearTimeout(f.hideBartimeout),".lg-sub-html"===this.s.appendSubHtmlTo&&setTimeout(function(){f.addHtml(b)},h),this.arrowDisable(b),c){var k=b-1,l=b+1;0===b&&e===g-1?(l=0,k=g-1):b===g-1&&0===e&&(l=0,k=g-1),this.$slide.removeClass("lg-prev-slide lg-current lg-next-slide"),f.$slide.eq(k).addClass("lg-prev-slide"),f.$slide.eq(l).addClass("lg-next-slide"),f.$slide.eq(b).addClass("lg-current")}else f.$outer.addClass("lg-no-trans"),this.$slide.removeClass("lg-prev-slide lg-next-slide"),e>b?(j=!0,0!==b||e!==g-1||d||(j=!1,i=!0)):b>e&&(i=!0,b!==g-1||0!==e||d||(j=!0,i=!1)),j?(this.$slide.eq(b).addClass("lg-prev-slide"),this.$slide.eq(e).addClass("lg-next-slide")):i&&(this.$slide.eq(b).addClass("lg-next-slide"),this.$slide.eq(e).addClass("lg-prev-slide")),setTimeout(function(){f.$slide.removeClass("lg-current"),f.$slide.eq(b).addClass("lg-current"),f.$outer.removeClass("lg-no-trans")},50);if(f.lGalleryOn?(setTimeout(function(){f.loadContent(b,!0,0)},this.s.speed+50),setTimeout(function(){f.lgBusy=!1,f.$el.trigger("onAfterSlide.lg",[e,b,c,d])},this.s.speed)):(f.loadContent(b,!0,f.s.backdropDuration),f.lgBusy=!1,f.$el.trigger("onAfterSlide.lg",[e,b,c,d])),this.s.download){var m;m=f.s.dynamic?f.s.dynamicEl[b].downloadUrl||f.s.dynamicEl[b].src:f.$items.eq(b).attr("data-download-url")||f.$items.eq(b).attr("href")||f.$items.eq(b).attr("data-src"),a("#lg-download").attr("href",m)}f.lGalleryOn=!0,this.s.counter&&a("#lg-counter-current").text(b+1)}}},e.prototype.goToNextSlide=function(a){var b=this;b.lgBusy||(b.index+10?(b.index--,b.$el.trigger("onBeforePrevSlide.lg",[b.index,a]),b.slide(b.index,a,!1)):b.s.loop?(b.index=b.$items.length-1,b.$el.trigger("onBeforePrevSlide.lg",[b.index,a]),b.slide(b.index,a,!1)):b.s.slideEndAnimatoin&&(b.$outer.addClass("lg-left-end"),setTimeout(function(){b.$outer.removeClass("lg-left-end")},400)))},e.prototype.keyPress=function(){var c=this;this.$items.length>1&&a(b).on("keyup.lg",function(a){c.$items.length>1&&(37===a.keyCode&&(a.preventDefault(),c.goToPrevSlide()),39===a.keyCode&&(a.preventDefault(),c.goToNextSlide()))}),a(b).on("keydown.lg",function(a){c.s.escKey===!0&&27===a.keyCode&&(a.preventDefault(),c.$outer.hasClass("lg-thumb-open")?c.$outer.removeClass("lg-thumb-open"):c.destroy())})},e.prototype.arrow=function(){var a=this;this.$outer.find(".lg-prev").on("click.lg",function(){a.goToPrevSlide()}),this.$outer.find(".lg-next").on("click.lg",function(){a.goToNextSlide()})},e.prototype.arrowDisable=function(a){!this.s.loop&&this.s.hideControlOnEnd&&(a+10?this.$outer.find(".lg-prev").removeAttr("disabled").removeClass("disabled"):this.$outer.find(".lg-prev").attr("disabled","disabled").addClass("disabled"))},e.prototype.setTranslate=function(a,b,c){this.s.useLeft?a.css("left",b):a.css({transform:"translate3d("+b+"px, "+c+"px, 0px)"})},e.prototype.touchMove=function(b,c){var d=c-b;this.$outer.addClass("lg-dragging"),this.setTranslate(this.$slide.eq(this.index),d,0),this.setTranslate(a(".lg-prev-slide"),-this.$slide.eq(this.index).width()+d,0),this.setTranslate(a(".lg-next-slide"),this.$slide.eq(this.index).width()+d,0)},e.prototype.touchEnd=function(a){var b=this;"lg-slide"!==b.s.mode&&b.$outer.addClass("lg-slide"),this.$slide.not(".lg-current, .lg-prev-slide, .lg-next-slide").css("opacity","0"),setTimeout(function(){b.$outer.removeClass("lg-dragging"),0>a&&Math.abs(a)>b.s.swipeThreshold?b.goToNextSlide(!0):a>0&&Math.abs(a)>b.s.swipeThreshold?b.goToPrevSlide(!0):Math.abs(a)<5&&b.$el.trigger("onSlideClick.lg"),b.$slide.removeAttr("style")}),setTimeout(function(){b.$outer.hasClass("lg-dragging")||"lg-slide"===b.s.mode||b.$outer.removeClass("lg-slide")},b.s.speed+100)},e.prototype.enableSwipe=function(){var a=this,b=0,c=0,d=!1;a.s.enableSwipe&&a.isTouch&&a.doCss()&&(a.$slide.on("touchstart.lg",function(c){a.$outer.hasClass("lg-zoomed")||a.lgBusy||(c.preventDefault(),a.manageSwipeClass(),b=c.originalEvent.targetTouches[0].pageX)}),a.$slide.on("touchmove.lg",function(e){a.$outer.hasClass("lg-zoomed")||(e.preventDefault(),c=e.originalEvent.targetTouches[0].pageX,a.touchMove(b,c),d=!0)}),a.$slide.on("touchend.lg",function(){a.$outer.hasClass("lg-zoomed")||(d?(d=!1,a.touchEnd(c-b)):a.$el.trigger("onSlideClick.lg"))}))},e.prototype.enableDrag=function(){var c=this,d=0,e=0,f=!1,g=!1;c.s.enableDrag&&!c.isTouch&&c.doCss()&&(c.$slide.on("mousedown.lg",function(b){c.$outer.hasClass("lg-zoomed")||(a(b.target).hasClass("lg-object")||a(b.target).hasClass("lg-video-play"))&&(b.preventDefault(),c.lgBusy||(c.manageSwipeClass(),d=b.pageX,f=!0,c.$outer.scrollLeft+=1,c.$outer.scrollLeft-=1,c.$outer.removeClass("lg-grab").addClass("lg-grabbing"),c.$el.trigger("onDragstart.lg")))}),a(b).on("mousemove.lg",function(a){f&&(g=!0,e=a.pageX,c.touchMove(d,e),c.$el.trigger("onDragmove.lg"))}),a(b).on("mouseup.lg",function(b){g?(g=!1,c.touchEnd(e-d),c.$el.trigger("onDragend.lg")):(a(b.target).hasClass("lg-object")||a(b.target).hasClass("lg-video-play"))&&c.$el.trigger("onSlideClick.lg"),f&&(f=!1,c.$outer.removeClass("lg-grabbing").addClass("lg-grab"))}))},e.prototype.manageSwipeClass=function(){var a=this.index+1,b=this.index-1,c=this.$slide.length;this.s.loop&&(0===this.index?b=c-1:this.index===c-1&&(a=0)),this.$slide.removeClass("lg-next-slide lg-prev-slide"),b>-1&&this.$slide.eq(b).addClass("lg-prev-slide"),this.$slide.eq(a).addClass("lg-next-slide")},e.prototype.mousewheel=function(){var a=this;a.$outer.on("mousewheel.lg",function(b){b.deltaY&&(b.deltaY>0?a.goToPrevSlide():a.goToNextSlide(),b.preventDefault())})},e.prototype.closeGallery=function(){var b=this,c=!1;this.$outer.find(".lg-close").on("click.lg",function(){b.destroy()}),b.s.closable&&(b.$outer.on("mousedown.lg",function(b){c=a(b.target).is(".lg-outer")||a(b.target).is(".lg-item ")||a(b.target).is(".lg-img-wrap")?!0:!1}),b.$outer.on("mouseup.lg",function(d){(a(d.target).is(".lg-outer")||a(d.target).is(".lg-item ")||a(d.target).is(".lg-img-wrap")&&c)&&(b.$outer.hasClass("lg-dragging")||b.destroy())}))},e.prototype.destroy=function(c){var d=this;d.$el.trigger("onBeforeClose.lg"),a(b).scrollTop(d.prevScrollTop),c&&(this.$items.off("click.lg click.lgcustom"),a.removeData(d.el,"lightGallery")),this.$el.off(".lg.tm"),a.each(a.fn.lightGallery.modules,function(a){d.modules[a]&&d.modules[a].destroy()}),this.lGalleryOn=!1,clearTimeout(d.hideBartimeout),this.hideBartimeout=!1,a(b).off(".lg"),a("body").removeClass("lg-on lg-from-hash"),d.$outer&&d.$outer.removeClass("lg-visible"),a(".lg-backdrop").removeClass("in"),setTimeout(function(){d.$outer&&d.$outer.remove(),a(".lg-backdrop").remove(),d.$el.trigger("onCloseAfter.lg")},d.s.backdropDuration+50)},a.fn.lightGallery=function(b){return this.each(function(){if(a.data(this,"lightGallery"))try{a(this).data("lightGallery").init()}catch(c){console.error("lightGallery has not initiated properly")}else a.data(this,"lightGallery",new e(this,b))})},a.fn.lightGallery.modules={}}(jQuery,window,document); -/*! lightgallery - v1.2.5 - 2015-10-02 -* http://sachinchoolur.github.io/lightGallery/ -* Copyright (c) 2015 Sachin N; Licensed Apache 2.0 */ -!function(a,b,c,d){"use strict";var e={thumbnail:!0,animateThumb:!0,currentPagerPosition:"middle",thumbWidth:100,thumbContHeight:100,thumbMargin:5,exThumbImage:!1,showThumbByDefault:!0,toogleThumb:!0,pullCaptionUp:!0,enableThumbDrag:!0,enableThumbSwipe:!0,swipeThreshold:50,loadYoutubeThumbnail:!0,youtubeThumbSize:1,loadVimeoThumbnail:!0,vimeoThumbSize:"thumbnail_small",loadDailymotionThumbnail:!0},f=function(b){return this.core=a(b).data("lightGallery"),this.core.s=a.extend({},e,this.core.s),this.$el=a(b),this.$thumbOuter=null,this.thumbOuterWidth=0,this.thumbTotalWidth=this.core.$items.length*(this.core.s.thumbWidth+this.core.s.thumbMargin),this.thumbIndex=this.core.index,this.left=0,this.init(),this};f.prototype.init=function(){this.core.s.thumbnail&&this.core.$items.length>1&&(this.core.s.showThumbByDefault&&this.core.$outer.addClass("lg-thumb-open"),this.core.s.pullCaptionUp&&this.core.$outer.addClass("lg-pull-caption-up"),this.build(),this.core.s.animateThumb?(this.core.s.enableThumbDrag&&!this.core.isTouch&&this.core.doCss()&&this.enableThumbDrag(),this.core.s.enableThumbSwipe&&this.core.isTouch&&this.core.doCss()&&this.enableThumbSwipe(),this.thumbClickable=!1):this.thumbClickable=!0,this.toogle(),this.thumbkeyPress())},f.prototype.build=function(){function c(a,b,c){var d,h=e.core.isVideo(a,c)||{},i="";h.youtube||h.vimeo||h.dailymotion?h.youtube?d=e.core.s.loadYoutubeThumbnail?"//img.youtube.com/vi/"+h.youtube[1]+"/"+e.core.s.youtubeThumbSize+".jpg":b:h.vimeo?e.core.s.loadVimeoThumbnail?(d="//i.vimeocdn.com/video/error_"+g+".jpg",i=h.vimeo[1]):d=b:h.dailymotion&&(d=e.core.s.loadDailymotionThumbnail?"//www.dailymotion.com/thumbnail/video/"+h.dailymotion[1]:b):d=b,f+='
    ',i=""}var d,e=this,f="",g="",h='
    ';switch(this.core.s.vimeoThumbSize){case"thumbnail_large":g="640";break;case"thumbnail_medium":g="200x150";break;case"thumbnail_small":g="100x75"}if(e.core.$outer.addClass("lg-has-thumb"),e.core.$outer.find(".lg").append(h),e.$thumbOuter=e.core.$outer.find(".lg-thumb-outer"),e.thumbOuterWidth=e.$thumbOuter.width(),e.core.s.animateThumb&&e.core.$outer.find(".lg-thumb").css({width:e.thumbTotalWidth+"px",position:"relative"}),this.core.s.animateThumb&&e.$thumbOuter.css("height",e.core.s.thumbContHeight+"px"),e.core.s.dynamic)for(var i=0;ithis.thumbTotalWidth-this.thumbOuterWidth&&(this.left=this.thumbTotalWidth-this.thumbOuterWidth),this.left<0&&(this.left=0),this.core.lGalleryOn?(b.hasClass("on")||this.core.$outer.find(".lg-thumb").css("transition-duration",this.core.s.speed+"ms"),this.core.doCss()||b.animate({left:-this.left+"px"},this.core.s.speed)):this.core.doCss()||b.css("left",-this.left+"px"),this.setTranslate(this.left)}},f.prototype.enableThumbDrag=function(){var c=this,d=0,e=0,f=!1,g=!1,h=0;c.$thumbOuter.addClass("lg-grab"),c.core.$outer.find(".lg-thumb").on("mousedown.lg.thumb",function(a){c.thumbTotalWidth>c.thumbOuterWidth&&(a.preventDefault(),d=a.pageX,f=!0,c.core.$outer.scrollLeft+=1,c.core.$outer.scrollLeft-=1,c.thumbClickable=!1,c.$thumbOuter.removeClass("lg-grab").addClass("lg-grabbing"))}),a(b).on("mousemove.lg.thumb",function(a){f&&(h=c.left,g=!0,e=a.pageX,c.$thumbOuter.addClass("lg-dragging"),h-=e-d,h>c.thumbTotalWidth-c.thumbOuterWidth&&(h=c.thumbTotalWidth-c.thumbOuterWidth),0>h&&(h=0),c.setTranslate(h))}),a(b).on("mouseup.lg.thumb",function(){g?(g=!1,c.$thumbOuter.removeClass("lg-dragging"),c.left=h,Math.abs(e-d)a.thumbOuterWidth&&(c.preventDefault(),b=c.originalEvent.targetTouches[0].pageX,a.thumbClickable=!1)}),a.core.$outer.find(".lg-thumb").on("touchmove.lg",function(f){a.thumbTotalWidth>a.thumbOuterWidth&&(f.preventDefault(),c=f.originalEvent.targetTouches[0].pageX,d=!0,a.$thumbOuter.addClass("lg-dragging"),e=a.left,e-=c-b,e>a.thumbTotalWidth-a.thumbOuterWidth&&(e=a.thumbTotalWidth-a.thumbOuterWidth),0>e&&(e=0),a.setTranslate(e))}),a.core.$outer.find(".lg-thumb").on("touchend.lg",function(){a.thumbTotalWidth>a.thumbOuterWidth&&d?(d=!1,a.$thumbOuter.removeClass("lg-dragging"),Math.abs(c-b)'),a.core.$outer.find(".lg-toogle-thumb").on("click.lg",function(){a.core.$outer.toggleClass("lg-thumb-open")}))},f.prototype.thumbkeyPress=function(){var c=this;a(b).on("keydown.lg.thumb",function(a){38===a.keyCode?(a.preventDefault(),c.core.$outer.addClass("lg-thumb-open")):40===a.keyCode&&(a.preventDefault(),c.core.$outer.removeClass("lg-thumb-open"))})},f.prototype.destroy=function(){this.core.s.thumbnail&&this.core.$items.length>1&&(a(b).off("resize.lg.thumb orientationchange.lg.thumb keydown.lg.thumb"),this.$thumbOuter.remove(),this.core.$outer.removeClass("lg-has-thumb"))},a.fn.lightGallery.modules.Thumbnail=f}(jQuery,window,document); -/* - * jquery.socialshareprivacy.js | 2 Klicks fuer mehr Datenschutz (1.6) - * - * http://www.heise.de/extras/socialshareprivacy/ - * http://www.heise.de/ct/artikel/2-Klicks-fuer-mehr-Datenschutz-1333879.html - * - * Copyright (c) 2011-2015 Hilko Holweg, Sebastian Hilbig, Nicolas Heiringhoff, Juergen Schmidt, - * Heise Medien GmbH & Co. KG, http://www.heise.de - * - * is released under the MIT License http://www.opensource.org/licenses/mit-license.php - * - * Spread the word, link to us if you can. - */ -(function ($) { - - "use strict"; - - // - // helper functions - // - - // abbreviate at last blank before length and add "\u2026" (horizontal ellipsis) - function abbreviateText(text, length) { - var abbreviated = decodeURIComponent(text); - if (abbreviated.length <= length) { - return text; - } - - var lastWhitespaceIndex = abbreviated.substring(0, length - 1).lastIndexOf(' '); - abbreviated = encodeURIComponent(abbreviated.substring(0, lastWhitespaceIndex)) + "\u2026"; - - return abbreviated; - } - - // returns content of tags or '' if empty/non existant - function getMeta(name) { - var metaContent = $('meta[name="' + name + '"]').attr('content'); - return metaContent || ''; - } - - // create tweet text from content of and - // fallback to content of tag - function getTweetText() { - var title = getMeta('DC.title'); - var creator = getMeta('DC.creator'); - - if (title.length > 0 && creator.length > 0) { - title += ' - ' + creator; - } else { - title = $('title').text(); - } - - return encodeURIComponent(title); - } - - // build URI from rel="canonical" or document.location - function getURI() { - var uri = document.location.href; - var canonical = $("link[rel=canonical]").attr("href"); - - if (canonical && canonical.length > 0) { - if (canonical.indexOf("http") < 0) { - canonical = document.location.protocol + "//" + document.location.host + canonical; - } - uri = canonical; - } - - return uri; - } - - function cookieSet(name, value, days, path, domain) { - var expires = new Date(); - expires.setTime(expires.getTime() + (days * 24 * 60 * 60 * 1000)); - document.cookie = name + '=' + value + '; expires=' + expires.toUTCString() + '; path=' + path + '; domain=' + domain; - } - function cookieDel(name, value, path, domain) { - var expires = new Date(); - expires.setTime(expires.getTime() - 100); - document.cookie = name + '=' + value + '; expires=' + expires.toUTCString() + '; path=' + path + '; domain=' + domain; - } - - // extend jquery with our plugin function - $.fn.socialSharePrivacy = function (settings) { - var defaults = { - 'services' : { - 'facebook' : { - 'status' : 'on', - 'dummy_img' : 'socialshareprivacy/images/dummy_facebook.png', - 'perma_option' : 'on', - 'referrer_track' : '', - 'action' : 'recommend', - 'layout' : 'button_count', - 'sharer' : { - 'status' : 'off', - 'dummy_img' : 'socialshareprivacy/images/dummy_facebook_share_de.png', - 'img' : 'socialshareprivacy/images/dummy_facebook_share_active_de.png' - } - }, - 'twitter' : { - 'status' : 'on', - 'dummy_img' : 'socialshareprivacy/images/dummy_twitter.png', - 'perma_option' : 'on', - 'referrer_track' : '', - 'tweet_text' : getTweetText, - 'count' : 'horizontal' - }, - 'gplus' : { - 'status' : 'on', - 'dummy_img' : 'socialshareprivacy/images/dummy_gplus.png', - 'perma_option' : 'on', - 'referrer_track' : '', - 'size' : 'medium' - } - }, - 'info_link' : 'http://www.heise.de/ct/artikel/2-Klicks-fuer-mehr-Datenschutz-1333879.html', - 'cookie_path' : '/', - 'cookie_domain' : document.location.host, - 'cookie_expires' : '365', - 'css_path' : 'socialshareprivacy/socialshareprivacy.css', - 'uri' : getURI, - 'language' : 'de', - 'lang_path' : 'socialshareprivacy/lang/', - 'skin' : 'light', - 'alignment' : 'horizontal', - 'switch_alignment' : 'left', - 'perma_orientation' : 'down' - }; - - // Standardwerte des Plug-Ins mit den vom User angegebenen Optionen ueberschreiben - var options = $.extend(true, defaults, settings); - - var facebook_on = (options.services.facebook.status === 'on'); - var facebook_sharer_on = (options.services.facebook.sharer.status === 'on'); - var twitter_on = (options.services.twitter.status === 'on'); - var gplus_on = (options.services.gplus.status === 'on'); - - // check if at least one service is "on" - if (!facebook_on && !twitter_on && !gplus_on) { - return; - } - - // insert stylesheet into document and prepend target element - if (options.css_path.length > 0 && $(window).data('socialshareprivacy_css') != '1') { - // IE fix (noetig fuer IE < 9 - wird hier aber fuer alle IE gemacht) - if (document.createStyleSheet) { - document.createStyleSheet(options.css_path); - } - else { - $('head').append('<link rel="stylesheet" type="text/css" href="' + options.css_path + '" />'); - } - - $(window).data('socialshareprivacy_css','1'); - } - - var language; - - function loadLangFile() { - var d = $.Deferred(); - - $.getJSON(options.lang_path + options.language+'.lang', function(data) { - language = data; - d.resolve(); - }).fail(function(s){ - if(typeof console !== "undefined") { - console.log('Error ' + s.status + ' while loading the language file ('+options.lang_path+options.language+'.lang)'); - } - d.reject(); - }); - - return d.promise(); - } - - return this.each(function () { - var iteration = this; - - $.when( - loadLangFile()) - .then( function() { - $(iteration).prepend('<ul class="social_share_privacy_area clearfix"></ul>'); - var context = $('.social_share_privacy_area', iteration); - - // Class for dark skinning - if(options.skin == 'dark') { - $(context).addClass('skin-dark'); - } - - // Class for alignment - if(options.alignment == 'vertical') { - $(context).addClass('vertical'); - - if(options.switch_alignment == 'right' && - ((facebook_on && options.services.facebook.layout == 'box_count') || (!facebook_on)) && - ((twitter_on && options.services.twitter.count == 'vertical') || (!twitter_on)) && - ((gplus_on && options.services.gplus.size == 'tall') || (!gplus_on))) { - $(context).addClass('switch_right'); - } - } - - // canonical uri that will be shared - var uri = options.uri; - if (typeof uri === 'function') { - uri = uri(context); - } - - // - // Facebook - // - if (facebook_on) { - var fb_dummy_btn; - var fb_code; - - var fb_height = options.services.facebook.layout == 'box_count' ? '61' : '21'; - var fb_width = options.services.facebook.layout == 'box_count' ? '90' : '130'; - - var fb_enc_uri = encodeURIComponent(uri + options.services.facebook.referrer_track); - - if (facebook_sharer_on) { - fb_dummy_btn = '<img src="' + options.services.facebook.sharer.dummy_img + '" alt="Facebook "Share"-Dummy" class="fb_like_privacy_dummy" />'; - fb_code = '<a href="#" onclick="window.open(\'https://www.facebook.com/sharer/sharer.php?u=' + fb_enc_uri + '\', \'facebook-share-dialog\', \'width=626,height=436\'); return false;"><img src="'+options.services.facebook.sharer.img+'" alt="" /></a>'; - } - else { - fb_dummy_btn = '<img src="' + options.services.facebook.dummy_img + '" alt="Facebook "Like"-Dummy" class="fb_like_privacy_dummy" />'; - fb_code = '<iframe src="//www.facebook.com/plugins/like.php?locale=' + language.services.facebook.language + '&href=' + fb_enc_uri + '&width=' + fb_width + '&layout=' + options.services.facebook.layout + '&action=' + options.services.facebook.action + '&show_faces=false&share=false&height=' + fb_height + '&colorscheme=' + options.skin + '" scrolling="no" frameborder="0" style="border:none; overflow:hidden; width:' + fb_width + 'px; height:' + fb_height + 'px;" allowTransparency="true"></iframe>'; - } - context.append('<li class="facebook help_info clearfix"><span class="info">' + language.services.facebook.txt_info + '</span><a href="#" class="switch off">' + language.services.facebook.txt_fb_off + '</a><div class="fb_like dummy_btn">' + fb_dummy_btn + '</div></li>'); - - var $container_fb = $('li.facebook', context); - $(context).on('click', 'li.facebook div.fb_like img.fb_like_privacy_dummy,li.facebook .switch', function (e) { - e.preventDefault(); - if ($container_fb.find('.switch').hasClass('off')) { - $container_fb.addClass('info_off'); - $container_fb.find('.switch').addClass('on').removeClass('off').html(language.services.facebook.txt_fb_on); - $container_fb.find('img.fb_like_privacy_dummy').replaceWith(fb_code); - } - else { - $container_fb.removeClass('info_off'); - $container_fb.find('.switch').addClass('off').removeClass('on').html(language.services.facebook.txt_fb_off); - $container_fb.find('.fb_like').html(fb_dummy_btn); - } - }); - } - - // - // Twitter - // - if (twitter_on) { - var text = options.services.twitter.tweet_text; - if (typeof text === 'function') { - text = text(); - } - // 120 is the max character count left after twitters automatic url shortening with t.co - text = abbreviateText(text, '120'); - - var tw_height = options.services.twitter.count == 'horizontal' ? '25' : '62'; - var tw_width = options.services.twitter.count == 'horizontal' ? '130' : '83'; - - var twitter_enc_uri = encodeURIComponent(uri + options.services.twitter.referrer_track); - var twitter_count_url = encodeURIComponent(uri); - var twitter_code = '<iframe allowtransparency="true" frameborder="0" scrolling="no" src="//platform.twitter.com/widgets/tweet_button.html?url=' + twitter_enc_uri + '&counturl=' + twitter_count_url + '&text=' + text + '&count=' + options.services.twitter.count + '&lang=' + language.services.twitter.language + '&dnt=true" style="width:' + tw_width + 'px; height:' + tw_height + 'px;"></iframe>'; - var twitter_dummy_btn = '<img src="' + options.services.twitter.dummy_img + '" alt=""Tweet this"-Dummy" class="tweet_this_dummy" />'; - - context.append('<li class="twitter help_info clearfix"><span class="info">' + language.services.twitter.txt_info + '</span><a href="#" class="switch off">' + language.services.twitter.txt_twitter_off + '</a><div class="tweet dummy_btn">' + twitter_dummy_btn + '</div></li>'); - - var $container_tw = $('li.twitter', context); - - $(context).on('click', 'li.twitter div.tweet img,li.twitter .switch', function (e) { - e.preventDefault(); - if ($container_tw.find('.switch').hasClass('off')) { - $container_tw.addClass('info_off'); - $container_tw.find('.switch').addClass('on').removeClass('off').html(language.services.twitter.txt_twitter_on); - $container_tw.find('img.tweet_this_dummy').replaceWith(twitter_code); - } - else { - $container_tw.removeClass('info_off'); - $container_tw.find('.switch').addClass('off').removeClass('on').html(language.services.twitter.txt_twitter_off); - $container_tw.find('.tweet').html(twitter_dummy_btn); - } - }); - } - - // - // Google+ - // - if (gplus_on) { - // fuer G+ wird die URL nicht encoded, da das zu einem Fehler fuehrt - var gplus_uri = uri + options.services.gplus.referrer_track; - - // we use the Google+ "asynchronous" code, standard code is flaky if inserted into dom after load - var gplus_code = '<div class="g-plusone" data-size="' + options.services.gplus.size + '" data-href="' + gplus_uri + '"></div><script type="text/javascript">window.___gcfg = {lang: "' + language.services.gplus.language + '"}; (function() { var po = document.createElement("script"); po.type = "text/javascript"; po.async = true; po.src = "https://apis.google.com/js/platform.js"; var s = document.getElementsByTagName("script")[0]; s.parentNode.insertBefore(po, s); })(); </script>'; - var gplus_dummy_btn = '<img src="' + options.services.gplus.dummy_img + '" alt=""Google+1"-Dummy" class="gplus_one_dummy" />'; - - context.append('<li class="gplus help_info clearfix"><span class="info">' + language.services.gplus.txt_info + '</span><a href="#" class="switch off">' + language.services.gplus.txt_gplus_off + '</a><div class="gplusone dummy_btn">' + gplus_dummy_btn + '</div></li>'); - - var $container_gplus = $('li.gplus', context); - - $(context).on('click', 'li.gplus div.gplusone img,li.gplus .switch', function (e) { - e.preventDefault(); - if ($container_gplus.find('.switch').hasClass('off')) { - $container_gplus.addClass('info_off'); - $container_gplus.find('.switch').addClass('on').removeClass('off').html(language.services.gplus.txt_gplus_on); - $container_gplus.find('img.gplus_one_dummy').replaceWith(gplus_code); - } - else { - $container_gplus.removeClass('info_off'); - $container_gplus.find('.switch').addClass('off').removeClass('on').html(language.services.gplus.txt_gplus_off); - $container_gplus.find('.gplusone').html(gplus_dummy_btn); - } - }); - } - - // - // Der Info/Settings-Bereich wird eingebunden - // - context.append('<li class="settings_info ' + options.perma_orientation + '"><div class="settings_info_menu off perma_option_off"><a href="' + options.info_link + '"><span class="help_info icon"><span class="info">' + language.txt_help + '</span></span></a></div></li>'); - - // Info-Overlays mit leichter Verzoegerung einblenden - $(context).on('mouseenter', '.help_info:not(.info_off)', function () { - var $info_wrapper = $(this); - var timeout_id = window.setTimeout(function () { $($info_wrapper).addClass('display'); }, 500); - $(this).data('timeout_id', timeout_id); - }); - $(context).on('mouseleave', '.help_info', function () { - var timeout_id = $(this).data('timeout_id'); - window.clearTimeout(timeout_id); - if ($(this).hasClass('display')) { - $(this).removeClass('display'); - } - }); - - var facebook_perma = (options.services.facebook.perma_option === 'on'); - var twitter_perma = (options.services.twitter.perma_option === 'on'); - var gplus_perma = (options.services.gplus.perma_option === 'on'); - - // Menue zum dauerhaften Einblenden der aktiven Dienste via Cookie einbinden - if ((facebook_on && facebook_perma) || (twitter_on && twitter_perma) || (gplus_on && gplus_perma)) { - - // Cookies abrufen - var cookie_list = document.cookie.split(';'); - var cookies = '{'; - var i = 0; - //dkd-putzek: check if cookie list does not contain undefined entrys - if(cookie_list[0][1] !=undefined){ - for (; i < cookie_list.length; i += 1) { - var foo = cookie_list[i].split('='); - // Spaces and Quotes getting removed - foo[0] = $.trim(foo[0].replace(/"/g, '')); - foo[1] = $.trim(foo[1].replace(/"/g, '')); - cookies += '"' + foo[0] + '":"' + foo[1] + '"'; - if (i < cookie_list.length - 1) { - cookies += ','; - } - } - } - - cookies += '}'; - cookies = jQuery.parseJSON(cookies); - - // Container definieren - var $container_settings_info = $('li.settings_info', context); - - // Klasse entfernen, die das i-Icon alleine formatiert, da Perma-Optionen eingeblendet werden - $container_settings_info.find('.settings_info_menu').removeClass('perma_option_off'); - - // Perma-Optionen-Icon (.settings) und Formular (noch versteckt) einbinden - $container_settings_info.find('.settings_info_menu').append('<a href="#" class="settings">' + language.settings + '</a><form><fieldset><legend>' + language.settings_perma + '</legend></fieldset></form>'); - - - var random = 'r' + Math.floor(Math.random()*101); - - // Die Dienste mit <input> und <label>, sowie checked-Status laut Cookie, schreiben - var checked = ' checked="checked"'; - if (facebook_on && facebook_perma) { - var perma_status_facebook = cookies.socialSharePrivacy_facebook === 'perma_on' ? checked : ''; - $container_settings_info.find('form fieldset').append( - '<input type="checkbox" name="perma_status_facebook" id="' + random + '_perma_status_facebook"' + perma_status_facebook + ' /><label for="'+random+'_perma_status_facebook">' + language.services.facebook.perma_display_name + '</label>' - ); - } - - if (twitter_on && twitter_perma) { - var perma_status_twitter = cookies.socialSharePrivacy_twitter === 'perma_on' ? checked : ''; - $container_settings_info.find('form fieldset').append( - '<input type="checkbox" name="perma_status_twitter" id="' + random + '_perma_status_twitter"' + perma_status_twitter + ' /><label for="'+random+'_perma_status_twitter">' + language.services.twitter.perma_display_name + '</label>' - ); - } - - if (gplus_on && gplus_perma) { - var perma_status_gplus = cookies.socialSharePrivacy_gplus === 'perma_on' ? checked : ''; - $container_settings_info.find('form fieldset').append( - '<input type="checkbox" name="perma_status_gplus" id="'+random+'_perma_status_gplus"' + perma_status_gplus + ' /><label for="'+random+'_perma_status_gplus">' + language.services.gplus.perma_display_name + '</label>' - ); - } - - // Settings-Menue per Tastatur erreichbar machen, die Mouseevents werden getriggert - $(context).on('click', 'li.settings_info .settings', function (e) { - e.preventDefault(); - if($(this).data('keyb') == 'on') { - $('li.settings_info', context).trigger('mouseleave'); - $(this).data('keyb','off'); - } - else { - $('li.settings_info .settings', context).trigger('mouseenter'); - $(this).data('keyb','on'); - } - }); - - // Einstellungs-Menue bei mouseover ein-/ausblenden - $(context).on('mouseenter', 'li.settings_info .settings', function () { - var timeout_id = window.setTimeout(function () { $container_settings_info.find('.settings_info_menu').removeClass('off').addClass('on'); }, 500); - $(this).data('timeout_id', timeout_id); - }); - $(context).on('mouseleave', 'li.settings_info', function () { - var timeout_id = $(this).data('timeout_id'); - window.clearTimeout(timeout_id); - $container_settings_info.find('.settings_info_menu').removeClass('on').addClass('off'); - }); - - // Klick-Interaktion auf <input> um Dienste dauerhaft ein- oder auszuschalten (Cookie wird gesetzt oder geloescht) - $(context).on('click', 'li.settings_info fieldset input', function (event) { - var click = event.target.id; - var service = click.substr(click.lastIndexOf('_') + 1, click.length); - var cookie_name = 'socialSharePrivacy_' + service; - - if ($('#' + event.target.id + ':checked').length) { - cookieSet(cookie_name, 'perma_on', options.cookie_expires, options.cookie_path, options.cookie_domain); - $('form fieldset label[for=' + click + ']', context).addClass('checked'); - } - else { - cookieDel(cookie_name, 'perma_on', options.cookie_path, options.cookie_domain); - $('form fieldset label[for=' + click + ']', context).removeClass('checked'); - } - }); - - // Dienste automatisch einbinden, wenn entsprechendes Cookie vorhanden ist - if (facebook_on && facebook_perma && cookies.socialSharePrivacy_facebook === 'perma_on') { - $('li.facebook .switch', context).click(); - } - if (twitter_on && twitter_perma && cookies.socialSharePrivacy_twitter === 'perma_on') { - $('li.twitter .switch', context).click(); - } - if (gplus_on && gplus_perma && cookies.socialSharePrivacy_gplus === 'perma_on') { - $('li.gplus .switch', context).click(); - } - } - }); // .then() - }); // this.each(function () - }; // $.fn.socialSharePrivacy = function (settings) { -}(jQuery)); -/** - * @class DKD - * @DKD DKD - * @extends {} - * - * The main entry point which controls the lifecycle of the application. - */ - -// add jquery extensions - -// http://www.quirks-modus.de/archives/341 -$.extend({ - getUrlVars: function(){ - var vars = [], hash; - var hashes = window.location.href.slice(window.location.href.indexOf('?') + 1).split('&'); - for(var i = 0; i < hashes.length; i++) - { - hash = hashes[i].split('='); - vars.push(hash[0]); - vars[hash[0]] = hash[1]; - } - return vars; - }, - getUrlVar: function(name){ - return $.getUrlVars()[name]; - } -}); - - - -// begin bootstrapper - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.Bootstrap = (function () { - // use strict mode - 'use strict'; - - // init variables first - var bootstrappers = []; - - - /** - * Main bootstrap. This is called by on Ready and calls all registered bootstraps. - * - * This method is called automatically. - */ - function bootstrap() { - _invokeBootstrappers(); - }; - - /** - * Registers a new bootstrap class. - * - * @param bootstrap The bootstrap class to be registered. - * @api - */ - function registerBootstrap(bootstrap) { - bootstrappers.push(bootstrap); - }; - - - // private - /** - * Invoke the registered bootstrappers init function - */ - function _invokeBootstrappers() { - jQuery.each( - bootstrappers, - function(index, bootstrapper) { - bootstrapper.initialize(); - } - ); - }; - - // expose public functions - return { - bootstrap: bootstrap, - registerBootstrap: registerBootstrap - }; -}) (); - -/** - * on document ready call the onDocumentReady function of the application bootstrapper - */ - -$(document).ready(DKD.Bootstrap.bootstrap); -/** - * @class DKD.tools - * @DKD DKD - * @extends {} - * - * - * @author Hendrik Putzek - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.tools = (function () { - 'use strict'; - - /** - * initialize method - */ - - var loadingObjects = {}; - - function initialize() { - - } - - // trigger event when all loading items are finished - function allLoadingDone() { - $( document ).foundation({ - equalizer : { - // Specify if Equalizer should make elements equal height once they become stacked. - equalize_on_stack: true - } - }); - } - - // add loading item to loading stack - function registerLoadingItem(item){ - loadingObjects[item] = item; - } - - // remove item from loading stack - function setLoadingItemDone(item) { - var loadingItemsBeforeCheck = Object.keys(loadingObjects).length; - if(loadingObjects[item]){ - delete loadingObjects[item]; - } - // if loading stack is empty... - if (Object.keys(loadingObjects).length === 0 && loadingItemsBeforeCheck !== 0){ - allLoadingDone(); - } - } - - function scrollToElement(settingsObject){ - var defaultSettings = { - elementSelector: '', // Element to scroll to - animationDuration: 500, // how long shall the scroll take - offsetTop: 0 // offset of the element after scrolling - } - var settings = $.extend({}, defaultSettings, settingsObject); - $('html,body').animate({scrollTop:$($(settings.elementSelector)).offset().top + settings.offsetTop + 'px'}, settings.animationDuration); - } - - // expose public functions - return { - initialize: initialize, - registerLoader: registerLoadingItem, - setLoadingItemDone: setLoadingItemDone, - scrollToElement: scrollToElement - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.tools); -} -/** - * @class DKD.initPlugins - * @DKD DKD - * @extends {} - * - * - * @author Hendrik Putzek - * - * Initialization / config of foundation Javascript - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - - - -DKD.initPlugins = (function () { - 'use strict'; - - // add custom breakpoints - Foundation.utils.register_media('medium-up', "custom-mq-medium-up"); - Foundation.utils.register_media('large-up', "custom-mq-large-up"); - Foundation.utils.register_media('medium-only', "custom-mq-medium-only"); - Foundation.utils.register_media('small-only', "custom-mq-small-only"); - - // trigger the reflow of Equalizer - $(document).on('replace', 'img', function() { - $(document).foundation('equalizer', 'reflow'); - }); - - /** - * initialize method - */ - function initialize() { - DKD.tools.registerLoader('general'); - initSlider(); - prepareFoundationEqualizer(); - initSocialshareprivacy(); - DKD.tools.setLoadingItemDone('general'); - setupChangeUserDataForm(); - setLightboxOptions(); - openImageGalleryOnLink(); - initLightGallery(); - - $('.youtube-loader').click(function(){ - var params = { - url: 'https://www.youtube.com/oembed/?url=https://www.youtube.com/watch?v=' + $(this).data('video-id') + '&format=json' - //callback: 'videodata' - } - var $element = $(this); - $.ajax({ - dataType: 'jsonp', - url: 'https://json2jsonp.com/', - data: params, - success: function(data){ - addVideoContainer($element,data); - }, - error: function(){ - console.log('error'); - } - - }); - }) - - function addVideoContainer($element,data){ - var $extendedIframe = $(data.html); - $extendedIframe.attr('src',$extendedIframe.attr('src').replace('youtube','youtube-nocookie') + '&rel=0&showinfo=0'); - $element.html($extendedIframe).attr('data-loaded','true').fitVids(); - } - } - - function initLightGallery(){ - var showThumbnails = false; - var showThumbByDefault = false; - if (matchMedia(Foundation.media_queries['medium-up']).matches){ - showThumbnails = true; - } - if (matchMedia(Foundation.media_queries['large-up']).matches){ - showThumbByDefault = true; - } - - var galleryInstance = $('[data-lightbox]').lightGallery({ - selector: 'this', - hideBarsDelay: 999999, - counter: false, - download: false, - thumbnail: showThumbnails, - showThumbByDefault: showThumbByDefault, - exThumbImage: 'data-exthumbimage', - closable: false, - preload: 0 - }); - } - - function prepareFoundationEqualizer() - { - DKD.tools.registerLoader('equalizer'); - // Check if the media query is activated - if (matchMedia(Foundation.media_queries['medium-only']).matches){ - // removes data-equalizer attribute from elements with data-attribute 'data-equalizer-medium-disable' applied - // this makes it possible to disable equalizing for certain elements in medium-viewport only - $('[data-equalizer-medium-disable]').removeAttr('data-equalizer-watch'); - } - if (matchMedia(Foundation.media_queries['small-only']).matches){ - // disable equalizing completely - $('[data-equalizer]').removeAttr('data-equalizer'); - } - Foundation.utils.image_loaded($('img'), function(){ - DKD.tools.setLoadingItemDone('equalizer'); - }); - } - - //initialize slider - function initSlider(){ - if($('.slider').length>0){ - DKD.tools.registerLoader('slider'); - $('.slider').on('init', function(){ - positionSliderDots(); - }); - $('.slider').slick({ - dots:true, - infinite: true, - slidesToShow: 1, - arrows: true, - speed: 800 - }); - - - $(window).on('resize', Foundation.utils.throttle(function(e){ - setSliderHeight(); - }, 300)); - } - } - - function setSliderHeight() { - var sliderImg = $(".slick-active img"); - var height = sliderImg.height() - 25; - setTimeout(function(){ - //position of dots vertical - $(".slick-dots").css("top", height); - - var sliderImgWidth = sliderImg.width(); - var ulWidth = $(".slick-dots").width(); - var coordinate = sliderImgWidth/2 - ulWidth/2; - - //position of dots horizontal - $(".slick-dots").css("left", coordinate); - }, 25); - - // set this class to remove loader via css - $('.slider').addClass('loaded'); - DKD.tools.setLoadingItemDone('slider'); - } - - - //set position of Sliderdots (15px below image) - function positionSliderDots(){ - // init images in slider (replace them with interchange) - $('.slider').foundation('interchange', 'reflow'); - // When image is replaced... - $('.slider .slick-active').on('replace', 'img', function (e, new_path, original_path) { - // when all images in slider are loaded... - Foundation.utils.image_loaded($('.slider img'), function(){ - setSliderHeight(); - DKD.tools.setLoadingItemDone('slider'); - }); - }); - } - - function initSocialshareprivacy () { - // Documentation :http://www.heise.de/extras/socialshareprivacy/ - - var imagepath = 'typo3conf/ext/rlp/Resources/Public/Images/socialshareprivacy/'; - var settings = { - 'services': { - 'facebook': { - 'perma_option': 'off', - 'sharer': { - 'status': 'on', - 'dummy_img': imagepath + 'dummy_facebook_share_de.png', - 'img': imagepath + 'facebook_share_de.png' - } - }, - 'twitter': { - 'perma_option': 'off', - 'dummy_img': imagepath + 'dummy_twitter.png' - }, - 'gplus': { - 'perma_option': 'off', - 'dummy_img': imagepath + 'dummy_gplus.png' - } - }, - 'css_path': '', - 'lang_path': 'typo3conf/ext/rlp/Resources/Public/Javascripts/plugins/jquery.socialshareprivacy/socialshareprivacy/lang/', - 'language': 'de' - }; - if($('.socialshareprivacy.horizontal').length > 0) { - $('.socialshareprivacy.horizontal').socialSharePrivacy(settings); - } - if($('.socialshareprivacy.vertical').length > 0) { - settings['alignment'] = 'vertical'; - $('.socialshareprivacy.vertical').socialSharePrivacy(settings); - } - } - - function setupChangeUserDataForm() { - $('#checkbox-clear').click(function(){ - $('[name="changeUserData[subscribe-news][]"]').prop("checked", $(this).prop("checked")); - }); - } - - - - function setLightboxOptions(){ - // If the lightbox contains less than two images set the carousel view to "display: none" - // to prevent it from showing only one single thumbnail - $(document.body).on("opened.fndtn.clearing", function(event) { - if($(event.target.offsetParent).find('.clearing-thumbs li').length < 2){ - $(event.target.offsetParent).find('.carousel').addClass('hidden-in-lightbox'); - } - }); - } - - //Open image gallery when clicking on link containing number of images in the image library. Works with multiple image galleries on page. - function openImageGalleryOnLink() { - $('[data-trigger-image-gallery]').on('click', function(e) { - e.preventDefault(); - //stores image gallery id - var galleryId = $(this).attr('data-trigger-image-gallery'); - //opens image gallery when id of gallery equals to @data-open-image-gallery - $('[data-open-image-gallery=' + galleryId + '] img').trigger('click'); - }); - } - - // expose public functions - return { - initialize: initialize - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.initPlugins); -} - -/* --------------- - * This is a template file for setting up a new bootstrap - * Cahcnge "toTopButton" to any name that you wish and that is not used already in the DKD-Namespace. - * - * */ - - - -/** - * @class DKD.toTopButton - * @DKD DKD - * @extends {} - * - * - * @author Hendrik Putzek - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.toTopButton = (function () { - - var scrollDuration = 200; - 'use strict'; - - /** - * initialize method - */ - function initialize() { - $('.scroll-to-top-button').click(function(){ - $('html, body').animate({scrollTop : 0},scrollDuration); - return false; - }); - } - - // expose public functions - return { - initialize: initialize - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.toTopButton); -} - -/* --------------- - * This is a template file for scrolling across the table for small and medium breakpoints - * Change "tableScroll" to any name that you wish and that is not used already in the DKD-Namespace. - * - * */ - - - -/** - * @class DKD.tableScroll - * @DKD DKD - * @extends {} - * - * - * @author Nadezhda Petrova - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.tableScroll = (function () { - 'use strict'; - - /** - * Wrap containers around the table element - */ - - function styleTable() { - $('table').wrap( "<div class='table-container-outer'><div class='table-container'></div></div>" ); - $('.table-container-outer').prepend('<div class="table-container-fade"/>'); - } - /** - * initialize method - */ - function initialize() { - styleTable(); - } - - // expose public functions - return { - initialize: initialize() - }; -}) (); - -/** - * @class DKD.mainMenu - * @DKD DKD - * @extends {} - * - * - * @author Hendrik Putzek - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.mainMenu = (function () { - 'use strict'; - - //contains the event name for animationend for the current browser. - var animationEvent = whichAnimationEvent(); - - var menuSettings = { - mainMenuSelector: '.main-menu', - touchMenuSelector: '.mobile-menu', - touchMenuTrigger: '.menu-trigger', - touchMenuSearch: '.search-trigger', - touchMenuSearchBox: '.search-box', - touchMenuCloseSearchBox:'.js-close-search-box', - mainMenuContainer: '.dkd_mm_container', - mainMenuLink: '.dkd_mm_link', - mainMenuSectionTitleLink: '.dkd_mm_section_title_link', - mainMenuEntry: '.dkd_mm_entry', - mainMenuSubLink: '.dkd_mm_sub_link', - submenuTriggerMarkup: '<button class="submenu-trigger" role="button"></button>', - submenuList: '.dkd_mm_section_list', - containerPadding: 30, - mainMenuContainerGenerated: '', - rtl: false - } - - var $currentSubmenu = {}; - var currentLevel = 0; - - - /** - * initialize method - */ - function initialize() { - menuSettings.mainMenuContainerGenerated = menuSettings.mainMenuContainer + '--generated'; - // check for text-direction attribute and use this setting to change menu rendering if rtl is active - if($('html').attr('dir') == 'rtl'){ - menuSettings.rtl = true; - } - if($(menuSettings.mainMenuSelector).length > 0){ - prepareMarkup (); - setIds(); - if (!matchMedia(Foundation.media_queries['larger-tablet-horizonal-up']).matches){ - setClickHandlersTouch(); - } - else { - setCloseOnWindowWidthChange(); - } - renderSubnavButtons(); - setEventHandlers(); - } - } - - function setClickHandlersTouch(){ - // Main menu trigger - $(menuSettings.touchMenuTrigger).on('click', function(){ - if(!$(this).hasClass('open')) { - openMainMenu(); - appendMenuLevel($(menuSettings.mainMenuSelector + '.static ' + menuSettings.submenuList).attr('data-menu-id'),1); - $(this).addClass('open'); - scrollToMenuBar(); - } - else { - $(this).removeClass('open'); - closeMainMenu(); - } - }) - // searchbox trigger - $(menuSettings.touchMenuSearch + ', ' + menuSettings.touchMenuCloseSearchBox).on('click', function(e){ - $(menuSettings.touchMenuSearch).toggleClass('open'); - $(menuSettings.touchMenuSearchBox).toggleClass('open'); - scrollToMenuBar(); - }) - } - - function setEventHandlers() { - setOpenOnHoverHandler(); - setHeadlineClickHandler(); - setTriggerSubmenu(); - setChangeMenuLevelToParents(); - setCloseMenuOnContainerClick(); - setCloseMenuOnLinkClick(); - } - - function appendMenuLevel(menuId){ - var zIndex = $(menuSettings.mainMenuContainerGenerated + ' ' + menuSettings.submenuList).length + 1; - var levelToAppend = filterOneLevel($('[data-menu-id="' + menuId + '"]'),zIndex); - if (matchMedia(Foundation.media_queries['medium-up']).matches) { - setSubmenuPosition(levelToAppend); - } - currentLevel = zIndex; - $(menuSettings.mainMenuContainerGenerated + ' ' + menuSettings.mainMenuSelector).append(levelToAppend); - // set Animation depending on menu-level - if(zIndex === 1){ - setAnimation({ - elementSelector: levelToAppend, - animationClass: 'fadeIn' - }); - } - else { - setAnimation({ - elementSelector: levelToAppend, - animationClass: 'fadeInRight' - }); - } - setMenuHeight(); - $currentSubmenu = $('[data-menu-id=' + menuId + ']'); - - /** - * calculates and sets the position of the submenu to be opened - * resets the position of already opened submenus if they have a position set - * - * @param levelToAppend menulevel to be positioned - */ - function setSubmenuPosition(levelToAppend) { - var openMenus = $(menuSettings.mainMenuContainerGenerated + ' ' + menuSettings.submenuList); - var currentlyActiveElement = openMenus.last(); - if (currentlyActiveElement.length) { - if (menuSettings.rtl == false) { - openMenus.css('left',''); - levelToAppend.css('left',currentlyActiveElement.position().left + currentlyActiveElement.outerWidth() + 3); - } - - else { - openMenus.css('right',''); - levelToAppend.css('right', currentlyActiveElement.position().right + currentlyActiveElement.outerWidth() + 3); - } - } - } - } - - function filterOneLevel($menuElement, zIndex){ - var $submenu = $menuElement.clone().children(); - $submenu.find('ul').remove(); - return $menuElement.clone().css('z-index',zIndex).empty().append($submenu); - } - - function renderSubnavButtons() { - $(menuSettings.mainMenuSubLink +' > ' + menuSettings.mainMenuLink).append(menuSettings.submenuTriggerMarkup); - } - - - // add ID's to menu sections and links - function setIds(){ - $(menuSettings.submenuList).each(function(index,element){ - var randomString = Foundation.utils.random_str(6) - $(element).attr('data-menu-id',randomString); - }); - - $(menuSettings.mainMenuSubLink).each(function(index,element){ - var submenuId = $(element).find('> ' + menuSettings.submenuList).attr('data-menu-id'); - $(element).find('> ' + menuSettings.mainMenuLink + ' a').attr('data-submenu-id',submenuId); - }); - - }; - - function prepareMarkup(){ - var markup = - [ '<!-- menu container -->', - '<div class="' + menuSettings.mainMenuContainer.slice(1) + ' ' + menuSettings.mainMenuContainer.slice(1) + '--generated ">', - ' <div class="row">', - ' <div class="' + menuSettings.mainMenuSelector.slice(1) + ' small-12 columns"></div>', - ' </div>', - '</div>', - '<!-- menu container end -->' - ].join('\n'); - $(menuSettings.mainMenuSelector).after(markup); - } - - function setMenuHeight() { - var t=0; // the height of the highest element (after the function runs) - var t_elem; // the highest element (after the function runs) - var $menuElement = $(menuSettings.mainMenuContainerGenerated + ' ' + menuSettings.mainMenuSelector); - var $menuContainers = $(menuSettings.mainMenuContainerGenerated + ' ' + menuSettings.submenuList); - $menuElement.css('height',''); - $menuContainers.css('height',''); - $menuContainers.each(function () { - var $this = $(this); - if ( $this.outerHeight() > t ) { - t_elem=this; - t=$this.outerHeight(); - } - }); - if (matchMedia(Foundation.media_queries['medium-up']).matches) { - $menuElement.css('height', t + menuSettings.containerPadding); - $menuContainers.css('height', t); - } - setOverlayHeight(t + menuSettings.containerPadding); - } - - function openMainMenu() { - $(menuSettings.mainMenuContainer).addClass('open'); - $(menuSettings.mainMenuContainer + ' ' + menuSettings.mainMenuSelector).empty(); - $(menuSettings.mainMenuEntry).removeClass('active'); - setOverlayHeight(); - } - - function closeMainMenu () { - // close menu - $(menuSettings.mainMenuSelector).find('.active').removeClass('active'); - setAnimation ({ - elementSelector: $(menuSettings.mainMenuContainer), - animationClass: 'fadeOut', - optRemoveClassAfterwards:'open' - }) - // update status in mobile menubar - $(menuSettings.touchMenuTrigger).removeClass('open'); - } - - - // Helper Function from David Walsh: http://davidwalsh.name/css-animation-callback - function whichAnimationEvent(){ - var t, - el = document.createElement("fakeelement"); - - var animations = { - "animation" : "animationend", - "OAnimation" : "oAnimationEnd", - "MozAnimation" : "animationend", - "WebkitAnimation": "webkitAnimationEnd" - } - - for (t in animations){ - if (el.style[t] !== undefined){ - return animations[t]; - } - } - } - - // ---- set Animation Class --- - // - // possible parameters: - // $elementSelector: This is the element to be animated - // animationClass: This is the css Class to use for animation - // remove Element after animation (true/false), optional, default is false. - // remove Class after animation (classname), optional - function setAnimation(settings, callback){ - if(settings.elementSelector !== undefined) { - settings.elementSelector.addClass(settings.animationClass); - // if animations are available - if($('html').hasClass('cssanimations')){ - settings.elementSelector.one(animationEvent, function(e) { - // code to execute after animation ends - handleAnimationEnd(); - }); - } - // if animations are not possible (ie9) - else { - handleAnimationEnd(); - } - } - function handleAnimationEnd(){ - settings.elementSelector.removeClass(settings.animationClass); - if(settings.optRemoveClassAfterwards !== undefined) { - settings.elementSelector.removeClass(settings.optRemoveClassAfterwards); - } - if(settings.optRemoveAfterwards === true) { - settings.elementSelector.remove(); - } - if (typeof callback === "function") { - // Execute the callback function and pass the parameters to it​ - callback(); - } - } - } - - function setOverlayHeight(height){ - var overlayHeight= $(document).height() - $(menuSettings.mainMenuContainerGenerated).offset().top; - // append style for overlay height to head because u can not add before and after styles with jQuery - $('#overlayHeight').detach(); - jQuery('head').append('<style id="overlayHeight" type="text/css">' + menuSettings.mainMenuContainerGenerated + ':before{height: ' + overlayHeight + 'px;}</style>'); - - $(menuSettings.mainMenuContainerGenerated + ':before').css('height',overlayHeight); - } - - function scrollToMenuBar() { - if (matchMedia(Foundation.media_queries['large-up']).matches) { - DKD.tools.scrollToElement({ - elementSelector: 'body' - }); - } - else { - DKD.tools.scrollToElement({ - elementSelector: menuSettings.touchMenuSelector - }); - } - } - - function setOpenOnHoverHandler(){ - // set handler to open menu on hover (Desktop) - $('[data-level="1"] > ' + menuSettings.mainMenuEntry).hoverIntent(function(e){ - if($(this).hasClass('dkd_mm_sub_link')){ - e.preventDefault(); - e.stopPropagation(); - openMainMenu(); - $(this).addClass('active'); - var theElement = e.currentTarget; - var $menuElement = $(theElement).find('> ' + menuSettings.submenuList); - var menuId = $menuElement.attr('data-menu-id'); - appendMenuLevel(menuId); - - } - else { - $(this).addClass('active'); - closeMainMenu(); - } - - },function(){}); - } - - - function setCloseOnWindowWidthChange() { - // close menu on width changes - $(window).on('resize', Foundation.utils.throttle(function (e) { - closeMainMenu(); - }, 300)); - } - - function setTriggerSubmenu(){ - // set handler to trigger submenu - $(document).on('click', menuSettings.mainMenuSubLink + ' .submenu-trigger',function(e){ - e.preventDefault(); - e.stopPropagation(); - var $linkElement = $(e.currentTarget).parent().find('a'); - $(e.currentTarget).parent().addClass('slug'); - var submenuId = $linkElement.attr('data-submenu-id'); - appendMenuLevel(submenuId); - scrollToMenuBar(); - }) - } - - function setHeadlineClickHandler(){ - // set handler to close menulevel when clicking on menulevel headline - $(document).on('click', menuSettings.mainMenuSectionTitleLink ,function(e){ - // if only one container is left: close menu when clicking on menulevel headline - if($(menuSettings.mainMenuContainerGenerated).find(menuSettings.submenuList).length == 1){ - setAnimation({ - elementSelector: $(menuSettings.mainMenuContainer), - animationClass: 'fadeOut', - optRemoveClassAfterwards:'open' - }); - closeMainMenu(); - } - else { - setAnimation({ - elementSelector:$(this).closest(menuSettings.submenuList), - animationClass: 'fadeOutRight', - optRemoveAfterwards:true - },function(){ - setMenuHeight(); - positionLastMenuList(); - }); - } - $(menuSettings.mainMenuContainer + ' [data-level=' + currentLevel + '] .slug').removeClass('slug'); - scrollToMenuBar(); - }); - } - - function setChangeMenuLevelToParents(){ - // set handler to change current menu level by clicking on parent menu item - $('body').on('click',menuSettings.submenuList,function(){ - currentLevel = $(this).data('level') -1; - $(this).find('.slug').removeClass('slug'); - - // remove all child menus - setAnimation({ - elementSelector:$(this).nextAll(), - animationClass: 'fadeOutRight', - optRemoveAfterwards:true - },function(){ - positionLastMenuList(); - }); - }); - } - - function positionLastMenuList(){ - currentLevel = currentLevel -1; - if (matchMedia(Foundation.media_queries['medium-up']).matches) { - var $lastMenuPoint = $(menuSettings.mainMenuContainerGenerated).find(menuSettings.submenuList + ':last-child'); - if($lastMenuPoint.prev().length>0){ - $lastMenuPoint.css('left', $lastMenuPoint.prev().position().left + $lastMenuPoint.prev().outerWidth() + 3); - } - } - } - - function setCloseMenuOnContainerClick(){ - // set handler to close menu container - - $(menuSettings.mainMenuContainer + ','+ menuSettings.mainMenuSelector).on('click',function(e){ - // do not trigger on subelements - if( e.target !== this){ - return; - } - closeMainMenu(); - setAnimation({ - elementSelector: $(this), - animationClass: 'fadeOut', - optRemoveClassAfterwards: 'open' - }); - }); - - $('.header').click(function(){ - closeMainMenu(); - }); - } - - function setCloseMenuOnLinkClick(){ - $(document).on('click','.dkd_mm_link a', function(){ - closeMainMenu(); - }); - } - - - // expose public functions - return { - initialize: initialize - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.mainMenu); -} -/** - * @class DKD.collapseOnMobile - * @DKD DKD - * @extends {} - * - * - * @author Hendrik Putzek - */ - -if (typeof DKD === 'undefined') { - DKD = jQuery.extend({},{}); -} - -DKD.collapseOnMobile = (function () { - 'use strict'; - var attributeName = 'data-collapse-on-mobile'; - /** - * initialize method - */ - function initialize() { - checkSolrFilterStatus(); - initCollapsibles(); - } - - function checkSolrFilterStatus() { - // checks if url parameter "tx_solr[filter][0]" is set and opens solr Filtering options on mobile if true. - if($.getUrlVar('tx_solr%5Bfilter%5D%5B0%5D') !== undefined){ - $('.solr-filter-options').attr(attributeName,'open'); - } - } - - function initCollapsibles () { - $('body').on('click','[data-collapse-on-mobile--header]',function() { - var $collapseContainer = $(this).closest('[data-collapse-on-mobile]'); - var attr = $collapseContainer.attr(attributeName); - if (attr === 'open') { - $collapseContainer.attr(attributeName,'true'); - } - else { - $collapseContainer.attr(attributeName,'open'); - } - }); - } - - // expose public functions - return { - initialize: initialize - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.collapseOnMobile); -} - -DKD.cscMailform = (function () { - 'use strict'; - var $errorMessageSelector = $('.csc-mailform span.error'); - /** - * initialize method - */ - function initialize() { - if($errorMessageSelector.length > 0){ - markInputsAfterValidation(); - } - - } - - function markInputsAfterValidation () { - $errorMessageSelector.parent().next('input, textarea').addClass('error'); - $('.csc-mailform').on('keypress','input, textarea',function(){ - $(this).removeClass('error'); - $(this).parent().find('.error').remove(); - }) - } - - // expose public functions - return { - initialize: initialize - }; -}) (); - -// Register Bootstrap -if (typeof DKD.Bootstrap !== 'undefined') { - DKD.Bootstrap.registerBootstrap(DKD.cscMailform); -} \ No newline at end of file diff --git a/organisation/enums.py b/organisation/enums.py index 7d5aa6bc..4ba53e66 100644 --- a/organisation/enums.py +++ b/organisation/enums.py @@ -6,21 +6,3 @@ Created on: 07.12.20 """ from konova.enums import BaseEnum - - -class RoleTypeEnum(BaseEnum): - """ - Defines the possible role types for organisation and users - """ - DATAPROVIDER = "DATAPROVIDER" - LICENSINGAUTHORITY = "LICENSINGAUTHORITY" - REGISTRATIONOFFICE = "REGISTRATIONOFFICE" - - -class OrganisationTypeEnum(BaseEnum): - """ - Defines the possible role types for organisation and users - """ - OFFICIAL = "OFFICIAL" - COMPANY = "COMPANY" - NGO = "NGO" diff --git a/organisation/models.py b/organisation/models.py index b015670e..890422a4 100644 --- a/organisation/models.py +++ b/organisation/models.py @@ -1,7 +1,6 @@ from django.db import models from konova.models import BaseResource -from organisation.enums import OrganisationTypeEnum class Organisation(BaseResource): @@ -12,7 +11,6 @@ class Organisation(BaseResource): phone = models.CharField(max_length=500, null=True, blank=True) email = models.EmailField(max_length=500, null=True, blank=True) facsimile = models.CharField(max_length=500, null=True, blank=True) - type = models.CharField(max_length=255, choices=OrganisationTypeEnum.as_choices(drop_empty_choice=True), null=True, blank=True) def __str__(self): - return self.name \ No newline at end of file + return self.name diff --git a/organisation/settings.py b/organisation/settings.py index 2252961a..5369533c 100644 --- a/organisation/settings.py +++ b/organisation/settings.py @@ -6,17 +6,3 @@ Created on: 07.12.20 """ from django.utils.translation import gettext_lazy as _ -from organisation.enums import OrganisationTypeEnum as ote -from organisation.enums import RoleTypeEnum as rte - -ORGANISATION_ROLE_STRINGS = { - ote.OFFICIAL.value: _("Official"), - ote.COMPANY.value: _("Company"), - ote.NGO.value: _("NGO"), -} - -ROLE_TYPE_STRINGS = { - rte.DATAPROVIDER.value: _("Data provider"), - rte.LICENSINGAUTHORITY.value: _("Licencing Authority"), - rte.REGISTRATIONOFFICE.value: _("Registration office"), -} \ No newline at end of file diff --git a/process/__init__.py b/process/__init__.py deleted file mode 100644 index e69de29b..00000000 diff --git a/process/admin.py b/process/admin.py deleted file mode 100644 index 658c05cc..00000000 --- a/process/admin.py +++ /dev/null @@ -1,38 +0,0 @@ -from django.contrib import admin - -from process.models import Process - - -def activate_process(modeladmin, request, queryset): - for process in queryset: - process.activate() - - -def deactivate_process(modeladmin, request, queryset): - for process in queryset: - process.deactivate() - - -activate_process.short_description = "Activate selected process" -deactivate_process.short_description = "Deactivate selected process" - - -class ProcessAdmin(admin.ModelAdmin): - list_display = [ - "id", - "licensing_authority", - "licensing_authority_document_identifier", - "registration_office", - "registration_office_document_identifier", - "is_active", - "is_deleted", - ] - actions = [ - activate_process, - deactivate_process, - ] - - - - -admin.site.register(Process, ProcessAdmin) diff --git a/process/apps.py b/process/apps.py deleted file mode 100644 index 66b02e2f..00000000 --- a/process/apps.py +++ /dev/null @@ -1,5 +0,0 @@ -from django.apps import AppConfig - - -class ProcessConfig(AppConfig): - name = 'process' diff --git a/process/enums.py b/process/enums.py deleted file mode 100644 index 5b60218b..00000000 --- a/process/enums.py +++ /dev/null @@ -1,202 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 25.11.20 - -""" -from django.contrib.auth.models import User - -from konova.enums import BaseEnum -from organisation.enums import RoleTypeEnum - - -class ProcessStateEnum(BaseEnum): - """ - ProcessStates define in which state a process can be: - - private - Only the user can see and edit this process. Not viewable by any others - accessible - The user and all participated users can see this process. Only the responsible next user can edit - the process - licensed - The user and all participated users can see this process. Only the responsible next user can edit - the process - official - The user and all participated users can see this process. Only the registration office user can now - change details. If a process is changed in this state, the state will be set back to accessible, so all - participated users need to take a look on the changed data again. - recorded [Will be set automatically after certain time] - The user and all participated users can see this process. No one can edit data. To change any details, - the process has to be set to accessible manually again. - """ - PRIVATE = 0 - ACCESSIBLE = 1 - LICENSED = 2 - OFFICIAL = 3 - RECORDED = 4 - - @classmethod - def as_choices(cls, drop_empty_choice: bool = False) -> list: - """ Extends as_choices, so choices will be translated - - Args: - drop_empty_choice (bool): Whether the empty choice shall be dropped or not - - Returns: - trans_choices (list): Translated choices - """ - choices = super().as_choices(drop_empty_choice) - return ProcessStateEnum.__translate_choices(choices) - - @staticmethod - def __translate_choices(choices: list) -> list: - """ Translates a list of prepared but untranslated choices - - Args: - choices (list): A list of tuple chocies - - Returns: - choices (list): The same list but translated - """ - from process.settings import PROCESS_STATE_STRINGS - trans_choices = [] - # Translate - for choice in choices: - if choice[0] is not None: - choice = list(choice) - trans = PROCESS_STATE_STRINGS.get(choice[0]) - choice[1] = trans - choice = tuple(choice) - trans_choices.append(choice) - return trans_choices - - @classmethod - def is_state(cls, state: int) -> bool: - """ Checks whether the given state is a valid Enum - - Args: - state (int): The state to be checked - - Returns: - is_valid (bool) - """ - valid_vals = {enum.value for enum in cls} - return state in valid_vals - - @classmethod - def as_role_choices(cls, user: User) -> list: - """ Checks whether the given state is a valid Enum - - Args: - user (User): The performing user - - Returns: - is_valid (bool) - """ - role = user.current_role - if role is None: - return [] - role_type = role.role.type - role_type_enum = RoleTypeEnum[role_type] - choices = PROCESS_ROLE_STATES.get(role_type_enum) - choices = [(enum.value, enum.name) for enum in choices] - choices = ProcessStateEnum.__translate_choices(choices) - return choices - - @classmethod - def as_next_role_choices(cls, user: User, current_state: int, is_owner: bool = False) -> list: - """ Returns a list of valid choices depending on the current role of the user and the current state - - Args: - user (User): The performing user - current_state (int): The current state of the process - - Returns: - choices (list): A list of valid choices - """ - role = user.current_role - if role is None: - return [] - role_type = role.role.type - role_type_enum = RoleTypeEnum[role_type] - - # Merge the possible choices depending on the current user role - # with the possible choices depending on the process state - role_choices = PROCESS_ROLE_STATES.get(role_type_enum) - status_choices = PROCESS_STATE_NEXT_CHOICES.get(current_state) - current_choice = {ProcessStateEnum(current_state)} - choices = (status_choices & role_choices) | current_choice - - # If user is owner of this process, we shall add the private choice if not existing, yet - if is_owner: - choices = {ProcessStateEnum.PRIVATE} | choices - - # Make sure enums are ordered by numerical value - choices = sorted(choices, key=lambda _enum: _enum.value) - - # Create selectable and translated choices from enum list - choices = [(enum.value, enum.name) for enum in choices] - choices = ProcessStateEnum.__translate_choices(choices) - return choices - - -# DEFINES THE AVAILABLE STATES FOR EACH ROLE -PROCESS_ROLE_STATES = { - RoleTypeEnum.DATAPROVIDER: { - ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - }, - RoleTypeEnum.LICENSINGAUTHORITY: { - #ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - ProcessStateEnum.LICENSED, - }, - RoleTypeEnum.REGISTRATIONOFFICE: { - #ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - ProcessStateEnum.OFFICIAL, - }, -} - -# DEFINES POSSIBLE NEXT STATES FOR EACH PROCESS STATE -PROCESS_STATE_NEXT_CHOICES = { - ProcessStateEnum.PRIVATE.value: { - ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - }, - ProcessStateEnum.ACCESSIBLE.value: { - ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - ProcessStateEnum.LICENSED, - }, - ProcessStateEnum.LICENSED.value: { - ProcessStateEnum.PRIVATE, - ProcessStateEnum.ACCESSIBLE, - ProcessStateEnum.LICENSED, - ProcessStateEnum.OFFICIAL, - }, - ProcessStateEnum.OFFICIAL.value: { - ProcessStateEnum.ACCESSIBLE, - ProcessStateEnum.OFFICIAL, - ProcessStateEnum.RECORDED, - }, -} - -# DEFINES FOR EACH STATE WHICH ROLE CAN EDIT THE PROCESS -PROCESS_EDITABLE_STATE = { - ProcessStateEnum.PRIVATE.value: { - RoleTypeEnum.DATAPROVIDER, - RoleTypeEnum.LICENSINGAUTHORITY, - }, - ProcessStateEnum.ACCESSIBLE.value: { - RoleTypeEnum.LICENSINGAUTHORITY, - }, - ProcessStateEnum.LICENSED.value: { - RoleTypeEnum.REGISTRATIONOFFICE, - }, - ProcessStateEnum.OFFICIAL.value: { - RoleTypeEnum.REGISTRATIONOFFICE, - } -} \ No newline at end of file diff --git a/process/forms.py b/process/forms.py deleted file mode 100644 index b9978d18..00000000 --- a/process/forms.py +++ /dev/null @@ -1,218 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 30.11.20 - -""" -from dal import autocomplete -from django import forms -from django.contrib.auth.models import User -from django.db import transaction -from django.urls import reverse -from django.utils.translation import gettext_lazy as _ - -from intervention.models import Intervention -from konova.forms import BaseForm -from organisation.models import Organisation -from process.enums import ProcessStateEnum -from process.models import Process - - -class NewProcessForm(BaseForm): - """ - A form for new process - """ - identifier = forms.CharField( - max_length=255, - label=_("Identifier"), - label_suffix=_(""), - help_text=_("Generated automatically if none was given"), - required=False, - ) - title = forms.CharField( - max_length=255, - label=_("Title"), - label_suffix=_(""), - help_text=_("Proper title of the process"), - required=True, - ) - type = forms.CharField( - max_length=255, - label=_("Type"), - label_suffix=_(""), - help_text=_("Which process type is this"), - required=True, - ) - - licensing_authority = forms.ModelChoiceField( - label=_("Licencing Authority"), - label_suffix=_(""), - required=True, - queryset=Organisation.objects.all(), - widget=autocomplete.ModelSelect2( - url="orgs-autocomplete", - attrs={ - "data-placeholder": _("Organization"), - "data-minimum-input-length": 3, - } - ), - ) - licensing_authority_document_identifier = forms.CharField( - max_length=255, - label=_("Licencing document identifier"), - label_suffix=_(""), - required=True, - ) - comment_licensing_authority = forms.CharField( - widget=forms.Textarea, - label=_("Comment licensing authority"), - label_suffix=_(""), - required=False, - ) - - registration_office = forms.ModelChoiceField( - label=_("Registration office"), - label_suffix=_(""), - required=True, - queryset=Organisation.objects.all(), - widget=autocomplete.ModelSelect2( - url="orgs-autocomplete", - attrs={ - "data-placeholder": _("Organization"), - "data-minimum-input-length": 3, - } - ), - ) - registration_office_document_identifier = forms.CharField( - max_length=255, - label=_("Registration document identifier"), - label_suffix=_(""), - required=True, - ) - comment_registration_office = forms.CharField( - widget=forms.Textarea, - label=_("Comment registration office"), - label_suffix=_(""), - required=False, - ) - - def __init__(self, *args, **kwargs): - super().__init__(*args, **kwargs) - self.action_url = reverse("process:new") - self.cancel_redirect = reverse("process:index") - self.form_title = _("Add new process") - self.form_caption = _("Enter these basic information for the new process.") - - def save(self, user: User): - """ - Persists process objects into database - """ - with transaction.atomic(): - identifier = self.cleaned_data.get("identifier", None) - title = self.cleaned_data.get("title", None) - _type = self.cleaned_data.get("type", None) - licencing_auth = self.cleaned_data.get("licensing_authority", None) - licencing_auth_doc_id = self.cleaned_data.get("licensing_authority_document_identifier", None) - reg_off = self.cleaned_data.get("registration_office", None) - reg_off_doc_id = self.cleaned_data.get("registration_office_document_identifier", None) - comment_license = self.cleaned_data.get("comment_licensing_authority", None) - comment_registration = self.cleaned_data.get("comment_registration_office", None) - - process = Process() - process.licensing_authority = licencing_auth - process.licensing_authority_document_identifier = licencing_auth_doc_id - process.registration_office = reg_off - process.registration_office_document_identifier = reg_off_doc_id - process.state = ProcessStateEnum.PRIVATE.value - process.created_by = user - process.licensing_authority_comment = comment_license - process.registration_office_comment = comment_registration - process.save() - - intervention = Intervention() - intervention.title = title - intervention.type = _type - intervention.created_by = user - intervention.process = process - intervention.identifier = identifier - intervention.save() - - return process - - -class EditProcessForm(NewProcessForm): - status = forms.ChoiceField( - label=_("Status"), - label_suffix="", - choices=[], - ) - - def __init__(self, *args, **kwargs): - self.user = kwargs.pop("user", None) - super().__init__(*args, **kwargs) - if self.instance is not None: - self.action_url = reverse("process:edit", args=(self.instance.id,)) - self.cancel_redirect = reverse("process:index") - self.form_title = _("Edit process") - self.form_caption = "" - self.fields["status"].choices = ProcessStateEnum.as_next_role_choices(self.user, self.instance.state) - - # Initialize form data - form_data = { - "identifier": self.instance.intervention.identifier, - "title": self.instance.intervention.title, - "type": self.instance.intervention.type, - "licensing_authority": self.instance.licensing_authority, - "licensing_authority_document_identifier": self.instance.licensing_authority_document_identifier, - "registration_office": self.instance.registration_office, - "registration_office_document_identifier": self.instance.registration_office_document_identifier, - "comment_licensing_authority": self.instance.licensing_authority_comment, - "comment_registration_office": self.instance.registration_office_comment, - "status": self.instance.state, - } - disabled_fields = [ - "identifier", - ] - self.load_initial_data( - form_data, - disabled_fields, - ) - - def save(self, user: User): - """ Persists changes from form to instance - - Args: - user (User): The performing user - - Returns: - process (Process): The edited process instance - """ - with transaction.atomic(): - title = self.cleaned_data.get("title", None) - _type = self.cleaned_data.get("type", None) - licencing_auth = self.cleaned_data.get("licensing_authority", None) - licencing_auth_doc_id = self.cleaned_data.get("licensing_authority_document_identifier", None) - reg_off = self.cleaned_data.get("registration_office", None) - reg_off_doc_id = self.cleaned_data.get("registration_office_document_identifier", None) - comment_license = self.cleaned_data.get("comment_licensing_authority", None) - comment_registration = self.cleaned_data.get("comment_registration_office", None) - new_state = self.cleaned_data.get("status", None) - - self.instance.licensing_authority = licencing_auth - self.instance.licensing_authority_document_identifier = licencing_auth_doc_id - self.instance.registration_office = reg_off - self.instance.registration_office_document_identifier = reg_off_doc_id - self.instance.state = ProcessStateEnum.PRIVATE.value - self.instance.created_by = user - self.instance.licensing_authority_comment = comment_license - self.instance.registration_office_comment = comment_registration - self.instance.state = new_state - self.instance.save() - - self.instance.intervention.title = title - self.instance.intervention.type = _type - self.instance.intervention.created_by = user - self.instance.intervention.save() - - return self.instance \ No newline at end of file diff --git a/process/models.py b/process/models.py deleted file mode 100644 index 3a2c8c32..00000000 --- a/process/models.py +++ /dev/null @@ -1,158 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 17.11.20 - -""" -from django.contrib.auth.models import User -from django.db import models, transaction - -from konova.models import BaseResource -from organisation.enums import RoleTypeEnum -from organisation.models import Organisation -from process.enums import ProcessStateEnum -from process.settings import PROCESS_STATE_STRINGS - - -class Process(BaseResource): - """ - Process links compensation, intervention and eco accounts. These links are realized as ForeignKeys in their models. - - This process model therefore just holds further information on participated legal organizations. - - Attribute 'state' holds information on the current state of the process, which are defined in ProcessStateEnum - """ - licensing_authority = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True, blank=True, related_name="+") - licensing_authority_document_identifier = models.CharField(max_length=500, null=True, blank=True) - licensing_authority_comment = models.CharField(max_length=500, null=True, blank=True) - registration_office_document_identifier = models.CharField(max_length=500, null=True, blank=True) - registration_office = models.ForeignKey(Organisation, on_delete=models.SET_NULL, null=True, blank=True, related_name="+") - registration_office_comment = models.CharField(max_length=500, null=True, blank=True) - state = models.PositiveIntegerField(choices=ProcessStateEnum.as_choices(drop_empty_choice=True), default=0) - - def __str__(self) -> str: - try: - intervention = self.intervention - title = intervention.title - except AttributeError: - title = "NO TITLE" - return title - - def get_state_str(self): - """ - Translates the numeric state into a string - - Returns: - - """ - return PROCESS_STATE_STRINGS.get(self.state, None) - - def deactivate(self): - """ Deactivates a process and it's related elements - - Returns: - - """ - if self.is_active and not self.is_deleted: - self.toggle_deletion() - - def activate(self): - """ Activates a process and it's related elements - - Returns: - - """ - if not self.is_active and self.is_deleted: - self.toggle_deletion() - - def toggle_deletion(self): - """ Enables or disables a process - - Processes are not truly removed from the database, just toggled in their flags 'is_active' and 'is_deleted' - - Returns: - - """ - with transaction.atomic(): - self.is_active = not self.is_active - self.is_deleted = not self.is_deleted - self.save() - - # toggle related elements - comps = self.compensation.all() - elements = list(comps) - if self.intervention is not None: - elements.append(self.intervention) - - for elem in elements: - elem.is_active = self.is_active - elem.is_deleted = self.is_deleted - elem.save() - - @staticmethod - def get_role_objects(user: User, order_by: str = "-created_on"): - """ Returns processes depending on the currently selected role of the user - - * REGISTRATIONOFFICE - * User can see the processes where registration_office is set to the organisation of the currently selected role - * User can see self-created processes - * LICENSINGOFFICE - * same - * DATAPROVIDER - * User can see only self-created processes - - Args: - user (User): The performing user - order_by (str): Order by which Process attribute - - Returns: - - """ - role = user.current_role - if role is None: - return Process.objects.none() - _filter = { - "is_deleted": False, - } - if role.role.type == RoleTypeEnum.REGISTRATIONOFFICE.value: - _filter["registration_office"] = role.organisation - elif role.role.type == RoleTypeEnum.LICENSINGAUTHORITY.value: - _filter["licensing_authority"] = role.organisation - elif role.role.type == RoleTypeEnum.DATAPROVIDER.value: - # Nothing special - _filter["created_by"] = user - else: - # None of the above - pass - - other_processes = Process.objects.filter( - **_filter - ) - user_created_processes = Process.objects.filter( - created_by=user, - is_deleted=False, - ) - qs = (other_processes | user_created_processes).distinct() - qs = qs.order_by(order_by) - return qs - - @staticmethod - def create_from_intervention(intervention): - """ Creates a process for an intervention, in case an intervention has been created without a process - - Args: - intervention (Intervention): The intervention - - Returns: - process (Process) - """ - process = Process() - process.identifier = intervention.identifier - process.title = intervention.title - process.created_by = intervention.created_by - process.save() - - intervention.process = process - intervention.save() - return process diff --git a/process/settings.py b/process/settings.py deleted file mode 100644 index fc724666..00000000 --- a/process/settings.py +++ /dev/null @@ -1,19 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 25.11.20 - -""" -from django.utils.translation import gettext_lazy as _ - -from process.enums import ProcessStateEnum - -# DEFINES TRANSLATIONS FOR EACH PROCESSSTATEENUM -PROCESS_STATE_STRINGS = { - ProcessStateEnum.PRIVATE.value: _("private"), - ProcessStateEnum.ACCESSIBLE.value: _("accessible"), - ProcessStateEnum.LICENSED.value: _("licensed"), - ProcessStateEnum.OFFICIAL.value: _("official"), - ProcessStateEnum.RECORDED.value: _("recorded"), -} diff --git a/process/tables.py b/process/tables.py deleted file mode 100644 index c72776c3..00000000 --- a/process/tables.py +++ /dev/null @@ -1,130 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 25.11.20 - -""" -from django.template.loader import render_to_string -from django.urls import reverse -from django.utils.html import format_html - -from konova.utils.tables import BaseTable, ChoicesColumnForm -import django_tables2 as tables -from django.utils.translation import gettext_lazy as _ - -from process.enums import ProcessStateEnum -from process.models import Process -from process.settings import PROCESS_STATE_STRINGS - - -class ProcessTable(BaseTable): - id = tables.Column( - verbose_name=_("Intervention identifier"), - orderable=True, - accessor="intervention.identifier", - ) - t = tables.Column( - verbose_name=_("Title"), - orderable=True, - accessor="intervention.title", - ) - """ - THESE COLUMNS MIGHT NOT BE OF INTEREST. TO REDUCE TABLE WIDTH THEY CAN BE REMOVED - - dila = tables.Column( - verbose_name=_("Licensing authority document identifier"), - orderable=True, - accessor="licensing_authority_document_identifier", - ) - diro = tables.Column( - verbose_name=_("Registration office document identifier"), - orderable=True, - accessor="registration_office_document_identifier", - ) - """ - s = tables.Column( - verbose_name=_("Status"), - orderable=True, - accessor="state", - ) - d = tables.Column( - verbose_name=_("Created on"), - orderable=True, - accessor="created_on", - ) - ac = tables.Column( - verbose_name=_("Actions"), - orderable=False, - empty_values=[], - attrs={"td": {"class": "action-col"}} - ) - - def __init__(self, *args, **kwargs): - super().__init__(*args, **kwargs) - self.title = _("Processes") - self.add_new_url = reverse("process:new") - - def render_id(self, value, record: Process): - """ Renders the id column for an intervention - - Args: - value (str): The identifier value - record (Process): The process record - - Returns: - - """ - html = "" - html += self.render_link( - tooltip=_("Open {}").format(_("Process")), - href=reverse("process:open", args=(record.id,)), - txt=value, - new_tab=False, - ) - return format_html(html) - - def render_s(self, value, record, column) -> str: - """ Translates the record state to a desired language - - Args: - value (str): The value of state inside record - record (Process): The whole record itself - - Returns: - str - """ - state = record.state - is_owner = record.created_by == self.request.user - choices = ProcessStateEnum.as_next_role_choices(self.request.user, state, is_owner) - valid_choices = [choice[0] for choice in choices] - if state in valid_choices: - form = ChoicesColumnForm( - action_url=reverse("process:edit-status", args=(record.id,)), - choices=choices, - initial={"select": state}, - ) - rendered = render_to_string("konova/choiceColumnForm.html", context={"form": form}, request=self.request) - else: - rendered = PROCESS_STATE_STRINGS.get(state) - return rendered - - def render_ac(self, value, record): - """ - Renders possible actions for this record, such as delete. - """ - process = _("Process") - html = "" - html += self.render_open_btn( - _("Open {}").format(process), - reverse("process:open", args=(record.id,)), - ) - html += self.render_edit_btn( - _("Edit {}").format(process), - reverse("process:edit", args=(record.id,)), - ) - html += self.render_delete_btn( - _("Delete {}").format(process), - reverse("process:remove", args=(record.id,)), - ) - return format_html(html) diff --git a/process/templates/process/open.html b/process/templates/process/open.html deleted file mode 100644 index d314c8ed..00000000 --- a/process/templates/process/open.html +++ /dev/null @@ -1,95 +0,0 @@ -{% extends 'base.html' %} -{% load i18n static custom_tags %} - -{% block body %} - <div class="rows"> - <div class="columns"> - <div class="large-10 column"> - <h3>{% trans 'Process' %}: {{process.intervention.identifier}}</h3> - <h4>{{process.intervention.title}}</h4> - </div> - <div class="large-2 column"> - <a href="{% url 'process:edit' process.id %}"> - <button class="button small" role="button" value="{% trans 'Edit' %}"><em class='fas fa-edit'></em> {% trans 'Edit' %}</button> - </a> - </div> - </div> - </div> - <div class="rows"> - - <table> - <tbody> - <tr> - <th scope="row">{% trans 'Licencing Authority' %}</th> - <td>{{ process.licensing_authority }}</td> - </tr> - <tr> - <th scope="row">{% trans 'Licencing document identifier' %}</th> - <td>{{ process.licensing_authority_document_identifier }}</td> - </tr> - <tr> - <th scope="row">{% trans 'Registration office' %}</th> - <td>{{ process.registration_office }}</td> - </tr> - <tr> - <th scope="row">{% trans 'Registration document identifier' %}</th> - <td>{{ process.registration_office_document_identifier }}</td> - </tr> - <tr> - <th scope="row">{% trans 'Status' %}</th> - <td> - <span class="small info" title="{% trans 'Status' %}"> - <em class="fas fa-exclamation-triangle"></em> - {{process.state|resolve_process_state}} - </span> - </td> - </tr> - <tr> - <th scope="row">{% trans 'Intervention' %}</th> - <td> - <a href="{% url 'intervention:open' process.intervention.id %}" target="_blank"> - <button class="button small" role="button" title="{{process.intervention.title}} - {{process.intervention.type}}">{{process.intervention.identifier}}</button> - </a> - </td> - </tr> - <tr> - <th scope="row" style="vertical-align: baseline"> - {% trans 'Compensations' %} - <br> - <a href="{% url 'process:add-compensation' process.id %}" target="_blank"> - <button class="button small" role="button" title="{% trans 'Add a new compensation' %}"> - <em class="fas fa-plus-circle"></em> - {% trans 'New' %} - </button> - </a> - </th> - <td> - <table> - <tbody> - {% for compensation in process.compensations.all %} - <tr> - <td> - <a href="{% url 'compensation:open' compensation.id %}" target="_blank"> - <button class="button small" role="button" title="{{compensation.title}} - {{compensation.type}}">{{compensation.identifier}}</button> - </a> - </td> - <td class="action-col"> - <a href="{% url 'compensation:edit' compensation.id %}" title="{% trans 'Edit' %}"><button class="button small" title="{% trans 'Edit' %}"><em class='fas fa-edit'></em></button></a> - <a href="{% url 'compensation:remove' compensation.id %}" title="{% trans 'Remove' %}"><button class="button small" title="{% trans 'Remove' %}"><em class='fas fa-trash-alt'></em></button></a> - </td> - </tr> - {% empty %} - <tr> - <td> - {% trans 'No compensation' %} - </td> - </tr> - {% endfor %} - </tbody> - </table> - </td> - </tr> - </tbody> - </table> - </div> -{% endblock %} \ No newline at end of file diff --git a/process/tests.py b/process/tests.py deleted file mode 100644 index 7ce503c2..00000000 --- a/process/tests.py +++ /dev/null @@ -1,3 +0,0 @@ -from django.test import TestCase - -# Create your tests here. diff --git a/process/urls.py b/process/urls.py deleted file mode 100644 index 3b520c3c..00000000 --- a/process/urls.py +++ /dev/null @@ -1,22 +0,0 @@ -""" -Author: Michel Peltriaux -Organization: Struktur- und Genehmigungsdirektion Nord, Rhineland-Palatinate, Germany -Contact: michel.peltriaux@sgdnord.rlp.de -Created on: 25.11.20 - -""" -from django.urls import path - -from process.views import index_view, new_view, open_view, edit_view, remove_view, edit_status_view, \ - add_compensation_view - -app_name = "process" -urlpatterns = [ - path('', index_view, name='index'), - path('new/', new_view, name='new'), - path('open/<id>', open_view, name='open'), - path('edit/<id>', edit_view, name='edit'), - path('edit/<id>/status', edit_status_view, name='edit-status'), - path('remove/<id>', remove_view, name='remove'), - path('ac/<id>', add_compensation_view, name='add-compensation'), -] diff --git a/process/views.py b/process/views.py deleted file mode 100644 index 27ecbeca..00000000 --- a/process/views.py +++ /dev/null @@ -1,217 +0,0 @@ -from django.contrib import messages -from django.contrib.auth.decorators import login_required -from django.http import HttpRequest -from django.shortcuts import render, redirect, get_object_or_404 -from django.urls import reverse -from django.utils.translation import gettext_lazy as _ - -from compensation.models import Compensation -from konova.contexts import BaseContext -from konova.decorators import resolve_user_role, valid_process_role_required -from konova.forms import RemoveForm -from konova.utils.tables import ChoicesColumnForm -from process.enums import ProcessStateEnum -from process.forms import NewProcessForm, EditProcessForm -from process.models import Process -from process.settings import PROCESS_STATE_STRINGS -from process.tables import ProcessTable - -# URL definitions -PROCESS_INDEX_URL = "process:index" - - -@login_required -@resolve_user_role -def index_view(request: HttpRequest): - """ - Renders the index view for process - - Args: - request (HttpRequest): The incoming request - - Returns: - A rendered view - """ - template = "generic_index.html" - user = request.user - processes = Process.get_role_objects(user) - table = ProcessTable( - request=request, - queryset=processes - ) - context = { - "table": table, - } - context = BaseContext(request, context).context - return render(request, template, context) - - -@login_required -def new_view(request: HttpRequest): - """ - Renders a view for a new process creation - - Args: - request (HttpRequest): The incoming request - - Returns: - - """ - template = "konova/form.html" - form = NewProcessForm(request.POST or None) - if request.method == "POST": - if form.is_valid(): - process = form.save(request.user) - intervention = process.intervention - messages.info(request, _("A process is based on an intervention. Please fill in the missing data for this intervention")) - return redirect("intervention:edit", id=intervention.id) - else: - messages.error(request, _("Invalid input")) - else: - # For clarification: Nothing to do here - pass - context = { - "form": form, - } - context = BaseContext(request, context).context - return render(request, template, context) - - -@login_required -def open_view(request: HttpRequest, id: str): - """ Renders a detail view for this process - - Args: - request (HttpRequest): The incoming request - id (str): The uuid id as string - - Returns: - - """ - template = "process/open.html" - process = get_object_or_404(Process, id=id) - context = { - "process": process, - } - context = BaseContext(request, context).context - return render(request, template, context) - - -@login_required -@resolve_user_role -def edit_view(request: HttpRequest, id: str): - """ Renders an edit view for this process - - Args: - request (HttpRequest): The incoming request - id (str): The uuid id as string - - Returns: - - """ - template = "konova/form.html" - process = get_object_or_404(Process, id=id) - if request.method == "POST": - form = EditProcessForm(request.POST or None, instance=process, user=request.user) - if form.is_valid(): - process = form.save(request.user) - messages.success(request, _("{} edited").format(process)) - return redirect("process:index") - else: - messages.error(request, _("Invalid input")) - form = EditProcessForm(instance=process, user=request.user) - context = { - "form": form, - } - context = BaseContext(request, context).context - return render(request, template, context) - - -@login_required -def remove_view(request: HttpRequest, id: str): - """ Renders a remove view for this process - - Args: - request (HttpRequest): The incoming request - id (str): The uuid id as string - - Returns: - - """ - template = "konova/form.html" - process = get_object_or_404(Process, id=id) - if request.method == "POST": - form = RemoveForm( - request.POST or None, - object_to_remove=process, - remove_post_url=reverse("process:remove", args=(id,)), - cancel_url=reverse("process:index"), - ) - if form.is_valid(): - confirmed = form.is_checked() - if confirmed: - process.deactivate() - messages.success(request, _("Process {} removed").format(process)) - return redirect("process:index") - else: - messages.error(request, _("Invalid input")) - - form = RemoveForm( - object_to_remove=process, - remove_post_url=reverse("process:remove", args=(id,)), - cancel_url=reverse("process:index"), - ) - context = { - "form": form, - } - context = BaseContext(request, context).context - return render(request, template, context) - - -@login_required -def edit_status_view(request: HttpRequest, id: str): - """ Changes only the status of a process - - Args: - request (The incoming request): - id (): - - Returns: - - """ - process = get_object_or_404(Process, id=id) - old_state = process.state - form = ChoicesColumnForm(request.POST or None, choices=ProcessStateEnum.as_choices(drop_empty_choice=True)) - if request.method == "POST": - if form.is_valid(): - process.state = int(form.cleaned_data.get("select", -1)) - process.save() - _from = PROCESS_STATE_STRINGS.get(old_state) - _to = PROCESS_STATE_STRINGS.get(process.state) - messages.info(request, _("{} status changed from {} to {}").format(process.intervention.title, _from, _to)) - else: - messages.error(request, form.errors) - return redirect("process:index") - - -@login_required -def add_compensation_view(request: HttpRequest, id: str): - """ Adds a new compensation to a process - - Args: - request (HttpRequest): The incoming request - id (str): The process' id - - Returns: - - """ - process = get_object_or_404(Process, id=id) - comp = Compensation() - comp.process = process - comp.save() - messages.info(request, _("Please fill in the data for this compensation")) - return redirect("compensation:edit", id=comp.id) - #template = "" - #context = {} - #context = BaseContext(request, context).context - #return render(request, template, context) diff --git a/requirements.txt b/requirements.txt index 829f255e..530a8138 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,20 +1,25 @@ asgiref==3.3.1 +beautifulsoup4==4.9.3 certifi==2020.11.8 chardet==3.0.4 Django==3.1.3 django-autocomplete-light==3.8.1 +django-bootstrap4==3.0.1 django-debug-toolbar==3.1.1 django-filter==2.4.0 django-fontawesome-5==1.0.18 django-simple-sso==0.14.1 django-tables2==2.3.3 idna==2.10 +importlib-metadata==2.1.1 itsdangerous==1.1.0 pkg-resources==0.0.0 psycopg2==2.8.6 pytz==2020.4 requests==2.25.0 six==1.15.0 +soupsieve==2.2.1 sqlparse==0.4.1 urllib3==1.26.2 webservices==0.7 +zipp==3.4.1 diff --git a/templates/base.html b/templates/base.html index a4d42771..cf7e2ea2 100644 --- a/templates/base.html +++ b/templates/base.html @@ -4,12 +4,8 @@ <head> <meta charset="UTF-8"> <title>{{ base_title }} - - - - - - + {% bootstrap_css %} + {% bootstrap_javascript jquery='full' %} {% fontawesome_5_static %} {% block head %}