/*! * jQuery Validation Plugin v1.14.0 * * http://jqueryvalidation.org/ * * Copyright (c) 2015 Jörn Zaefferer * Released under the MIT license */ (function( factory ) { if ( typeof define === "function" && define.amd ) { define( ["jquery"], factory ); } else { factory( jQuery ); } }(function( $ ) { $.extend($.fn, { // http://jqueryvalidation.org/validate/ validate: function( options ) { // if nothing is selected, return nothing; can't chain anyway if ( !this.length ) { if ( options && options.debug && window.console ) { console.warn( "Nothing selected, can't validate, returning nothing." ); } return; } // check if a validator for this form was already created var validator = $.data( this[ 0 ], "validator" ); if ( validator ) { return validator; } // Add novalidate tag if HTML5. this.attr( "novalidate", "novalidate" ); validator = new $.validator( options, this[ 0 ] ); $.data( this[ 0 ], "validator", validator ); if ( validator.settings.onsubmit ) { this.on( "click.validate", ":submit", function( event ) { if ( validator.settings.submitHandler ) { validator.submitButton = event.target; } // allow suppressing validation by adding a cancel class to the submit button if ( $( this ).hasClass( "cancel" ) ) { validator.cancelSubmit = true; } // allow suppressing validation by adding the html5 formnovalidate attribute to the submit button if ( $( this ).attr( "formnovalidate" ) !== undefined ) { validator.cancelSubmit = true; } }); // validate the form on submit this.on( "submit.validate", function( event ) { if ( validator.settings.debug ) { // prevent form submit to be able to see console output event.preventDefault(); } function handle() { var hidden, result; if ( validator.settings.submitHandler ) { if ( validator.submitButton ) { // insert a hidden input as a replacement for the missing submit button hidden = $( "" ) .attr( "name", validator.submitButton.name ) .val( $( validator.submitButton ).val() ) .appendTo( validator.currentForm ); } result = validator.settings.submitHandler.call( validator, validator.currentForm, event ); if ( validator.submitButton ) { // and clean up afterwards; thanks to no-block-scope, hidden can be referenced hidden.remove(); } if ( result !== undefined ) { return result; } return false; } return true; } // prevent submit for invalid forms or custom submit handlers if ( validator.cancelSubmit ) { validator.cancelSubmit = false; return handle(); } if ( validator.form() ) { if ( validator.pendingRequest ) { validator.formSubmitted = true; return false; } return handle(); } else { validator.focusInvalid(); return false; } }); } return validator; }, // http://jqueryvalidation.org/valid/ valid: function() { var valid, validator, errorList; if ( $( this[ 0 ] ).is( "form" ) ) { valid = this.validate().form(); } else { errorList = []; valid = true; validator = $( this[ 0 ].form ).validate(); this.each( function() { valid = validator.element( this ) && valid; errorList = errorList.concat( validator.errorList ); }); validator.errorList = errorList; } return valid; }, // http://jqueryvalidation.org/rules/ rules: function( command, argument ) { var element = this[ 0 ], settings, staticRules, existingRules, data, param, filtered; if ( command ) { settings = $.data( element.form, "validator" ).settings; staticRules = settings.rules; existingRules = $.validator.staticRules( element ); switch ( command ) { case "add": $.extend( existingRules, $.validator.normalizeRule( argument ) ); // remove messages from rules, but allow them to be set separately delete existingRules.messages; staticRules[ element.name ] = existingRules; if ( argument.messages ) { settings.messages[ element.name ] = $.extend( settings.messages[ element.name ], argument.messages ); } break; case "remove": if ( !argument ) { delete staticRules[ element.name ]; return existingRules; } filtered = {}; $.each( argument.split( /\s/ ), function( index, method ) { filtered[ method ] = existingRules[ method ]; delete existingRules[ method ]; if ( method === "required" ) { $( element ).removeAttr( "aria-required" ); } }); return filtered; } } data = $.validator.normalizeRules( $.extend( {}, $.validator.classRules( element ), $.validator.attributeRules( element ), $.validator.dataRules( element ), $.validator.staticRules( element ) ), element ); // make sure required is at front if ( data.required ) { param = data.required; delete data.required; data = $.extend( { required: param }, data ); $( element ).attr( "aria-required", "true" ); } // make sure remote is at back if ( data.remote ) { param = data.remote; delete data.remote; data = $.extend( data, { remote: param }); } return data; } }); // Custom selectors $.extend( $.expr[ ":" ], { // http://jqueryvalidation.org/blank-selector/ blank: function( a ) { return !$.trim( "" + $( a ).val() ); }, // http://jqueryvalidation.org/filled-selector/ filled: function( a ) { return !!$.trim( "" + $( a ).val() ); }, // http://jqueryvalidation.org/unchecked-selector/ unchecked: function( a ) { return !$( a ).prop( "checked" ); } }); // constructor for validator $.validator = function( options, form ) { this.settings = $.extend( true, {}, $.validator.defaults, options ); this.currentForm = form; this.init(); }; // http://jqueryvalidation.org/jQuery.validator.format/ $.validator.format = function( source, params ) { if ( arguments.length === 1 ) { return function() { var args = $.makeArray( arguments ); args.unshift( source ); return $.validator.format.apply( this, args ); }; } if ( arguments.length > 2 && params.constructor !== Array ) { params = $.makeArray( arguments ).slice( 1 ); } if ( params.constructor !== Array ) { params = [ params ]; } $.each( params, function( i, n ) { source = source.replace( new RegExp( "\\{" + i + "\\}", "g" ), function() { return n; }); }); return source; }; $.extend( $.validator, { defaults: { messages: {}, groups: {}, rules: {}, errorClass: "error", validClass: "valid", errorElement: "label", focusCleanup: false, focusInvalid: true, errorContainer: $( [] ), errorLabelContainer: $( [] ), onsubmit: true, ignore: ":hidden", ignoreTitle: false, onfocusin: function( element ) { this.lastActive = element; // Hide error label and remove error class on focus if enabled if ( this.settings.focusCleanup ) { if ( this.settings.unhighlight ) { this.settings.unhighlight.call( this, element, this.settings.errorClass, this.settings.validClass ); } this.hideThese( this.errorsFor( element ) ); } }, onfocusout: function( element ) { if ( !this.checkable( element ) && ( element.name in this.submitted || !this.optional( element ) ) ) { this.element( element ); } }, onkeyup: function( element, event ) { // Avoid revalidate the field when pressing one of the following keys // Shift => 16 // Ctrl => 17 // Alt => 18 // Caps lock => 20 // End => 35 // Home => 36 // Left arrow => 37 // Up arrow => 38 // Right arrow => 39 // Down arrow => 40 // Insert => 45 // Num lock => 144 // AltGr key => 225 var excludedKeys = [ 16, 17, 18, 20, 35, 36, 37, 38, 39, 40, 45, 144, 225 ]; if ( event.which === 9 && this.elementValue( element ) === "" || $.inArray( event.keyCode, excludedKeys ) !== -1 ) { return; } else if ( element.name in this.submitted || element === this.lastElement ) { this.element( element ); } }, onclick: function( element ) { // click on selects, radiobuttons and checkboxes if ( element.name in this.submitted ) { this.element( element ); // or option elements, check parent select in that case } else if ( element.parentNode.name in this.submitted ) { this.element( element.parentNode ); } }, highlight: function( element, errorClass, validClass ) { if ( element.type === "radio" ) { this.findByName( element.name ).addClass( errorClass ).removeClass( validClass ); } else { $( element ).addClass( errorClass ).removeClass( validClass ); } }, unhighlight: function( element, errorClass, validClass ) { if ( element.type === "radio" ) { this.findByName( element.name ).removeClass( errorClass ).addClass( validClass ); } else { $( element ).removeClass( errorClass ).addClass( validClass ); } } }, // http://jqueryvalidation.org/jQuery.validator.setDefaults/ setDefaults: function( settings ) { $.extend( $.validator.defaults, settings ); }, messages: { required: "This field is required.", remote: "Please fix this field.", email: "Please enter a valid email address.", url: "Please enter a valid URL.", date: "Please enter a valid date.", dateISO: "Please enter a valid date ( ISO ).", number: "Please enter a valid number.", digits: "Please enter only digits.", creditcard: "Please enter a valid credit card number.", equalTo: "Please enter the same value again.", maxlength: $.validator.format( "Please enter no more than {0} characters." ), minlength: $.validator.format( "Please enter at least {0} characters." ), rangelength: $.validator.format( "Please enter a value between {0} and {1} characters long." ), range: $.validator.format( "Please enter a value between {0} and {1}." ), max: $.validator.format( "Please enter a value less than or equal to {0}." ), min: $.validator.format( "Please enter a value greater than or equal to {0}." ) }, autoCreateRanges: false, prototype: { init: function() { this.labelContainer = $( this.settings.errorLabelContainer ); this.errorContext = this.labelContainer.length && this.labelContainer || $( this.currentForm ); this.containers = $( this.settings.errorContainer ).add( this.settings.errorLabelContainer ); this.submitted = {}; this.valueCache = {}; this.pendingRequest = 0; this.pending = {}; this.invalid = {}; this.reset(); var groups = ( this.groups = {} ), rules; $.each( this.settings.groups, function( key, value ) { if ( typeof value === "string" ) { value = value.split( /\s/ ); } $.each( value, function( index, name ) { groups[ name ] = key; }); }); rules = this.settings.rules; $.each( rules, function( key, value ) { rules[ key ] = $.validator.normalizeRule( value ); }); function delegate( event ) { var validator = $.data( this.form, "validator" ), eventType = "on" + event.type.replace( /^validate/, "" ), settings = validator.settings; if ( settings[ eventType ] && !$( this ).is( settings.ignore ) ) { settings[ eventType ].call( validator, this, event ); } } $( this.currentForm ) .on( "focusin.validate focusout.validate keyup.validate", ":text, [type='password'], [type='file'], select, textarea, [type='number'], [type='search'], " + "[type='tel'], [type='url'], [type='email'], [type='datetime'], [type='date'], [type='month'], " + "[type='week'], [type='time'], [type='datetime-local'], [type='range'], [type='color'], " + "[type='radio'], [type='checkbox']", delegate) // Support: Chrome, oldIE // "select" is provided as event.target when clicking a option .on("click.validate", "select, option, [type='radio'], [type='checkbox']", delegate); if ( this.settings.invalidHandler ) { $( this.currentForm ).on( "invalid-form.validate", this.settings.invalidHandler ); } // Add aria-required to any Static/Data/Class required fields before first validation // Screen readers require this attribute to be present before the initial submission http://www.w3.org/TR/WCAG-TECHS/ARIA2.html $( this.currentForm ).find( "[required], [data-rule-required], .required" ).attr( "aria-required", "true" ); }, // http://jqueryvalidation.org/Validator.form/ form: function() { this.checkForm(); $.extend( this.submitted, this.errorMap ); this.invalid = $.extend({}, this.errorMap ); if ( !this.valid() ) { $( this.currentForm ).triggerHandler( "invalid-form", [ this ]); } this.showErrors(); return this.valid(); }, checkForm: function() { this.prepareForm(); for ( var i = 0, elements = ( this.currentElements = this.elements() ); elements[ i ]; i++ ) { this.check( elements[ i ] ); } return this.valid(); }, // http://jqueryvalidation.org/Validator.element/ element: function( element ) { var cleanElement = this.clean( element ), checkElement = this.validationTargetFor( cleanElement ), result = true; this.lastElement = checkElement; if ( checkElement === undefined ) { delete this.invalid[ cleanElement.name ]; } else { this.prepareElement( checkElement ); this.currentElements = $( checkElement ); result = this.check( checkElement ) !== false; if ( result ) { delete this.invalid[ checkElement.name ]; } else { this.invalid[ checkElement.name ] = true; } } // Add aria-invalid status for screen readers $( element ).attr( "aria-invalid", !result ); if ( !this.numberOfInvalids() ) { // Hide error containers on last error this.toHide = this.toHide.add( this.containers ); } this.showErrors(); return result; }, // http://jqueryvalidation.org/Validator.showErrors/ showErrors: function( errors ) { if ( errors ) { // add items to error list and map $.extend( this.errorMap, errors ); this.errorList = []; for ( var name in errors ) { this.errorList.push({ message: errors[ name ], element: this.findByName( name )[ 0 ] }); } // remove items from success list this.successList = $.grep( this.successList, function( element ) { return !( element.name in errors ); }); } if ( this.settings.showErrors ) { this.settings.showErrors.call( this, this.errorMap, this.errorList ); } else { this.defaultShowErrors(); } }, // http://jqueryvalidation.org/Validator.resetForm/ resetForm: function() { if ( $.fn.resetForm ) { $( this.currentForm ).resetForm(); } this.submitted = {}; this.lastElement = null; this.prepareForm(); this.hideErrors(); var i, elements = this.elements() .removeData( "previousValue" ) .removeAttr( "aria-invalid" ); if ( this.settings.unhighlight ) { for ( i = 0; elements[ i ]; i++ ) { this.settings.unhighlight.call( this, elements[ i ], this.settings.errorClass, "" ); } } else { elements.removeClass( this.settings.errorClass ); } }, numberOfInvalids: function() { return this.objectLength( this.invalid ); }, objectLength: function( obj ) { /* jshint unused: false */ var count = 0, i; for ( i in obj ) { count++; } return count; }, hideErrors: function() { this.hideThese( this.toHide ); }, hideThese: function( errors ) { errors.not( this.containers ).text( "" ); this.addWrapper( errors ).hide(); }, valid: function() { return this.size() === 0; }, size: function() { return this.errorList.length; }, focusInvalid: function() { if ( this.settings.focusInvalid ) { try { $( this.findLastActive() || this.errorList.length && this.errorList[ 0 ].element || []) .filter( ":visible" ) .focus() // manually trigger focusin event; without it, focusin handler isn't called, findLastActive won't have anything to find .trigger( "focusin" ); } catch ( e ) { // ignore IE throwing errors when focusing hidden elements } } }, findLastActive: function() { var lastActive = this.lastActive; return lastActive && $.grep( this.errorList, function( n ) { return n.element.name === lastActive.name; }).length === 1 && lastActive; }, elements: function() { var validator = this, rulesCache = {}; // select all valid inputs inside the form (no submit or reset buttons) return $( this.currentForm ) .find( "input, select, textarea" ) .not( ":submit, :reset, :image, :disabled" ) .not( this.settings.ignore ) .filter( function() { if ( !this.name && validator.settings.debug && window.console ) { console.error( "%o has no name assigned", this ); } // select only the first element for each name, and only those with rules specified if ( this.name in rulesCache || !validator.objectLength( $( this ).rules() ) ) { return false; } rulesCache[ this.name ] = true; return true; }); }, clean: function( selector ) { return $( selector )[ 0 ]; }, errors: function() { var errorClass = this.settings.errorClass.split( " " ).join( "." ); return $( this.settings.errorElement + "." + errorClass, this.errorContext ); }, reset: function() { this.successList = []; this.errorList = []; this.errorMap = {}; this.toShow = $( [] ); this.toHide = $( [] ); this.currentElements = $( [] ); }, prepareForm: function() { this.reset(); this.toHide = this.errors().add( this.containers ); }, prepareElement: function( element ) { this.reset(); this.toHide = this.errorsFor( element ); }, elementValue: function( element ) { var val, $element = $( element ), type = element.type; if ( type === "radio" || type === "checkbox" ) { return this.findByName( element.name ).filter(":checked").val(); } else if ( type === "number" && typeof element.validity !== "undefined" ) { return element.validity.badInput ? false : $element.val(); } val = $element.val(); if ( typeof val === "string" ) { return val.replace(/\r/g, "" ); } return val; }, check: function( element ) { element = this.validationTargetFor( this.clean( element ) ); var rules = $( element ).rules(), rulesCount = $.map( rules, function( n, i ) { return i; }).length, dependencyMismatch = false, val = this.elementValue( element ), result, method, rule; for ( method in rules ) { rule = { method: method, parameters: rules[ method ] }; try { result = $.validator.methods[ method ].call( this, val, element, rule.parameters ); // if a method indicates that the field is optional and therefore valid, // don't mark it as valid when there are no other rules if ( result === "dependency-mismatch" && rulesCount === 1 ) { dependencyMismatch = true; continue; } dependencyMismatch = false; if ( result === "pending" ) { this.toHide = this.toHide.not( this.errorsFor( element ) ); return; } if ( !result ) { this.formatAndAdd( element, rule ); return false; } } catch ( e ) { if ( this.settings.debug && window.console ) { console.log( "Exception occurred when checking element " + element.id + ", check the '" + rule.method + "' method.", e ); } if ( e instanceof TypeError ) { e.message += ". Exception occurred when checking element " + element.id + ", check the '" + rule.method + "' method."; } throw e; } } if ( dependencyMismatch ) { return; } if ( this.objectLength( rules ) ) { this.successList.push( element ); } return true; }, // return the custom message for the given element and validation method // specified in the element's HTML5 data attribute // return the generic message if present and no method specific message is present customDataMessage: function( element, method ) { return $( element ).data( "msg" + method.charAt( 0 ).toUpperCase() + method.substring( 1 ).toLowerCase() ) || $( element ).data( "msg" ); }, // return the custom message for the given element name and validation method customMessage: function( name, method ) { var m = this.settings.messages[ name ]; return m && ( m.constructor === String ? m : m[ method ]); }, // return the first defined argument, allowing empty strings findDefined: function() { for ( var i = 0; i < arguments.length; i++) { if ( arguments[ i ] !== undefined ) { return arguments[ i ]; } } return undefined; }, defaultMessage: function( element, method ) { return this.findDefined( this.customMessage( element.name, method ), this.customDataMessage( element, method ), // title is never undefined, so handle empty string as undefined !this.settings.ignoreTitle && element.title || undefined, $.validator.messages[ method ], "Warning: No message defined for " + element.name + "" ); }, formatAndAdd: function( element, rule ) { var message = this.defaultMessage( element, rule.method ), theregex = /\$?\{(\d+)\}/g; if ( typeof message === "function" ) { message = message.call( this, rule.parameters, element ); } else if ( theregex.test( message ) ) { message = $.validator.format( message.replace( theregex, "{$1}" ), rule.parameters ); } this.errorList.push({ message: message, element: element, method: rule.method }); this.errorMap[ element.name ] = message; this.submitted[ element.name ] = message; }, addWrapper: function( toToggle ) { if ( this.settings.wrapper ) { toToggle = toToggle.add( toToggle.parent( this.settings.wrapper ) ); } return toToggle; }, defaultShowErrors: function() { var i, elements, error; for ( i = 0; this.errorList[ i ]; i++ ) { error = this.errorList[ i ]; if ( this.settings.highlight ) { this.settings.highlight.call( this, error.element, this.settings.errorClass, this.settings.validClass ); } this.showLabel( error.element, error.message ); } if ( this.errorList.length ) { this.toShow = this.toShow.add( this.containers ); } if ( this.settings.success ) { for ( i = 0; this.successList[ i ]; i++ ) { this.showLabel( this.successList[ i ] ); } } if ( this.settings.unhighlight ) { for ( i = 0, elements = this.validElements(); elements[ i ]; i++ ) { this.settings.unhighlight.call( this, elements[ i ], this.settings.errorClass, this.settings.validClass ); } } this.toHide = this.toHide.not( this.toShow ); this.hideErrors(); this.addWrapper( this.toShow ).show(); }, validElements: function() { return this.currentElements.not( this.invalidElements() ); }, invalidElements: function() { return $( this.errorList ).map(function() { return this.element; }); }, showLabel: function( element, message ) { var place, group, errorID, error = this.errorsFor( element ), elementID = this.idOrName( element ), describedBy = $( element ).attr( "aria-describedby" ); if ( error.length ) { // refresh error/success class error.removeClass( this.settings.validClass ).addClass( this.settings.errorClass ); // replace message on existing label error.html( message ); } else { // create error element error = $( "<" + this.settings.errorElement + ">" ) .attr( "id", elementID + "-error" ) .addClass( this.settings.errorClass ) .html( message || "" ); // Maintain reference to the element to be placed into the DOM place = error; if ( this.settings.wrapper ) { // make sure the element is visible, even in IE // actually showing the wrapped element is handled elsewhere place = error.hide().show().wrap( "<" + this.settings.wrapper + "/>" ).parent(); } if ( this.labelContainer.length ) { this.labelContainer.append( place ); } else if ( this.settings.errorPlacement ) { this.settings.errorPlacement( place, $( element ) ); } else { place.insertAfter( element ); } // Link error back to the element if ( error.is( "label" ) ) { // If the error is a label, then associate using 'for' error.attr( "for", elementID ); } else if ( error.parents( "label[for='" + elementID + "']" ).length === 0 ) { // If the element is not a child of an associated label, then it's necessary // to explicitly apply aria-describedby errorID = error.attr( "id" ).replace( /(:|\.|\[|\]|\$)/g, "\\$1"); // Respect existing non-error aria-describedby if ( !describedBy ) { describedBy = errorID; } else if ( !describedBy.match( new RegExp( "\\b" + errorID + "\\b" ) ) ) { // Add to end of list if not already present describedBy += " " + errorID; } $( element ).attr( "aria-describedby", describedBy ); // If this element is grouped, then assign to all elements in the same group group = this.groups[ element.name ]; if ( group ) { $.each( this.groups, function( name, testgroup ) { if ( testgroup === group ) { $( "[name='" + name + "']", this.currentForm ) .attr( "aria-describedby", error.attr( "id" ) ); } }); } } } if ( !message && this.settings.success ) { error.text( "" ); if ( typeof this.settings.success === "string" ) { error.addClass( this.settings.success ); } else { this.settings.success( error, element ); } } this.toShow = this.toShow.add( error ); }, errorsFor: function( element ) { var name = this.idOrName( element ), describer = $( element ).attr( "aria-describedby" ), selector = "label[for='" + name + "'], label[for='" + name + "'] *"; // aria-describedby should directly reference the error element if ( describer ) { selector = selector + ", #" + describer.replace( /\s+/g, ", #" ); } return this .errors() .filter( selector ); }, idOrName: function( element ) { return this.groups[ element.name ] || ( this.checkable( element ) ? element.name : element.id || element.name ); }, validationTargetFor: function( element ) { // If radio/checkbox, validate first element in group instead if ( this.checkable( element ) ) { element = this.findByName( element.name ); } // Always apply ignore filter return $( element ).not( this.settings.ignore )[ 0 ]; }, checkable: function( element ) { return ( /radio|checkbox/i ).test( element.type ); }, findByName: function( name ) { return $( this.currentForm ).find( "[name='" + name + "']" ); }, getLength: function( value, element ) { switch ( element.nodeName.toLowerCase() ) { case "select": return $( "option:selected", element ).length; case "input": if ( this.checkable( element ) ) { return this.findByName( element.name ).filter( ":checked" ).length; } } return value.length; }, depend: function( param, element ) { return this.dependTypes[typeof param] ? this.dependTypes[typeof param]( param, element ) : true; }, dependTypes: { "boolean": function( param ) { return param; }, "string": function( param, element ) { return !!$( param, element.form ).length; }, "function": function( param, element ) { return param( element ); } }, optional: function( element ) { var val = this.elementValue( element ); return !$.validator.methods.required.call( this, val, element ) && "dependency-mismatch"; }, startRequest: function( element ) { if ( !this.pending[ element.name ] ) { this.pendingRequest++; this.pending[ element.name ] = true; } }, stopRequest: function( element, valid ) { this.pendingRequest--; // sometimes synchronization fails, make sure pendingRequest is never < 0 if ( this.pendingRequest < 0 ) { this.pendingRequest = 0; } delete this.pending[ element.name ]; if ( valid && this.pendingRequest === 0 && this.formSubmitted && this.form() ) { $( this.currentForm ).submit(); this.formSubmitted = false; } else if (!valid && this.pendingRequest === 0 && this.formSubmitted ) { $( this.currentForm ).triggerHandler( "invalid-form", [ this ]); this.formSubmitted = false; } }, previousValue: function( element ) { return $.data( element, "previousValue" ) || $.data( element, "previousValue", { old: null, valid: true, message: this.defaultMessage( element, "remote" ) }); }, // cleans up all forms and elements, removes validator-specific events destroy: function() { this.resetForm(); $( this.currentForm ) .off( ".validate" ) .removeData( "validator" ); } }, classRuleSettings: { required: { required: true }, email: { email: true }, url: { url: true }, date: { date: true }, dateISO: { dateISO: true }, number: { number: true }, digits: { digits: true }, creditcard: { creditcard: true } }, addClassRules: function( className, rules ) { if ( className.constructor === String ) { this.classRuleSettings[ className ] = rules; } else { $.extend( this.classRuleSettings, className ); } }, classRules: function( element ) { var rules = {}, classes = $( element ).attr( "class" ); if ( classes ) { $.each( classes.split( " " ), function() { if ( this in $.validator.classRuleSettings ) { $.extend( rules, $.validator.classRuleSettings[ this ]); } }); } return rules; }, normalizeAttributeRule: function( rules, type, method, value ) { // convert the value to a number for number inputs, and for text for backwards compability // allows type="date" and others to be compared as strings if ( /min|max/.test( method ) && ( type === null || /number|range|text/.test( type ) ) ) { value = Number( value ); // Support Opera Mini, which returns NaN for undefined minlength if ( isNaN( value ) ) { value = undefined; } } if ( value || value === 0 ) { rules[ method ] = value; } else if ( type === method && type !== "range" ) { // exception: the jquery validate 'range' method // does not test for the html5 'range' type rules[ method ] = true; } }, attributeRules: function( element ) { var rules = {}, $element = $( element ), type = element.getAttribute( "type" ), method, value; for ( method in $.validator.methods ) { // support for in both html5 and older browsers if ( method === "required" ) { value = element.getAttribute( method ); // Some browsers return an empty string for the required attribute // and non-HTML5 browsers might have required="" markup if ( value === "" ) { value = true; } // force non-HTML5 browsers to return bool value = !!value; } else { value = $element.attr( method ); } this.normalizeAttributeRule( rules, type, method, value ); } // maxlength may be returned as -1, 2147483647 ( IE ) and 524288 ( safari ) for text inputs if ( rules.maxlength && /-1|2147483647|524288/.test( rules.maxlength ) ) { delete rules.maxlength; } return rules; }, dataRules: function( element ) { var rules = {}, $element = $( element ), type = element.getAttribute( "type" ), method, value; for ( method in $.validator.methods ) { value = $element.data( "rule" + method.charAt( 0 ).toUpperCase() + method.substring( 1 ).toLowerCase() ); this.normalizeAttributeRule( rules, type, method, value ); } return rules; }, staticRules: function( element ) { var rules = {}, validator = $.data( element.form, "validator" ); if ( validator.settings.rules ) { rules = $.validator.normalizeRule( validator.settings.rules[ element.name ] ) || {}; } return rules; }, normalizeRules: function( rules, element ) { // handle dependency check $.each( rules, function( prop, val ) { // ignore rule when param is explicitly false, eg. required:false if ( val === false ) { delete rules[ prop ]; return; } if ( val.param || val.depends ) { var keepRule = true; switch ( typeof val.depends ) { case "string": keepRule = !!$( val.depends, element.form ).length; break; case "function": keepRule = val.depends.call( element, element ); break; } if ( keepRule ) { rules[ prop ] = val.param !== undefined ? val.param : true; } else { delete rules[ prop ]; } } }); // evaluate parameters $.each( rules, function( rule, parameter ) { rules[ rule ] = $.isFunction( parameter ) ? parameter( element ) : parameter; }); // clean number parameters $.each([ "minlength", "maxlength" ], function() { if ( rules[ this ] ) { rules[ this ] = Number( rules[ this ] ); } }); $.each([ "rangelength", "range" ], function() { var parts; if ( rules[ this ] ) { if ( $.isArray( rules[ this ] ) ) { rules[ this ] = [ Number( rules[ this ][ 0 ]), Number( rules[ this ][ 1 ] ) ]; } else if ( typeof rules[ this ] === "string" ) { parts = rules[ this ].replace(/[\[\]]/g, "" ).split( /[\s,]+/ ); rules[ this ] = [ Number( parts[ 0 ]), Number( parts[ 1 ] ) ]; } } }); if ( $.validator.autoCreateRanges ) { // auto-create ranges if ( rules.min != null && rules.max != null ) { rules.range = [ rules.min, rules.max ]; delete rules.min; delete rules.max; } if ( rules.minlength != null && rules.maxlength != null ) { rules.rangelength = [ rules.minlength, rules.maxlength ]; delete rules.minlength; delete rules.maxlength; } } return rules; }, // Converts a simple string to a {string: true} rule, e.g., "required" to {required:true} normalizeRule: function( data ) { if ( typeof data === "string" ) { var transformed = {}; $.each( data.split( /\s/ ), function() { transformed[ this ] = true; }); data = transformed; } return data; }, // http://jqueryvalidation.org/jQuery.validator.addMethod/ addMethod: function( name, method, message ) { $.validator.methods[ name ] = method; $.validator.messages[ name ] = message !== undefined ? message : $.validator.messages[ name ]; if ( method.length < 3 ) { $.validator.addClassRules( name, $.validator.normalizeRule( name ) ); } }, methods: { // http://jqueryvalidation.org/required-method/ required: function( value, element, param ) { // check if dependency is met if ( !this.depend( param, element ) ) { return "dependency-mismatch"; } if ( element.nodeName.toLowerCase() === "select" ) { // could be an array for select-multiple or a string, both are fine this way var val = $( element ).val(); return val && val.length > 0; } if ( this.checkable( element ) ) { return this.getLength( value, element ) > 0; } return value.length > 0; }, // http://jqueryvalidation.org/email-method/ email: function( value, element ) { // From https://html.spec.whatwg.org/multipage/forms.html#valid-e-mail-address // Retrieved 2014-01-14 // If you have a problem with this implementation, report a bug against the above spec // Or use custom methods to implement your own email validation return this.optional( element ) || /^[a-zA-Z0-9.!#$%&'*+\/=?^_`{|}~-]+@[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)*$/.test( value ); }, // http://jqueryvalidation.org/url-method/ url: function( value, element ) { // Copyright (c) 2010-2013 Diego Perini, MIT licensed // https://gist.github.com/dperini/729294 // see also https://mathiasbynens.be/demo/url-regex // modified to allow protocol-relative URLs return this.optional( element ) || /^(?:(?:(?:https?|ftp):)?\/\/)(?:\S+(?::\S*)?@)?(?:(?!(?:10|127)(?:\.\d{1,3}){3})(?!(?:169\.254|192\.168)(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[a-z\u00a1-\uffff]{2,})).?)(?::\d{2,5})?(?:[/?#]\S*)?$/i.test( value ); }, // http://jqueryvalidation.org/date-method/ date: function( value, element ) { return this.optional( element ) || !/Invalid|NaN/.test( new Date( value ).toString() ); }, // http://jqueryvalidation.org/dateISO-method/ dateISO: function( value, element ) { return this.optional( element ) || /^\d{4}[\/\-](0?[1-9]|1[012])[\/\-](0?[1-9]|[12][0-9]|3[01])$/.test( value ); }, // http://jqueryvalidation.org/number-method/ number: function( value, element ) { return this.optional( element ) || /^(?:-?\d+|-?\d{1,3}(?:,\d{3})+)?(?:\.\d+)?$/.test( value ); }, // http://jqueryvalidation.org/digits-method/ digits: function( value, element ) { return this.optional( element ) || /^\d+$/.test( value ); }, // http://jqueryvalidation.org/creditcard-method/ // based on http://en.wikipedia.org/wiki/Luhn_algorithm creditcard: function( value, element ) { if ( this.optional( element ) ) { return "dependency-mismatch"; } // accept only spaces, digits and dashes if ( /[^0-9 \-]+/.test( value ) ) { return false; } var nCheck = 0, nDigit = 0, bEven = false, n, cDigit; value = value.replace( /\D/g, "" ); // Basing min and max length on // http://developer.ean.com/general_info/Valid_Credit_Card_Types if ( value.length < 13 || value.length > 19 ) { return false; } for ( n = value.length - 1; n >= 0; n--) { cDigit = value.charAt( n ); nDigit = parseInt( cDigit, 10 ); if ( bEven ) { if ( ( nDigit *= 2 ) > 9 ) { nDigit -= 9; } } nCheck += nDigit; bEven = !bEven; } return ( nCheck % 10 ) === 0; }, // http://jqueryvalidation.org/minlength-method/ minlength: function( value, element, param ) { var length = $.isArray( value ) ? value.length : this.getLength( value, element ); return this.optional( element ) || length >= param; }, // http://jqueryvalidation.org/maxlength-method/ maxlength: function( value, element, param ) { var length = $.isArray( value ) ? value.length : this.getLength( value, element ); return this.optional( element ) || length <= param; }, // http://jqueryvalidation.org/rangelength-method/ rangelength: function( value, element, param ) { var length = $.isArray( value ) ? value.length : this.getLength( value, element ); return this.optional( element ) || ( length >= param[ 0 ] && length <= param[ 1 ] ); }, // http://jqueryvalidation.org/min-method/ min: function( value, element, param ) { return this.optional( element ) || value >= param; }, // http://jqueryvalidation.org/max-method/ max: function( value, element, param ) { return this.optional( element ) || value <= param; }, // http://jqueryvalidation.org/range-method/ range: function( value, element, param ) { return this.optional( element ) || ( value >= param[ 0 ] && value <= param[ 1 ] ); }, // http://jqueryvalidation.org/equalTo-method/ equalTo: function( value, element, param ) { // bind to the blur event of the target in order to revalidate whenever the target field is updated // TODO find a way to bind the event just once, avoiding the unbind-rebind overhead var target = $( param ); if ( this.settings.onfocusout ) { target.off( ".validate-equalTo" ).on( "blur.validate-equalTo", function() { $( element ).valid(); }); } return value === target.val(); }, // http://jqueryvalidation.org/remote-method/ remote: function( value, element, param ) { if ( this.optional( element ) ) { return "dependency-mismatch"; } var previous = this.previousValue( element ), validator, data; if (!this.settings.messages[ element.name ] ) { this.settings.messages[ element.name ] = {}; } previous.originalMessage = this.settings.messages[ element.name ].remote; this.settings.messages[ element.name ].remote = previous.message; param = typeof param === "string" && { url: param } || param; if ( previous.old === value ) { return previous.valid; } previous.old = value; validator = this; this.startRequest( element ); data = {}; data[ element.name ] = value; $.ajax( $.extend( true, { mode: "abort", port: "validate" + element.name, dataType: "json", data: data, context: validator.currentForm, success: function( response ) { var valid = response === true || response === "true", errors, message, submitted; validator.settings.messages[ element.name ].remote = previous.originalMessage; if ( valid ) { submitted = validator.formSubmitted; validator.prepareElement( element ); validator.formSubmitted = submitted; validator.successList.push( element ); delete validator.invalid[ element.name ]; validator.showErrors(); } else { errors = {}; message = response || validator.defaultMessage( element, "remote" ); errors[ element.name ] = previous.message = $.isFunction( message ) ? message( value ) : message; validator.invalid[ element.name ] = true; validator.showErrors( errors ); } previous.valid = valid; validator.stopRequest( element, valid ); } }, param ) ); return "pending"; } } }); // ajax mode: abort // usage: $.ajax({ mode: "abort"[, port: "uniqueport"]}); // if mode:"abort" is used, the previous request on that port (port can be undefined) is aborted via XMLHttpRequest.abort() var pendingRequests = {}, ajax; // Use a prefilter if available (1.5+) if ( $.ajaxPrefilter ) { $.ajaxPrefilter(function( settings, _, xhr ) { var port = settings.port; if ( settings.mode === "abort" ) { if ( pendingRequests[port] ) { pendingRequests[port].abort(); } pendingRequests[port] = xhr; } }); } else { // Proxy ajax ajax = $.ajax; $.ajax = function( settings ) { var mode = ( "mode" in settings ? settings : $.ajaxSettings ).mode, port = ( "port" in settings ? settings : $.ajaxSettings ).port; if ( mode === "abort" ) { if ( pendingRequests[port] ) { pendingRequests[port].abort(); } pendingRequests[port] = ajax.apply(this, arguments); return pendingRequests[port]; } return ajax.apply(this, arguments); }; } })); function strlen (string) { // discuss at: http://phpjs.org/functions/strlen/ // original by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // improved by: Sakimori // improved by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // input by: Kirk Strobeck // bugfixed by: Onno Marsman // revised by: Brett Zamir (http://brett-zamir.me) // note: May look like overkill, but in order to be truly faithful to handling all Unicode // note: characters and to this function in PHP which does not count the number of bytes // note: but counts the number of characters, something like this is really necessary. // example 1: strlen('Kevin van Zonneveld'); // returns 1: 19 // example 2: ini_set('unicode.semantics', 'on'); // example 2: strlen('A\ud87e\udc04Z'); // returns 2: 3 var str = string + '' var i = 0, chr = '', lgth = 0 if (!this.php_js || !this.php_js.ini || !this.php_js.ini['unicode.semantics'] || this.php_js.ini[ 'unicode.semantics'].local_value.toLowerCase() !== 'on') { return string.length } var getWholeChar = function (str, i) { var code = str.charCodeAt(i) var next = '', prev = '' if (0xD800 <= code && code <= 0xDBFF) { // High surrogate (could change last hex to 0xDB7F to treat high private surrogates as single characters) if (str.length <= (i + 1)) { throw 'High surrogate without following low surrogate' } next = str.charCodeAt(i + 1) if (0xDC00 > next || next > 0xDFFF) { throw 'High surrogate without following low surrogate' } return str.charAt(i) + str.charAt(i + 1) } else if (0xDC00 <= code && code <= 0xDFFF) { // Low surrogate if (i === 0) { throw 'Low surrogate without preceding high surrogate' } prev = str.charCodeAt(i - 1) if (0xD800 > prev || prev > 0xDBFF) { // (could change last hex to 0xDB7F to treat high private surrogates as single characters) throw 'Low surrogate without preceding high surrogate' } // We can pass over low surrogates now as the second component in a pair which we have already processed return false } return str.charAt(i) } for (i = 0, lgth = 0; i < str.length; i++) { if ((chr = getWholeChar(str, i)) === false) { continue } // Adapt this line at the top of any loop, passing in the whole string and the current iteration and returning a variable to represent the individual character; purpose is to treat the first part of a surrogate pair as the whole character and then ignore the second part lgth++ } return lgth } function array_diff (arr1) { // discuss at: http://phpjs.org/functions/array_diff/ // original by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // improved by: Sanjoy Roy // revised by: Brett Zamir (http://brett-zamir.me) // example 1: array_diff(['Kevin', 'van', 'Zonneveld'], ['van', 'Zonneveld']); // returns 1: {0:'Kevin'} var retArr = {}, argl = arguments.length, k1 = '', i = 1, k = '', arr = {} arr1keys: for (k1 in arr1) { for (i = 1; i < argl; i++) { arr = arguments[i] for (k in arr) { if (arr[k] === arr1[k1]) { // If it reaches here, it was found in at least one array, so try next value continue arr1keys } } retArr[k1] = arr1[k1] } } return retArr } function strtotime (text, now) { // discuss at: http://phpjs.org/functions/strtotime/ // version: 1109.2016 // original by: Caio Ariede (http://caioariede.com) // improved by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // improved by: Caio Ariede (http://caioariede.com) // improved by: A. Matías Quezada (http://amatiasq.com) // improved by: preuter // improved by: Brett Zamir (http://brett-zamir.me) // improved by: Mirko Faber // input by: David // bugfixed by: Wagner B. Soares // bugfixed by: Artur Tchernychev // bugfixed by: Stephan Bösch-Plepelits (http://github.com/plepe) // note: Examples all have a fixed timestamp to prevent tests to fail because of variable time(zones) // example 1: strtotime('+1 day', 1129633200); // returns 1: 1129719600 // example 2: strtotime('+1 week 2 days 4 hours 2 seconds', 1129633200); // returns 2: 1130425202 // example 3: strtotime('last month', 1129633200); // returns 3: 1127041200 // example 4: strtotime('2009-05-04 08:30:00 GMT'); // returns 4: 1241425800 // example 5: strtotime('2009-05-04 08:30:00+00'); // returns 5: 1241425800 // example 6: strtotime('2009-05-04 08:30:00+02:00'); // returns 6: 1241418600 // example 7: strtotime('2009-05-04T08:30:00Z'); // returns 7: 1241425800 var parsed, match, today, year, date, days, ranges, len, times, regex, i, fail = false if (!text) { return fail } // Unecessary spaces text = text.replace(/^\s+|\s+$/g, '') .replace(/\s{2,}/g, ' ') .replace(/[\t\r\n]/g, '') .toLowerCase() // in contrast to php, js Date.parse function interprets: // dates given as yyyy-mm-dd as in timezone: UTC, // dates with "." or "-" as MDY instead of DMY // dates with two-digit years differently // etc...etc... // ...therefore we manually parse lots of common date formats match = text.match( /^(\d{1,4})([\-\.\/\:])(\d{1,2})([\-\.\/\:])(\d{1,4})(?:\s(\d{1,2}):(\d{2})?:?(\d{2})?)?(?:\s([A-Z]+)?)?$/) if (match && match[2] === match[4]) { if (match[1] > 1901) { switch (match[2]) { case '-': { // YYYY-M-D if (match[3] > 12 || match[5] > 31) { return fail } return new Date(match[1], parseInt(match[3], 10) - 1, match[5], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } case '.': { // YYYY.M.D is not parsed by strtotime() return fail } case '/': { // YYYY/M/D if (match[3] > 12 || match[5] > 31) { return fail } return new Date(match[1], parseInt(match[3], 10) - 1, match[5], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } } } else if (match[5] > 1901) { switch (match[2]) { case '-': { // D-M-YYYY if (match[3] > 12 || match[1] > 31) { return fail } return new Date(match[5], parseInt(match[3], 10) - 1, match[1], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } case '.': { // D.M.YYYY if (match[3] > 12 || match[1] > 31) { return fail } return new Date(match[5], parseInt(match[3], 10) - 1, match[1], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } case '/': { // M/D/YYYY if (match[1] > 12 || match[3] > 31) { return fail } return new Date(match[5], parseInt(match[1], 10) - 1, match[3], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } } } else { switch (match[2]) { case '-': { // YY-M-D if (match[3] > 12 || match[5] > 31 || (match[1] < 70 && match[1] > 38)) { return fail } year = match[1] >= 0 && match[1] <= 38 ? +match[1] + 2000 : match[1] return new Date(year, parseInt(match[3], 10) - 1, match[5], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } case '.': { // D.M.YY or H.MM.SS if (match[5] >= 70) { // D.M.YY if (match[3] > 12 || match[1] > 31) { return fail } return new Date(match[5], parseInt(match[3], 10) - 1, match[1], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } if (match[5] < 60 && !match[6]) { // H.MM.SS if (match[1] > 23 || match[3] > 59) { return fail } today = new Date() return new Date(today.getFullYear(), today.getMonth(), today.getDate(), match[1] || 0, match[3] || 0, match[5] || 0, match[9] || 0) / 1000 } // invalid format, cannot be parsed return fail } case '/': { // M/D/YY if (match[1] > 12 || match[3] > 31 || (match[5] < 70 && match[5] > 38)) { return fail } year = match[5] >= 0 && match[5] <= 38 ? +match[5] + 2000 : match[5] return new Date(year, parseInt(match[1], 10) - 1, match[3], match[6] || 0, match[7] || 0, match[8] || 0, match[9] || 0) / 1000 } case ':': { // HH:MM:SS if (match[1] > 23 || match[3] > 59 || match[5] > 59) { return fail } today = new Date() return new Date(today.getFullYear(), today.getMonth(), today.getDate(), match[1] || 0, match[3] || 0, match[5] || 0) / 1000 } } } } // other formats and "now" should be parsed by Date.parse() if (text === 'now') { return now === null || isNaN(now) ? new Date() .getTime() / 1000 | 0 : now | 0 } if (!isNaN(parsed = Date.parse(text))) { return parsed / 1000 | 0 } // Browsers != Chrome have problems parsing ISO 8601 date strings, as they do // not accept lower case characters, space, or shortened time zones. // Therefore, fix these problems and try again. // Examples: // 2015-04-15 20:33:59+02 // 2015-04-15 20:33:59z // 2015-04-15t20:33:59+02:00 if (match = text.match( /^([0-9]{4}-[0-9]{2}-[0-9]{2})[ t]([0-9]{2}:[0-9]{2}:[0-9]{2}(\.[0-9]+)?)([\+-][0-9]{2}(:[0-9]{2})?|z)/)) { // fix time zone information if (match[4] == 'z') { match[4] = 'Z' } else if (match[4].match(/^([\+-][0-9]{2})$/)) { match[4] = match[4] + ':00' } if (!isNaN(parsed = Date.parse(match[1] + 'T' + match[2] + match[4]))) { return parsed / 1000 | 0 } } date = now ? new Date(now * 1000) : new Date() days = { 'sun': 0, 'mon': 1, 'tue': 2, 'wed': 3, 'thu': 4, 'fri': 5, 'sat': 6 } ranges = { 'yea': 'FullYear', 'mon': 'Month', 'day': 'Date', 'hou': 'Hours', 'min': 'Minutes', 'sec': 'Seconds' } function lastNext (type, range, modifier) { var diff, day = days[range] if (typeof day !== 'undefined') { diff = day - date.getDay() if (diff === 0) { diff = 7 * modifier } else if (diff > 0 && type === 'last') { diff -= 7 } else if (diff < 0 && type === 'next') { diff += 7 } date.setDate(date.getDate() + diff) } } function process (val) { var splt = val.split(' '), // Todo: Reconcile this with regex using \s, taking into account browser issues with split and regexes type = splt[0], range = splt[1].substring(0, 3), typeIsNumber = /\d+/.test(type), ago = splt[2] === 'ago', num = (type === 'last' ? -1 : 1) * (ago ? -1 : 1) if (typeIsNumber) { num *= parseInt(type, 10) } if (ranges.hasOwnProperty(range) && !splt[1].match(/^mon(day|\.)?$/i)) { return date['set' + ranges[range]](date['get' + ranges[range]]() + num) } if (range === 'wee') { return date.setDate(date.getDate() + (num * 7)) } if (type === 'next' || type === 'last') { lastNext(type, range, num) } else if (!typeIsNumber) { return false } return true } times = '(years?|months?|weeks?|days?|hours?|minutes?|min|seconds?|sec' + '|sunday|sun\\.?|monday|mon\\.?|tuesday|tue\\.?|wednesday|wed\\.?' + '|thursday|thu\\.?|friday|fri\\.?|saturday|sat\\.?)' regex = '([+-]?\\d+\\s' + times + '|' + '(last|next)\\s' + times + ')(\\sago)?' match = text.match(new RegExp(regex, 'gi')) if (!match) { return fail } for (i = 0, len = match.length; i < len; i++) { if (!process(match[i])) { return fail } } // ECMAScript 5 only // if (!match.every(process)) // return false; return (date.getTime() / 1000) } function is_numeric (mixed_var) { // discuss at: http://phpjs.org/functions/is_numeric/ // original by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // improved by: David // improved by: taith // bugfixed by: Tim de Koning // bugfixed by: WebDevHobo (http://webdevhobo.blogspot.com/) // bugfixed by: Brett Zamir (http://brett-zamir.me) // bugfixed by: Denis Chenu (http://shnoulle.net) // example 1: is_numeric(186.31); // returns 1: true // example 2: is_numeric('Kevin van Zonneveld'); // returns 2: false // example 3: is_numeric(' +186.31e2'); // returns 3: true // example 4: is_numeric(''); // returns 4: false // example 5: is_numeric([]); // returns 5: false // example 6: is_numeric('1 '); // returns 6: false var whitespace = ' \n\r\t\f\x0b\xa0\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200a\u200b\u2028\u2029\u3000' return (typeof mixed_var === 'number' || (typeof mixed_var === 'string' && whitespace.indexOf(mixed_var.slice(-1)) === -1)) && mixed_var !== '' && !isNaN(mixed_var) } /*! * @copyright Copyright © Kartik Visweswaran, Krajee.com, 2014 - 2015 * @version 1.3.3 * * Date formatter utility library that allows formatting date/time variables or Date objects using PHP DateTime format. * @see http://php.net/manual/en/function.date.php * * For more JQuery plugins visit http://plugins.krajee.com * For more Yii related demos visit http://demos.krajee.com */ var DateFormatter; (function () { "use strict"; var _compare, _lpad, _extend, defaultSettings, DAY, HOUR; DAY = 1000 * 60 * 60 * 24; HOUR = 3600; _compare = function (str1, str2) { return typeof(str1) === 'string' && typeof(str2) === 'string' && str1.toLowerCase() === str2.toLowerCase(); }; _lpad = function (value, length, char) { var chr = char || '0', val = value.toString(); return val.length < length ? _lpad(chr + val, length) : val; }; _extend = function (out) { var i, obj; out = out || {}; for (i = 1; i < arguments.length; i++) { obj = arguments[i]; if (!obj) { continue; } for (var key in obj) { if (obj.hasOwnProperty(key)) { if (typeof obj[key] === 'object') { _extend(out[key], obj[key]); } else { out[key] = obj[key]; } } } } return out; }; defaultSettings = { dateSettings: { days: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], daysShort: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], months: [ 'January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December' ], monthsShort: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], meridiem: ['AM', 'PM'], ordinal: function (number) { var n = number % 10, suffixes = {1: 'st', 2: 'nd', 3: 'rd'}; return Math.floor(number % 100 / 10) === 1 || !suffixes[n] ? 'th' : suffixes[n]; } }, separators: /[ \-+\/\.T:@]/g, validParts: /[dDjlNSwzWFmMntLoYyaABgGhHisueTIOPZcrU]/g, intParts: /[djwNzmnyYhHgGis]/g, tzParts: /\b(?:[PMCEA][SDP]T|(?:Pacific|Mountain|Central|Eastern|Atlantic) (?:Standard|Daylight|Prevailing) Time|(?:GMT|UTC)(?:[-+]\d{4})?)\b/g, tzClip: /[^-+\dA-Z]/g }; DateFormatter = function (options) { var self = this, config = _extend(defaultSettings, options); self.dateSettings = config.dateSettings; self.separators = config.separators; self.validParts = config.validParts; self.intParts = config.intParts; self.tzParts = config.tzParts; self.tzClip = config.tzClip; }; DateFormatter.prototype = { constructor: DateFormatter, parseDate: function (vDate, vFormat) { var self = this, vFormatParts, vDateParts, i, vDateFlag = false, vTimeFlag = false, vDatePart, iDatePart, vSettings = self.dateSettings, vMonth, vMeriIndex, vMeriOffset, len, mer, out = {date: null, year: null, month: null, day: null, hour: 0, min: 0, sec: 0}; if (!vDate) { return undefined; } if (vDate instanceof Date) { return vDate; } if (typeof vDate === 'number') { return new Date(vDate); } if (vFormat === 'U') { i = parseInt(vDate); return i ? new Date(i * 1000) : vDate; } if (typeof vDate !== 'string') { return ''; } vFormatParts = vFormat.match(self.validParts); if (!vFormatParts || vFormatParts.length === 0) { throw new Error("Invalid date format definition."); } vDateParts = vDate.replace(self.separators, '\0').split('\0'); for (i = 0; i < vDateParts.length; i++) { vDatePart = vDateParts[i]; iDatePart = parseInt(vDatePart); switch (vFormatParts[i]) { case 'y': case 'Y': len = vDatePart.length; if (len === 2) { out.year = parseInt((iDatePart < 70 ? '20' : '19') + vDatePart); } else if (len === 4) { out.year = iDatePart; } vDateFlag = true; break; case 'm': case 'n': case 'M': case 'F': if (isNaN(vDatePart)) { vMonth = vSettings.monthsShort.indexOf(vDatePart); if (vMonth > -1) { out.month = vMonth + 1; } vMonth = vSettings.months.indexOf(vDatePart); if (vMonth > -1) { out.month = vMonth + 1; } } else { if (iDatePart >= 1 && iDatePart <= 12) { out.month = iDatePart; } } vDateFlag = true; break; case 'd': case 'j': if (iDatePart >= 1 && iDatePart <= 31) { out.day = iDatePart; } vDateFlag = true; break; case 'g': case 'h': vMeriIndex = (vFormatParts.indexOf('a') > -1) ? vFormatParts.indexOf('a') : (vFormatParts.indexOf('A') > -1) ? vFormatParts.indexOf('A') : -1; mer = vDateParts[vMeriIndex]; if (vMeriIndex > -1) { vMeriOffset = _compare(mer, vSettings.meridiem[0]) ? 0 : (_compare(mer, vSettings.meridiem[1]) ? 12 : -1); if (iDatePart >= 1 && iDatePart <= 12 && vMeriOffset > -1) { out.hour = iDatePart + vMeriOffset - 1; } else if (iDatePart >= 0 && iDatePart <= 23) { out.hour = iDatePart; } } else if (iDatePart >= 0 && iDatePart <= 23) { out.hour = iDatePart; } vTimeFlag = true; break; case 'G': case 'H': if (iDatePart >= 0 && iDatePart <= 23) { out.hour = iDatePart; } vTimeFlag = true; break; case 'i': if (iDatePart >= 0 && iDatePart <= 59) { out.min = iDatePart; } vTimeFlag = true; break; case 's': if (iDatePart >= 0 && iDatePart <= 59) { out.sec = iDatePart; } vTimeFlag = true; break; } } if (vDateFlag === true && out.year && out.month && out.day) { out.date = new Date(out.year, out.month - 1, out.day, out.hour, out.min, out.sec, 0); } else { if (vTimeFlag !== true) { return false; } out.date = new Date(0, 0, 0, out.hour, out.min, out.sec, 0); } return out.date; }, guessDate: function (vDateStr, vFormat) { if (typeof vDateStr !== 'string') { return vDateStr; } var self = this, vParts = vDateStr.replace(self.separators, '\0').split('\0'), vPattern = /^[djmn]/g, vFormatParts = vFormat.match(self.validParts), vDate = new Date(), vDigit = 0, vYear, i, iPart, iSec; if (!vPattern.test(vFormatParts[0])) { return vDateStr; } for (i = 0; i < vParts.length; i++) { vDigit = 2; iPart = vParts[i]; iSec = parseInt(iPart.substr(0, 2)); switch (i) { case 0: if (vFormatParts[0] === 'm' || vFormatParts[0] === 'n') { vDate.setMonth(iSec - 1); } else { vDate.setDate(iSec); } break; case 1: if (vFormatParts[0] === 'm' || vFormatParts[0] === 'n') { vDate.setDate(iSec); } else { vDate.setMonth(iSec - 1); } break; case 2: vYear = vDate.getFullYear(); if (iPart.length < 4) { vDate.setFullYear(parseInt(vYear.toString().substr(0, 4 - iPart.length) + iPart)); vDigit = iPart.length; } else { vDate.setFullYear = parseInt(iPart.substr(0, 4)); vDigit = 4; } break; case 3: vDate.setHours(iSec); break; case 4: vDate.setMinutes(iSec); break; case 5: vDate.setSeconds(iSec); break; } if (iPart.substr(vDigit).length > 0) { vParts.splice(i + 1, 0, iPart.substr(vDigit)); } } return vDate; }, parseFormat: function (vChar, vDate) { var self = this, vSettings = self.dateSettings, fmt, backspace = /\\?(.?)/gi, doFormat = function (t, s) { return fmt[t] ? fmt[t]() : s; }; fmt = { ///////// // DAY // ///////// /** * Day of month with leading 0: `01..31` * @return {string} */ d: function () { return _lpad(fmt.j(), 2); }, /** * Shorthand day name: `Mon...Sun` * @return {string} */ D: function () { return vSettings.daysShort[fmt.w()]; }, /** * Day of month: `1..31` * @return {number} */ j: function () { return vDate.getDate(); }, /** * Full day name: `Monday...Sunday` * @return {number} */ l: function () { return vSettings.days[fmt.w()]; }, /** * ISO-8601 day of week: `1[Mon]..7[Sun]` * @return {number} */ N: function () { return fmt.w() || 7; }, /** * Day of week: `0[Sun]..6[Sat]` * @return {number} */ w: function () { return vDate.getDay(); }, /** * Day of year: `0..365` * @return {number} */ z: function () { var a = new Date(fmt.Y(), fmt.n() - 1, fmt.j()), b = new Date(fmt.Y(), 0, 1); return Math.round((a - b) / DAY); }, ////////// // WEEK // ////////// /** * ISO-8601 week number * @return {number} */ W: function () { var a = new Date(fmt.Y(), fmt.n() - 1, fmt.j() - fmt.N() + 3), b = new Date(a.getFullYear(), 0, 4); return _lpad(1 + Math.round((a - b) / DAY / 7), 2); }, /////////// // MONTH // /////////// /** * Full month name: `January...December` * @return {string} */ F: function () { return vSettings.months[vDate.getMonth()]; }, /** * Month w/leading 0: `01..12` * @return {string} */ m: function () { return _lpad(fmt.n(), 2); }, /** * Shorthand month name; `Jan...Dec` * @return {string} */ M: function () { return vSettings.monthsShort[vDate.getMonth()]; }, /** * Month: `1...12` * @return {number} */ n: function () { return vDate.getMonth() + 1; }, /** * Days in month: `28...31` * @return {number} */ t: function () { return (new Date(fmt.Y(), fmt.n(), 0)).getDate(); }, ////////// // YEAR // ////////// /** * Is leap year? `0 or 1` * @return {number} */ L: function () { var Y = fmt.Y(); return (Y % 4 === 0 && Y % 100 !== 0 || Y % 400 === 0) ? 1 : 0; }, /** * ISO-8601 year * @return {number} */ o: function () { var n = fmt.n(), W = fmt.W(), Y = fmt.Y(); return Y + (n === 12 && W < 9 ? 1 : n === 1 && W > 9 ? -1 : 0); }, /** * Full year: `e.g. 1980...2010` * @return {number} */ Y: function () { return vDate.getFullYear(); }, /** * Last two digits of year: `00...99` * @return {string} */ y: function () { return fmt.Y().toString().slice(-2); }, ////////// // TIME // ////////// /** * Meridian lower: `am or pm` * @return {string} */ a: function () { return fmt.A().toLowerCase(); }, /** * Meridian upper: `AM or PM` * @return {string} */ A: function () { var n = fmt.G() < 12 ? 0 : 1; return vSettings.meridiem[n]; }, /** * Swatch Internet time: `000..999` * @return {string} */ B: function () { var H = vDate.getUTCHours() * HOUR, i = vDate.getUTCMinutes() * 60, s = vDate.getUTCSeconds(); return _lpad(Math.floor((H + i + s + HOUR) / 86.4) % 1000, 3); }, /** * 12-Hours: `1..12` * @return {number} */ g: function () { return fmt.G() % 12 || 12; }, /** * 24-Hours: `0..23` * @return {number} */ G: function () { return vDate.getHours(); }, /** * 12-Hours with leading 0: `01..12` * @return {string} */ h: function () { return _lpad(fmt.g(), 2); }, /** * 24-Hours w/leading 0: `00..23` * @return {string} */ H: function () { return _lpad(fmt.G(), 2); }, /** * Minutes w/leading 0: `00..59` * @return {string} */ i: function () { return _lpad(vDate.getMinutes(), 2); }, /** * Seconds w/leading 0: `00..59` * @return {string} */ s: function () { return _lpad(vDate.getSeconds(), 2); }, /** * Microseconds: `000000-999000` * @return {string} */ u: function () { return _lpad(vDate.getMilliseconds() * 1000, 6); }, ////////////// // TIMEZONE // ////////////// /** * Timezone identifier: `e.g. Atlantic/Azores, ...` * @return {string} */ e: function () { var str = /\((.*)\)/.exec(String(vDate))[1]; return str || 'Coordinated Universal Time'; }, /** * Timezone abbreviation: `e.g. EST, MDT, ...` * @return {string} */ T: function () { var str = (String(vDate).match(self.tzParts) || [""]).pop().replace(self.tzClip, ""); return str || 'UTC'; }, /** * DST observed? `0 or 1` * @return {number} */ I: function () { var a = new Date(fmt.Y(), 0), c = Date.UTC(fmt.Y(), 0), b = new Date(fmt.Y(), 6), d = Date.UTC(fmt.Y(), 6); return ((a - c) !== (b - d)) ? 1 : 0; }, /** * Difference to GMT in hour format: `e.g. +0200` * @return {string} */ O: function () { var tzo = vDate.getTimezoneOffset(), a = Math.abs(tzo); return (tzo > 0 ? '-' : '+') + _lpad(Math.floor(a / 60) * 100 + a % 60, 4); }, /** * Difference to GMT with colon: `e.g. +02:00` * @return {string} */ P: function () { var O = fmt.O(); return (O.substr(0, 3) + ':' + O.substr(3, 2)); }, /** * Timezone offset in seconds: `-43200...50400` * @return {number} */ Z: function () { return -vDate.getTimezoneOffset() * 60; }, //////////////////// // FULL DATE TIME // //////////////////// /** * ISO-8601 date * @return {string} */ c: function () { return 'Y-m-d\\TH:i:sP'.replace(backspace, doFormat); }, /** * RFC 2822 date * @return {string} */ r: function () { return 'D, d M Y H:i:s O'.replace(backspace, doFormat); }, /** * Seconds since UNIX epoch * @return {number} */ U: function () { return vDate.getTime() / 1000 || 0; } }; return doFormat(vChar, vChar); }, formatDate: function (vDate, vFormat) { var self = this, i, n, len, str, vChar, vDateStr = ''; if (typeof vDate === 'string') { vDate = self.parseDate(vDate, vFormat); if (vDate === false) { return false; } } if (vDate instanceof Date) { len = vFormat.length; for (i = 0; i < len; i++) { vChar = vFormat.charAt(i); if (vChar === 'S') { continue; } str = self.parseFormat(vChar, vDate); if (i !== (len - 1) && self.intParts.test(vChar) && vFormat.charAt(i + 1) === 'S') { n = parseInt(str); str += self.dateSettings.ordinal(n); } vDateStr += str; } return vDateStr; } return ''; } }; })(); /*! * Laravel Javascript Validation * * https://github.com/proengsoft/laravel-jsvalidation * * Copyright (c) 2014 Proengsoft * Released under the MIT license */ var laravelValidation; laravelValidation = { implicitRules: ['Required','Confirmed'], /** * Initialize laravel validations */ init: function () { // Disable class rules and attribute rules $.validator.classRuleSettings = {}; $.validator.attributeRules = function () { this.rules = {} }; $.validator.dataRules = this.arrayRules; $.validator.prototype.arrayRulesCache = {}; // Register validations methods this.setupValidations(); }, arrayRules: function(element) { var rules = {}, validator = $.data( element.form, "validator"), cache = validator.arrayRulesCache; // Is not an Array if (element.name.indexOf('[') === -1 ) { return rules; } if (! (element.name in cache) ) { cache[element.name]={}; } $.each(validator.settings.rules, function(name, tmpRules){ if (name in cache[element.name]) { $.extend(rules, cache[element.name][name]); } else { cache[element.name][name]={}; var nameRegExp = laravelValidation.helpers.regexFromWildcard(name); if (element.name.match(nameRegExp)) { var newRules = $.validator.normalizeRule( tmpRules ) || {}; cache[element.name][name]=newRules; $.extend(rules, newRules); } } }); return rules; }, setupValidations: function () { /** * Create JQueryValidation check to validate Laravel rules */ $.validator.addMethod("laravelValidation", function (value, element, params) { var validator = this; var validated = true; var previous = this.previousValue( element ); // put Implicit rules in front var rules=[]; $.each(params, function (i, param) { if (param[3] || laravelValidation.implicitRules.indexOf(param[0])!== -1) { rules.unshift(param); } else { rules.push(param); } }); $.each(rules, function (i, param) { var implicit = param[3] || laravelValidation.implicitRules.indexOf(param[0])!== -1; var rule = param[0]; var message = param[2]; if ( !implicit && validator.optional( element ) ) { validated="dependency-mismatch"; return false; } if (laravelValidation.methods[rule]!==undefined) { validated = laravelValidation.methods[rule].call(validator, value, element, param[1], function(valid) { validator.settings.messages[ element.name ].laravelValidationRemote = previous.originalMessage; if ( valid ) { var submitted = validator.formSubmitted; validator.prepareElement( element ); validator.formSubmitted = submitted; validator.successList.push( element ); delete validator.invalid[ element.name ]; validator.showErrors(); } else { var errors = {}; errors[ element.name ] = previous.message = $.isFunction( message ) ? message( value ) : message; validator.invalid[ element.name ] = true; validator.showErrors( errors ); } validator.showErrors(validator.errorMap); previous.valid = valid; }); } else { validated=false; } if (validated !== true) { if (!validator.settings.messages[ element.name ] ) { validator.settings.messages[ element.name ] = {}; } validator.settings.messages[element.name].laravelValidation= message; return false; } }); return validated; }, ""); /** * Create JQueryValidation check to validate Remote Laravel rules */ $.validator.addMethod("laravelValidationRemote", function (value, element, params) { var implicit = false, check = params[0][1], attribute = element.name, token = check[1], validateAll = check[2]; $.each(params, function (i, parameters) { implicit = implicit || parameters[3]; }); if ( !implicit && this.optional( element ) ) { return "dependency-mismatch"; } var previous = this.previousValue( element ), validator, data; if (!this.settings.messages[ element.name ] ) { this.settings.messages[ element.name ] = {}; } previous.originalMessage = this.settings.messages[ element.name ].laravelValidationRemote; this.settings.messages[ element.name ].laravelValidationRemote = previous.message; var param = typeof param === "string" && { url: param } || param; if ( previous.old === value ) { return previous.valid; } previous.old = value; validator = this; this.startRequest( element ); data = $(validator.currentForm).serializeArray(); data.push({ 'name': '_jsvalidation', 'value': attribute }); data.push({ 'name': '_jsvalidation_validate_all', 'value': validateAll }); var formMethod = $(validator.currentForm).attr('method'); if($(validator.currentForm).find('input[name="_method"]').length) { formMethod = $(validator.currentForm).find('input[name="_method"]').val(); } $.ajax( $.extend( true, { mode: "abort", port: "validate" + element.name, dataType: "json", data: data, context: validator.currentForm, url: $(validator.currentForm).attr('action'), type: formMethod, beforeSend: function (xhr) { if ($(validator.currentForm).attr('method').toLowerCase() !== 'get' && token) { return xhr.setRequestHeader('X-XSRF-TOKEN', token); } } }, param ) ).always(function( response, textStatus ) { var errors, message, submitted, valid; if (textStatus === 'error') { valid = false; response = laravelValidation.helpers.parseErrorResponse(response); } else if (textStatus === 'success') { valid = response === true || response === "true"; } else { return; } validator.settings.messages[ element.name ].laravelValidationRemote = previous.originalMessage; if ( valid ) { submitted = validator.formSubmitted; validator.prepareElement( element ); validator.formSubmitted = submitted; validator.successList.push( element ); delete validator.invalid[ element.name ]; validator.showErrors(); } else { errors = {}; message = response || validator.defaultMessage( element, "remote" ); errors[ element.name ] = previous.message = $.isFunction( message ) ? message( value ) : message[0]; validator.invalid[ element.name ] = true; validator.showErrors( errors ); } validator.showErrors(validator.errorMap); previous.valid = valid; validator.stopRequest( element, valid ); } ); return "pending"; }, ""); } }; $(function() { laravelValidation.init(); }); /*! * Laravel Javascript Validation * * https://github.com/proengsoft/laravel-jsvalidation * * Helper functions used by validators * * Copyright (c) 2014 Proengsoft * Released under the MIT license */ $.extend(true, laravelValidation, { helpers: { /** * Numeric rules */ numericRules: ['Integer', 'Numeric'], /** * Gets the file information from file input * * @param fieldObj * @param index * @returns {{file: *, extension: string, size: number}} */ fileinfo: function (fieldObj, index) { var FileName = fieldObj.value; index = typeof index !== 'undefined' ? index : 0; if ( fieldObj.files !== null ) { if (typeof fieldObj.files[index] !== 'undefined') { return { file: FileName, extension: FileName.substr(FileName.lastIndexOf('.') + 1), size: fieldObj.files[index].size / 1024, type: fieldObj.files[index].type }; } } return false; }, /** * * Gets the selectors for th specified field names * * @param names * @returns {string} */ selector: function (names) { var selector = []; if (!$.isArray(names)) { names = [names]; } for (var i = 0; i < names.length; i++) { selector.push("[name='" + names[i] + "']"); } return selector.join(); }, /** * Check if element has numeric rules * * @param element * @returns {boolean} */ hasNumericRules: function (element) { return this.hasRules(element, this.numericRules); }, /** * Check if element has passed ruls rules * * @param element * @param rules * @returns {boolean} */ hasRules: function (element, rules) { var found = false; if (typeof rules === 'string') { rules = [rules]; } var validator = $.data(element.form, "validator"); var listRules = []; var cache = validator.arrayRulesCache; if (element.name in cache) { $.each(cache[element.name], function (index, arrayRule) { listRules.push(arrayRule); }); } if (element.name in validator.settings.rules) { listRules.push(validator.settings.rules[element.name]); } $.each(listRules, function(index,objRules){ if ('laravelValidation' in objRules) { var _rules=objRules.laravelValidation; for (var i = 0; i < _rules.length; i++) { if ($.inArray(_rules[i][0],rules) !== -1) { found = true; return false; } } } }); return found; }, /** * Return the string length using PHP function * http://php.net/manual/en/function.strlen.php * http://phpjs.org/functions/strlen/ * * @param string */ strlen: function (string) { return strlen(string); }, /** * Get the size of the object depending of his type * * @param obj * @param element * @param value * @returns int */ getSize: function getSize(obj, element, value) { if (this.hasNumericRules(element) && this.is_numeric(value)) { return parseFloat(value); } else if ($.isArray(value)) { return parseFloat(value.length); } else if (element.type === 'file') { return parseFloat(Math.floor(this.fileinfo(element).size)); } return parseFloat(this.strlen(value)); }, /** * Return specified rule from element * * @param rule * @param element * @returns object */ getLaravelValidation: function(rule, element) { var found = undefined; $.each($.validator.staticRules(element), function(key, rules) { if (key==="laravelValidation") { $.each(rules, function (i, value) { if (value[0]===rule) { found=value; } }); } }); return found; }, /** * Return he timestamp of value passed using format or default format in element* * * @param value * @param format * @returns {boolean|int} */ parseTime: function (value, format) { var timeValue = false; var fmt = new DateFormatter(); if ($.type(format) === 'object') { var dateRule=this.getLaravelValidation('DateFormat', format); if (dateRule !== undefined) { format = dateRule[1][0]; } else { format = null; } } if (format == null) { timeValue = this.strtotime(value); } else { timeValue = fmt.parseDate(value, format); if (timeValue) { timeValue = Math.round((timeValue.getTime() / 1000)); } } return timeValue; }, /** * This method allows you to intelligently guess the date by closely matching the specific format. * @param value * @param format * @returns {Date} */ gessDate: function (value, format) { var fmt = new DateFormatter(); return fmt.guessDate(value, format) }, /** * Returns Unix timestamp based on PHP function strototime * http://php.net/manual/es/function.strtotime.php * http://phpjs.org/functions/strtotime/ * * @param text * @param now * @returns {*} */ strtotime: function (text, now) { return strtotime(text, now) }, /** * Returns if value is numeric * http://php.net/manual/es/var.is_numeric.php * http://phpjs.org/functions/is_numeric/ * * @param mixed_var * @returns {*} */ is_numeric: function (mixed_var) { return is_numeric(mixed_var) }, /** * Returns Array diff based on PHP function array_diff * http://php.net/manual/es/function.array_diff.php * http://phpjs.org/functions/array_diff/ * * @param arr1 * @param arr2 * @returns {*} */ arrayDiff: function (arr1, arr2) { return array_diff(arr1, arr2); }, /** * Makes element dependant from other * * @param validator * @param element * @param name * @returns {*} */ dependentElement: function(validator, element, name) { var el=validator.findByName(name); if ( el[0]!==undefined && validator.settings.onfocusout ) { var event = 'blur'; if (el[0].tagName === 'SELECT' || el[0].tagName === 'OPTION' || el[0].type === 'checkbox' || el[0].type === 'radio' ) { event = 'click'; } var ruleName = '.validate-laravelValidation'; el.off( ruleName ) .off(event + ruleName + '-' + element.name) .on( event + ruleName + '-' + element.name, function() { $( element ).valid(); }); } return el[0]; }, /** * Parses error Ajax response and gets the message * * @param response * @returns {string[]} */ parseErrorResponse: function (response) { var newResponse = ['Whoops, looks like something went wrong.']; if ('responseText' in response) { var errorMsg = response.responseText.match(/(.*)<\/h1\s*>/i); if ($.isArray(errorMsg)) { newResponse = [errorMsg[1]]; } } return newResponse; }, /** * Escape string to use as Regular Expression * @param str * @returns string */ escapeRegExp: function (str) { return str.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, "\\$&"); }, /** * Generate RegExp from wildcard attributes * @param name * @returns {RegExp} */ regexFromWildcard: function(name) { var nameParts = name.split("[*]"); if (nameParts.length === 1) { nameParts.push(''); } var regexpParts = nameParts.map(function(currentValue, index) { if (index % 2 === 0) { currentValue = currentValue + '['; } else { currentValue = ']' +currentValue; } return laravelValidation.helpers.escapeRegExp(currentValue); }); return new RegExp('^'+regexpParts.join('.*')+'$'); } } }); /*! * Laravel Javascript Validation * * https://github.com/proengsoft/laravel-jsvalidation * * Timezone Helper functions used by validators * * Copyright (c) 2014 Proengsoft * Released under the MIT license */ $.extend(true, laravelValidation, { helpers: { /** * Check if the specified timezone is valid * * @param value * @returns {boolean} */ isTimezone: function (value) { var timezones={ "africa": [ "abidjan", "accra", "addis_ababa", "algiers", "asmara", "bamako", "bangui", "banjul", "bissau", "blantyre", "brazzaville", "bujumbura", "cairo", "casablanca", "ceuta", "conakry", "dakar", "dar_es_salaam", "djibouti", "douala", "el_aaiun", "freetown", "gaborone", "harare", "johannesburg", "juba", "kampala", "khartoum", "kigali", "kinshasa", "lagos", "libreville", "lome", "luanda", "lubumbashi", "lusaka", "malabo", "maputo", "maseru", "mbabane", "mogadishu", "monrovia", "nairobi", "ndjamena", "niamey", "nouakchott", "ouagadougou", "porto-novo", "sao_tome", "tripoli", "tunis", "windhoek" ], "america": [ "adak", "anchorage", "anguilla", "antigua", "araguaina", "argentina\/buenos_aires", "argentina\/catamarca", "argentina\/cordoba", "argentina\/jujuy", "argentina\/la_rioja", "argentina\/mendoza", "argentina\/rio_gallegos", "argentina\/salta", "argentina\/san_juan", "argentina\/san_luis", "argentina\/tucuman", "argentina\/ushuaia", "aruba", "asuncion", "atikokan", "bahia", "bahia_banderas", "barbados", "belem", "belize", "blanc-sablon", "boa_vista", "bogota", "boise", "cambridge_bay", "campo_grande", "cancun", "caracas", "cayenne", "cayman", "chicago", "chihuahua", "costa_rica", "creston", "cuiaba", "curacao", "danmarkshavn", "dawson", "dawson_creek", "denver", "detroit", "dominica", "edmonton", "eirunepe", "el_salvador", "fortaleza", "glace_bay", "godthab", "goose_bay", "grand_turk", "grenada", "guadeloupe", "guatemala", "guayaquil", "guyana", "halifax", "havana", "hermosillo", "indiana\/indianapolis", "indiana\/knox", "indiana\/marengo", "indiana\/petersburg", "indiana\/tell_city", "indiana\/vevay", "indiana\/vincennes", "indiana\/winamac", "inuvik", "iqaluit", "jamaica", "juneau", "kentucky\/louisville", "kentucky\/monticello", "kralendijk", "la_paz", "lima", "los_angeles", "lower_princes", "maceio", "managua", "manaus", "marigot", "martinique", "matamoros", "mazatlan", "menominee", "merida", "metlakatla", "mexico_city", "miquelon", "moncton", "monterrey", "montevideo", "montreal", "montserrat", "nassau", "new_york", "nipigon", "nome", "noronha", "north_dakota\/beulah", "north_dakota\/center", "north_dakota\/new_salem", "ojinaga", "panama", "pangnirtung", "paramaribo", "phoenix", "port-au-prince", "port_of_spain", "porto_velho", "puerto_rico", "rainy_river", "rankin_inlet", "recife", "regina", "resolute", "rio_branco", "santa_isabel", "santarem", "santiago", "santo_domingo", "sao_paulo", "scoresbysund", "shiprock", "sitka", "st_barthelemy", "st_johns", "st_kitts", "st_lucia", "st_thomas", "st_vincent", "swift_current", "tegucigalpa", "thule", "thunder_bay", "tijuana", "toronto", "tortola", "vancouver", "whitehorse", "winnipeg", "yakutat", "yellowknife" ], "antarctica": [ "casey", "davis", "dumontdurville", "macquarie", "mawson", "mcmurdo", "palmer", "rothera", "south_pole", "syowa", "vostok" ], "arctic": [ "longyearbyen" ], "asia": [ "aden", "almaty", "amman", "anadyr", "aqtau", "aqtobe", "ashgabat", "baghdad", "bahrain", "baku", "bangkok", "beirut", "bishkek", "brunei", "choibalsan", "chongqing", "colombo", "damascus", "dhaka", "dili", "dubai", "dushanbe", "gaza", "harbin", "hebron", "ho_chi_minh", "hong_kong", "hovd", "irkutsk", "jakarta", "jayapura", "jerusalem", "kabul", "kamchatka", "karachi", "kashgar", "kathmandu", "khandyga", "kolkata", "krasnoyarsk", "kuala_lumpur", "kuching", "kuwait", "macau", "magadan", "makassar", "manila", "muscat", "nicosia", "novokuznetsk", "novosibirsk", "omsk", "oral", "phnom_penh", "pontianak", "pyongyang", "qatar", "qyzylorda", "rangoon", "riyadh", "sakhalin", "samarkand", "seoul", "shanghai", "singapore", "taipei", "tashkent", "tbilisi", "tehran", "thimphu", "tokyo", "ulaanbaatar", "urumqi", "ust-nera", "vientiane", "vladivostok", "yakutsk", "yekaterinburg", "yerevan" ], "atlantic": [ "azores", "bermuda", "canary", "cape_verde", "faroe", "madeira", "reykjavik", "south_georgia", "st_helena", "stanley" ], "australia": [ "adelaide", "brisbane", "broken_hill", "currie", "darwin", "eucla", "hobart", "lindeman", "lord_howe", "melbourne", "perth", "sydney" ], "europe": [ "amsterdam", "andorra", "athens", "belgrade", "berlin", "bratislava", "brussels", "bucharest", "budapest", "busingen", "chisinau", "copenhagen", "dublin", "gibraltar", "guernsey", "helsinki", "isle_of_man", "istanbul", "jersey", "kaliningrad", "kiev", "lisbon", "ljubljana", "london", "luxembourg", "madrid", "malta", "mariehamn", "minsk", "monaco", "moscow", "oslo", "paris", "podgorica", "prague", "riga", "rome", "samara", "san_marino", "sarajevo", "simferopol", "skopje", "sofia", "stockholm", "tallinn", "tirane", "uzhgorod", "vaduz", "vatican", "vienna", "vilnius", "volgograd", "warsaw", "zagreb", "zaporozhye", "zurich" ], "indian": [ "antananarivo", "chagos", "christmas", "cocos", "comoro", "kerguelen", "mahe", "maldives", "mauritius", "mayotte", "reunion" ], "pacific": [ "apia", "auckland", "chatham", "chuuk", "easter", "efate", "enderbury", "fakaofo", "fiji", "funafuti", "galapagos", "gambier", "guadalcanal", "guam", "honolulu", "johnston", "kiritimati", "kosrae", "kwajalein", "majuro", "marquesas", "midway", "nauru", "niue", "norfolk", "noumea", "pago_pago", "palau", "pitcairn", "pohnpei", "port_moresby", "rarotonga", "saipan", "tahiti", "tarawa", "tongatapu", "wake", "wallis" ], "utc": [ "" ] }; var tzparts= value.split('/',2); var continent=tzparts[0].toLowerCase(); var city=''; if (tzparts[1]) { city=tzparts[1].toLowerCase(); } return (continent in timezones && ( timezones[continent].length===0 || timezones[continent].indexOf(city)!==-1)) } } }); /*! * Laravel Javascript Validation * * https://github.com/proengsoft/laravel-jsvalidation * * Metjods that implement Laravel Validations * * Copyright (c) 2014 Proengsoft * Released under the MIT license */ $.extend(true, laravelValidation, { methods:{ helpers: laravelValidation.helpers, jsRemoteTimer:0, /** * "Validate" optional attributes. * Always returns true, just lets us put sometimes in rules.* * @return {boolean} */ Sometimes: function() { return true; }, /** * Bail This is the default behaivour os JSValidation. * Always returns true, just lets us put sometimes in rules.* * @return {boolean} */ Bail: function() { return true; }, /** * "Indicate" validation should pass if value is null. * Always returns true, just lets us put "nullable" in rules. * @return {boolean} */ Nullable: function() { return true; }, /** * Validate the given attribute is filled if it is present. */ Filled: function(value, element) { return $.validator.methods.required.call(this, value, element, true); }, /** *Validate that a required attribute exists. */ Required: function(value, element) { return $.validator.methods.required.call(this, value, element); }, /** * Validate that an attribute exists when any other attribute exists. * @return {boolean} */ RequiredWith: function(value, element, params) { var validator=this, required=false; var currentObject=this; $.each(params,function(i,param) { var target=laravelValidation.helpers.dependentElement( currentObject, element, param ); required=required || ( target!==undefined && $.validator.methods.required.call( validator, currentObject.elementValue(target), target,true )); }); if (required) { return $.validator.methods.required.call(this, value, element, true); } return true; }, /** * Validate that an attribute exists when all other attribute exists. * @return {boolean} */ RequiredWithAll: function(value, element, params) { var validator=this, required=true; var currentObject=this; $.each(params,function(i,param) { var target=laravelValidation.helpers.dependentElement( currentObject, element, param ); required = required && ( target!==undefined && $.validator.methods.required.call( validator, currentObject.elementValue(target), target,true )); }); if (required) { return $.validator.methods.required.call(this, value, element, true); } return true; }, /** * Validate that an attribute exists when any other attribute does not exists. * @return {boolean} */ RequiredWithout: function(value, element, params) { var validator=this, required=false; var currentObject=this; $.each(params,function(i,param) { var target=laravelValidation.helpers.dependentElement( currentObject, element, param ); required = required || target===undefined|| !$.validator.methods.required.call( validator, currentObject.elementValue(target), target,true ); }); if (required) { return $.validator.methods.required.call(this, value, element, true); } return true; }, /** * Validate that an attribute exists when all other attribute does not exists. * @return {boolean} */ RequiredWithoutAll: function(value, element, params) { var validator=this, required=true, currentObject=this; $.each(params,function(i, param) { var target=laravelValidation.helpers.dependentElement( currentObject, element, param ); required = required && ( target===undefined || !$.validator.methods.required.call( validator, currentObject.elementValue(target), target,true )); }); if (required) { return $.validator.methods.required.call(this, value, element, true); } return true; }, /** * Validate that an attribute exists when another attribute has a given value. * @return {boolean} */ RequiredIf: function(value, element, params) { var target=laravelValidation.helpers.dependentElement( this, element, params[0] ); if (target!==undefined) { var val=String(this.elementValue(target)); if (typeof val !== 'undefined') { var data = params.slice(1); if ($.inArray(val, data) !== -1) { return $.validator.methods.required.call( this, value, element, true ); } } } return true; }, /** * Validate that an attribute exists when another * attribute does not have a given value. * @return {boolean} */ RequiredUnless: function(value, element, params) { var target=laravelValidation.helpers.dependentElement( this, element, params[0] ); if (target!==undefined) { var val=String(this.elementValue(target)); if (typeof val !== 'undefined') { var data = params.slice(1); if ($.inArray(val, data) !== -1) { return true; } } } return $.validator.methods.required.call( this, value, element, true ); }, /** * Validate that an attribute has a matching confirmation. * @return {boolean} */ Confirmed: function(value, element, params) { return laravelValidation.methods.Same.call(this,value, element, params); }, /** * Validate that two attributes match. * @return {boolean} */ Same: function(value, element, params) { var target=laravelValidation.helpers.dependentElement( this, element, params[0] ); if (target!==undefined) { return String(value) === String(this.elementValue(target)); } return false; }, /** * Validate that the values of an attribute is in another attribute. * @param value * @param element * @param params * @returns {boolean} * @constructor */ InArray: function (value, element, params) { if (typeof params[0] === 'undefined') { return false; } var elements = this.elements(); var found = false; var nameRegExp = laravelValidation.helpers.regexFromWildcard(params[0]); for ( var i = 0; i < elements.length ; i++ ) { var targetName = elements[i].name; if (targetName.match(nameRegExp)) { var equals = laravelValidation.methods.Same.call(this,value, element, [targetName]); found = found || equals; } } return found; }, /** * Validate an attribute is unique among other values. * @param value * @param element * @param params * @returns {boolean} */ Distinct: function (value, element, params) { if (typeof params[0] === 'undefined') { return false; } var elements = this.elements(); var found = false; var nameRegExp = laravelValidation.helpers.regexFromWildcard(params[0]); for ( var i = 0; i < elements.length ; i++ ) { var targetName = elements[i].name; if (targetName !== element.name && targetName.match(nameRegExp)) { var equals = laravelValidation.methods.Same.call(this,value, element, [targetName]); found = found || equals; } } return !found; }, /** * Validate that an attribute is different from another attribute. * @return {boolean} */ Different: function(value, element, params) { return ! laravelValidation.methods.Same.call(this,value, element, params); }, /** * Validate that an attribute was "accepted". * This validation rule implies the attribute is "required". * @return {boolean} */ Accepted: function(value) { var regex = new RegExp("^(?:(yes|on|1|true))$",'i'); return regex.test(value); }, /** * Validate that an attribute is an array. */ Array: function(value) { return $.isArray(value); }, /** * Validate that an attribute is a boolean. * @return {boolean} */ Boolean: function(value) { var regex= new RegExp("^(?:(true|false|1|0))$",'i'); return regex.test(value); }, /** * Validate that an attribute is an integer. * @return {boolean} */ Integer: function(value) { var regex= new RegExp("^(?:-?\\d+)$",'i'); return regex.test(value); }, /** * Validate that an attribute is numeric. */ Numeric: function(value, element) { return $.validator.methods.number.call(this, value, element, true); }, /** * Validate that an attribute is a string. * @return {boolean} */ String: function(value) { return typeof value === 'string'; }, /** * The field under validation must be numeric and must have an exact length of value. */ Digits: function(value, element, params) { return ( $.validator.methods.number.call(this, value, element, true) && value.length === parseInt(params, 10) ); }, /** * The field under validation must have a length between the given min and max. */ DigitsBetween: function(value, element, params) { return ($.validator.methods.number.call(this, value, element, true) && value.length>=parseFloat(params[0]) && value.length<=parseFloat(params[1])); }, /** * Validate the size of an attribute. * @return {boolean} */ Size: function(value, element, params) { return laravelValidation.helpers.getSize(this, element,value) === parseFloat(params[0]); }, /** * Validate the size of an attribute is between a set of values. * @return {boolean} */ Between: function(value, element, params) { return ( laravelValidation.helpers.getSize(this, element,value) >= parseFloat(params[0]) && laravelValidation.helpers.getSize(this,element,value) <= parseFloat(params[1])); }, /** * Validate the size of an attribute is greater than a minimum value. * @return {boolean} */ Min: function(value, element, params) { return laravelValidation.helpers.getSize(this, element,value) >= parseFloat(params[0]); }, /** * Validate the size of an attribute is less than a maximum value. * @return {boolean} */ Max: function(value, element, params) { return laravelValidation.helpers.getSize(this, element,value) <= parseFloat(params[0]); }, /** * Validate an attribute is contained within a list of values. * @return {boolean} */ In: function(value, element, params) { if ($.isArray(value) && laravelValidation.helpers.hasRules(element, "Array")) { var diff = laravelValidation.helpers.arrayDiff(value, params); return Object.keys(diff).length === 0; } return params.indexOf(value.toString()) !== -1; }, /** * Validate an attribute is not contained within a list of values. * @return {boolean} */ NotIn: function(value, element, params) { return params.indexOf(value.toString()) === -1; }, /** * Validate that an attribute is a valid IP. * @return {boolean} */ Ip: function(value) { return /^(25[0-5]|2[0-4]\d|[01]?\d\d?)\.(25[0-5]|2[0-4]\d|[01]?\d\d?)\.(25[0-5]|2[0-4]\d|[01]?\d\d?)\.(25[0-5]|2[0-4]\d|[01]?\d\d?)$/i.test(value) || /^((([0-9A-Fa-f]{1,4}:){7}[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){6}:[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){5}:([0-9A-Fa-f]{1,4}:)?[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){4}:([0-9A-Fa-f]{1,4}:){0,2}[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){3}:([0-9A-Fa-f]{1,4}:){0,3}[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){2}:([0-9A-Fa-f]{1,4}:){0,4}[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){6}((\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b)\.){3}(\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b))|(([0-9A-Fa-f]{1,4}:){0,5}:((\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b)\.){3}(\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b))|(::([0-9A-Fa-f]{1,4}:){0,5}((\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b)\.){3}(\b((25[0-5])|(1\d{2})|(2[0-4]\d)|(\d{1,2}))\b))|([0-9A-Fa-f]{1,4}::([0-9A-Fa-f]{1,4}:){0,5}[0-9A-Fa-f]{1,4})|(::([0-9A-Fa-f]{1,4}:){0,6}[0-9A-Fa-f]{1,4})|(([0-9A-Fa-f]{1,4}:){1,7}:))$/i.test(value); }, /** * Validate that an attribute is a valid e-mail address. */ Email: function(value, element) { return $.validator.methods.email.call(this, value, element, true); }, /** * Validate that an attribute is a valid URL. */ Url: function(value, element) { return $.validator.methods.url.call(this, value, element, true); }, /** * The field under validation must be a successfully uploaded file. * @return {boolean} */ File: function(value, element) { if (!window.File || !window.FileReader || !window.FileList || !window.Blob) { return true; } if ('files' in element ) { return (element.files.length > 0); } return false; }, /** * Validate the MIME type of a file upload attribute is in a set of MIME types. * @return {boolean} */ Mimes: function(value, element, params) { if (!window.File || !window.FileReader || !window.FileList || !window.Blob) { return true; } var lowerParams = $.map(params, function(item) { return item.toLowerCase(); }); var fileinfo = laravelValidation.helpers.fileinfo(element); return (fileinfo !== false && lowerParams.indexOf(fileinfo.extension.toLowerCase())!==-1); }, /** * The file under validation must match one of the given MIME types * @return {boolean} */ Mimetypes: function(value, element, params) { if (!window.File || !window.FileReader || !window.FileList || !window.Blob) { return true; } var lowerParams = $.map(params, function(item) { return item.toLowerCase(); }); var fileinfo = laravelValidation.helpers.fileinfo(element); if (fileinfo === false) { return false; } return (lowerParams.indexOf(fileinfo.type.toLowerCase())!==-1); }, /** * Validate the MIME type of a file upload attribute is in a set of MIME types. */ Image: function(value, element) { return laravelValidation.methods.Mimes.call(this, value, element, ['jpg', 'png', 'gif', 'bmp', 'svg']); }, /** * Validate dimensions of Image * @return {boolean|string} */ Dimensions: function(value, element, params, callback) { if (!window.File || !window.FileReader || !window.FileList || !window.Blob) { return true; } if (element.files === null || typeof element.files[0] === 'undefined') { return false; } var fr = new FileReader; fr.onload = function () { var img = new Image(); img.onload = function () { var height = parseFloat(img.naturalHeight); var width = parseFloat(img.naturalWidth); var ratio = width / height; var notValid = ((params['width']) && parseFloat(params['width'] !== width)) || ((params['min_width']) && parseFloat(params['min_width']) > width) || ((params['max_width']) && parseFloat(params['max_width']) < width) || ((params['height']) && parseFloat(params['height']) !== height) || ((params['min_height']) && parseFloat(params['min_height']) > height) || ((params['max_height']) && parseFloat(params['max_height']) < height) || ((params['ratio']) && ratio !== parseFloat(eval(params['ratio'])) ); callback(! notValid); }; img.onerror = function() { callback(false); }; img.src = fr.result; }; fr.readAsDataURL(element.files[0]); return 'pending'; }, /** * Validate that an attribute contains only alphabetic characters. * @return {boolean} */ Alpha: function(value) { if (typeof value !== 'string') { return false; } var regex = new RegExp("^(?:^[a-z\u00E0-\u00FC]+$)$",'i'); return regex.test(value); }, /** * Validate that an attribute contains only alpha-numeric characters. * @return {boolean} */ AlphaNum: function(value) { if (typeof value !== 'string') { return false; } var regex = new RegExp("^(?:^[a-z0-9\u00E0-\u00FC]+$)$",'i'); return regex.test(value); }, /** * Validate that an attribute contains only alphabetic characters. * @return {boolean} */ AlphaDash: function(value) { if (typeof value !== 'string') { return false; } var regex = new RegExp("^(?:^[a-z0-9\u00E0-\u00FC_-]+$)$",'i'); return regex.test(value); }, /** * Validate that an attribute passes a regular expression check. * @return {boolean} */ Regex: function(value, element, params) { var invalidModifiers=['x','s','u','X','U','A']; // Converting php regular expression var phpReg= new RegExp('^(?:\/)(.*\\\/?[^\/]*|[^\/]*)(?:\/)([gmixXsuUAJ]*)?$'); var matches=params[0].match(phpReg); if (matches === null) { return false; } // checking modifiers var php_modifiers=[]; if (matches[2]!==undefined) { php_modifiers=matches[2].split(''); for (var i=0; i timeCompare); }, /** * Validate that an attribute is a valid date. */ Timezone: function(value) { return laravelValidation.helpers.isTimezone(value); }, /** * Validate the attribute is a valid JSON string. * * @param value * @return bool */ Json: function(value) { var result = true; try { JSON.parse(value); } catch (e) { result = false; } return result; } } }); //# sourceMappingURL=jsvalidation.js.map