/** * vee-validate v2.1.7 * (c) 2019 Abdelrahman Awad * @license MIT */ var MILLISECONDS_IN_HOUR = 3600000; var MILLISECONDS_IN_MINUTE = 60000; var DEFAULT_ADDITIONAL_DIGITS = 2; var patterns = { dateTimeDelimeter: /[T ]/, plainTime: /:/, // year tokens YY: /^(\d{2})$/, YYY: [ /^([+-]\d{2})$/, // 0 additional digits /^([+-]\d{3})$/, // 1 additional digit /^([+-]\d{4})$/ // 2 additional digits ], YYYY: /^(\d{4})/, YYYYY: [ /^([+-]\d{4})/, // 0 additional digits /^([+-]\d{5})/, // 1 additional digit /^([+-]\d{6})/ // 2 additional digits ], // date tokens MM: /^-(\d{2})$/, DDD: /^-?(\d{3})$/, MMDD: /^-?(\d{2})-?(\d{2})$/, Www: /^-?W(\d{2})$/, WwwD: /^-?W(\d{2})-?(\d{1})$/, HH: /^(\d{2}([.,]\d*)?)$/, HHMM: /^(\d{2}):?(\d{2}([.,]\d*)?)$/, HHMMSS: /^(\d{2}):?(\d{2}):?(\d{2}([.,]\d*)?)$/, // timezone tokens timezone: /([Z+-].*)$/, timezoneZ: /^(Z)$/, timezoneHH: /^([+-])(\d{2})$/, timezoneHHMM: /^([+-])(\d{2}):?(\d{2})$/ }; /** * @name toDate * @category Common Helpers * @summary Convert the given argument to an instance of Date. * * @description * Convert the given argument to an instance of Date. * * If the argument is an instance of Date, the function returns its clone. * * If the argument is a number, it is treated as a timestamp. * * If an argument is a string, the function tries to parse it. * Function accepts complete ISO 8601 formats as well as partial implementations. * ISO 8601: http://en.wikipedia.org/wiki/ISO_8601 * * If the argument is null, it is treated as an invalid date. * * If all above fails, the function passes the given argument to Date constructor. * * **Note**: *all* Date arguments passed to any *date-fns* function is processed by `toDate`. * All *date-fns* functions will throw `RangeError` if `options.additionalDigits` is not 0, 1, 2 or undefined. * * @param {*} argument - the value to convert * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - the additional number of digits in the extended year format * @returns {Date} the parsed date in the local time zone * @throws {TypeError} 1 argument required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Convert string '2014-02-11T11:30:30' to date: * var result = toDate('2014-02-11T11:30:30') * //=> Tue Feb 11 2014 11:30:30 * * @example * // Convert string '+02014101' to date, * // if the additional number of digits in the extended year format is 1: * var result = toDate('+02014101', {additionalDigits: 1}) * //=> Fri Apr 11 2014 00:00:00 */ function toDate (argument, dirtyOptions) { if (arguments.length < 1) { throw new TypeError('1 argument required, but only ' + arguments.length + ' present') } if (argument === null) { return new Date(NaN) } var options = dirtyOptions || {}; var additionalDigits = options.additionalDigits === undefined ? DEFAULT_ADDITIONAL_DIGITS : Number(options.additionalDigits); if (additionalDigits !== 2 && additionalDigits !== 1 && additionalDigits !== 0) { throw new RangeError('additionalDigits must be 0, 1 or 2') } // Clone the date if (argument instanceof Date) { // Prevent the date to lose the milliseconds when passed to new Date() in IE10 return new Date(argument.getTime()) } else if (typeof argument !== 'string') { return new Date(argument) } var dateStrings = splitDateString(argument); var parseYearResult = parseYear(dateStrings.date, additionalDigits); var year = parseYearResult.year; var restDateString = parseYearResult.restDateString; var date = parseDate(restDateString, year); if (date) { var timestamp = date.getTime(); var time = 0; var offset; if (dateStrings.time) { time = parseTime(dateStrings.time); } if (dateStrings.timezone) { offset = parseTimezone(dateStrings.timezone); } else { // get offset accurate to hour in timezones that change offset offset = new Date(timestamp + time).getTimezoneOffset(); offset = new Date(timestamp + time + offset * MILLISECONDS_IN_MINUTE).getTimezoneOffset(); } return new Date(timestamp + time + offset * MILLISECONDS_IN_MINUTE) } else { return new Date(argument) } } function splitDateString (dateString) { var dateStrings = {}; var array = dateString.split(patterns.dateTimeDelimeter); var timeString; if (patterns.plainTime.test(array[0])) { dateStrings.date = null; timeString = array[0]; } else { dateStrings.date = array[0]; timeString = array[1]; } if (timeString) { var token = patterns.timezone.exec(timeString); if (token) { dateStrings.time = timeString.replace(token[1], ''); dateStrings.timezone = token[1]; } else { dateStrings.time = timeString; } } return dateStrings } function parseYear (dateString, additionalDigits) { var patternYYY = patterns.YYY[additionalDigits]; var patternYYYYY = patterns.YYYYY[additionalDigits]; var token; // YYYY or ±YYYYY token = patterns.YYYY.exec(dateString) || patternYYYYY.exec(dateString); if (token) { var yearString = token[1]; return { year: parseInt(yearString, 10), restDateString: dateString.slice(yearString.length) } } // YY or ±YYY token = patterns.YY.exec(dateString) || patternYYY.exec(dateString); if (token) { var centuryString = token[1]; return { year: parseInt(centuryString, 10) * 100, restDateString: dateString.slice(centuryString.length) } } // Invalid ISO-formatted year return { year: null } } function parseDate (dateString, year) { // Invalid ISO-formatted year if (year === null) { return null } var token; var date; var month; var week; // YYYY if (dateString.length === 0) { date = new Date(0); date.setUTCFullYear(year); return date } // YYYY-MM token = patterns.MM.exec(dateString); if (token) { date = new Date(0); month = parseInt(token[1], 10) - 1; date.setUTCFullYear(year, month); return date } // YYYY-DDD or YYYYDDD token = patterns.DDD.exec(dateString); if (token) { date = new Date(0); var dayOfYear = parseInt(token[1], 10); date.setUTCFullYear(year, 0, dayOfYear); return date } // YYYY-MM-DD or YYYYMMDD token = patterns.MMDD.exec(dateString); if (token) { date = new Date(0); month = parseInt(token[1], 10) - 1; var day = parseInt(token[2], 10); date.setUTCFullYear(year, month, day); return date } // YYYY-Www or YYYYWww token = patterns.Www.exec(dateString); if (token) { week = parseInt(token[1], 10) - 1; return dayOfISOYear(year, week) } // YYYY-Www-D or YYYYWwwD token = patterns.WwwD.exec(dateString); if (token) { week = parseInt(token[1], 10) - 1; var dayOfWeek = parseInt(token[2], 10) - 1; return dayOfISOYear(year, week, dayOfWeek) } // Invalid ISO-formatted date return null } function parseTime (timeString) { var token; var hours; var minutes; // hh token = patterns.HH.exec(timeString); if (token) { hours = parseFloat(token[1].replace(',', '.')); return (hours % 24) * MILLISECONDS_IN_HOUR } // hh:mm or hhmm token = patterns.HHMM.exec(timeString); if (token) { hours = parseInt(token[1], 10); minutes = parseFloat(token[2].replace(',', '.')); return (hours % 24) * MILLISECONDS_IN_HOUR + minutes * MILLISECONDS_IN_MINUTE } // hh:mm:ss or hhmmss token = patterns.HHMMSS.exec(timeString); if (token) { hours = parseInt(token[1], 10); minutes = parseInt(token[2], 10); var seconds = parseFloat(token[3].replace(',', '.')); return (hours % 24) * MILLISECONDS_IN_HOUR + minutes * MILLISECONDS_IN_MINUTE + seconds * 1000 } // Invalid ISO-formatted time return null } function parseTimezone (timezoneString) { var token; var absoluteOffset; // Z token = patterns.timezoneZ.exec(timezoneString); if (token) { return 0 } // ±hh token = patterns.timezoneHH.exec(timezoneString); if (token) { absoluteOffset = parseInt(token[2], 10) * 60; return (token[1] === '+') ? -absoluteOffset : absoluteOffset } // ±hh:mm or ±hhmm token = patterns.timezoneHHMM.exec(timezoneString); if (token) { absoluteOffset = parseInt(token[2], 10) * 60 + parseInt(token[3], 10); return (token[1] === '+') ? -absoluteOffset : absoluteOffset } return 0 } function dayOfISOYear (isoYear, week, day) { week = week || 0; day = day || 0; var date = new Date(0); date.setUTCFullYear(isoYear, 0, 4); var fourthOfJanuaryDay = date.getUTCDay() || 7; var diff = week * 7 + day + 1 - fourthOfJanuaryDay; date.setUTCDate(date.getUTCDate() + diff); return date } /** * @name addMilliseconds * @category Millisecond Helpers * @summary Add the specified number of milliseconds to the given date. * * @description * Add the specified number of milliseconds to the given date. * * @param {Date|String|Number} date - the date to be changed * @param {Number} amount - the amount of milliseconds to be added * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Date} the new date with the milliseconds added * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Add 750 milliseconds to 10 July 2014 12:45:30.000: * var result = addMilliseconds(new Date(2014, 6, 10, 12, 45, 30, 0), 750) * //=> Thu Jul 10 2014 12:45:30.750 */ function addMilliseconds (dirtyDate, dirtyAmount, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var timestamp = toDate(dirtyDate, dirtyOptions).getTime(); var amount = Number(dirtyAmount); return new Date(timestamp + amount) } function cloneObject (dirtyObject) { dirtyObject = dirtyObject || {}; var object = {}; for (var property in dirtyObject) { if (dirtyObject.hasOwnProperty(property)) { object[property] = dirtyObject[property]; } } return object } var MILLISECONDS_IN_MINUTE$2 = 60000; /** * @name addMinutes * @category Minute Helpers * @summary Add the specified number of minutes to the given date. * * @description * Add the specified number of minutes to the given date. * * @param {Date|String|Number} date - the date to be changed * @param {Number} amount - the amount of minutes to be added * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Date} the new date with the minutes added * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Add 30 minutes to 10 July 2014 12:00:00: * var result = addMinutes(new Date(2014, 6, 10, 12, 0), 30) * //=> Thu Jul 10 2014 12:30:00 */ function addMinutes (dirtyDate, dirtyAmount, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var amount = Number(dirtyAmount); return addMilliseconds(dirtyDate, amount * MILLISECONDS_IN_MINUTE$2, dirtyOptions) } /** * @name isValid * @category Common Helpers * @summary Is the given date valid? * * @description * Returns false if argument is Invalid Date and true otherwise. * Argument is converted to Date using `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * Invalid Date is a Date, whose time value is NaN. * * Time value of Date: http://es5.github.io/#x15.9.1.1 * * @param {*} date - the date to check * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Boolean} the date is valid * @throws {TypeError} 1 argument required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // For the valid date: * var result = isValid(new Date(2014, 1, 31)) * //=> true * * @example * // For the value, convertable into a date: * var result = isValid('2014-02-31') * //=> true * * @example * // For the invalid date: * var result = isValid(new Date('')) * //=> false */ function isValid (dirtyDate, dirtyOptions) { if (arguments.length < 1) { throw new TypeError('1 argument required, but only ' + arguments.length + ' present') } var date = toDate(dirtyDate, dirtyOptions); return !isNaN(date) } var formatDistanceLocale = { lessThanXSeconds: { one: 'less than a second', other: 'less than {{count}} seconds' }, xSeconds: { one: '1 second', other: '{{count}} seconds' }, halfAMinute: 'half a minute', lessThanXMinutes: { one: 'less than a minute', other: 'less than {{count}} minutes' }, xMinutes: { one: '1 minute', other: '{{count}} minutes' }, aboutXHours: { one: 'about 1 hour', other: 'about {{count}} hours' }, xHours: { one: '1 hour', other: '{{count}} hours' }, xDays: { one: '1 day', other: '{{count}} days' }, aboutXMonths: { one: 'about 1 month', other: 'about {{count}} months' }, xMonths: { one: '1 month', other: '{{count}} months' }, aboutXYears: { one: 'about 1 year', other: 'about {{count}} years' }, xYears: { one: '1 year', other: '{{count}} years' }, overXYears: { one: 'over 1 year', other: 'over {{count}} years' }, almostXYears: { one: 'almost 1 year', other: 'almost {{count}} years' } }; function formatDistance (token, count, options) { options = options || {}; var result; if (typeof formatDistanceLocale[token] === 'string') { result = formatDistanceLocale[token]; } else if (count === 1) { result = formatDistanceLocale[token].one; } else { result = formatDistanceLocale[token].other.replace('{{count}}', count); } if (options.addSuffix) { if (options.comparison > 0) { return 'in ' + result } else { return result + ' ago' } } return result } var tokensToBeShortedPattern = /MMMM|MM|DD|dddd/g; function buildShortLongFormat (format) { return format.replace(tokensToBeShortedPattern, function (token) { return token.slice(1) }) } /** * @name buildFormatLongFn * @category Locale Helpers * @summary Build `formatLong` property for locale used by `format`, `formatRelative` and `parse` functions. * * @description * Build `formatLong` property for locale used by `format`, `formatRelative` and `parse` functions. * Returns a function which takes one of the following tokens as the argument: * `'LTS'`, `'LT'`, `'L'`, `'LL'`, `'LLL'`, `'l'`, `'ll'`, `'lll'`, `'llll'` * and returns a long format string written as `format` token strings. * See [format]{@link https://date-fns.org/docs/format} * * `'l'`, `'ll'`, `'lll'` and `'llll'` formats are built automatically * by shortening some of the tokens from corresponding unshortened formats * (e.g., if `LL` is `'MMMM DD YYYY'` then `ll` will be `MMM D YYYY`) * * @param {Object} obj - the object with long formats written as `format` token strings * @param {String} obj.LT - time format: hours and minutes * @param {String} obj.LTS - time format: hours, minutes and seconds * @param {String} obj.L - short date format: numeric day, month and year * @param {String} [obj.l] - short date format: numeric day, month and year (shortened) * @param {String} obj.LL - long date format: day, month in words, and year * @param {String} [obj.ll] - long date format: day, month in words, and year (shortened) * @param {String} obj.LLL - long date and time format * @param {String} [obj.lll] - long date and time format (shortened) * @param {String} obj.LLLL - long date, time and weekday format * @param {String} [obj.llll] - long date, time and weekday format (shortened) * @returns {Function} `formatLong` property of the locale * * @example * // For `en-US` locale: * locale.formatLong = buildFormatLongFn({ * LT: 'h:mm aa', * LTS: 'h:mm:ss aa', * L: 'MM/DD/YYYY', * LL: 'MMMM D YYYY', * LLL: 'MMMM D YYYY h:mm aa', * LLLL: 'dddd, MMMM D YYYY h:mm aa' * }) */ function buildFormatLongFn (obj) { var formatLongLocale = { LTS: obj.LTS, LT: obj.LT, L: obj.L, LL: obj.LL, LLL: obj.LLL, LLLL: obj.LLLL, l: obj.l || buildShortLongFormat(obj.L), ll: obj.ll || buildShortLongFormat(obj.LL), lll: obj.lll || buildShortLongFormat(obj.LLL), llll: obj.llll || buildShortLongFormat(obj.LLLL) }; return function (token) { return formatLongLocale[token] } } var formatLong = buildFormatLongFn({ LT: 'h:mm aa', LTS: 'h:mm:ss aa', L: 'MM/DD/YYYY', LL: 'MMMM D YYYY', LLL: 'MMMM D YYYY h:mm aa', LLLL: 'dddd, MMMM D YYYY h:mm aa' }); var formatRelativeLocale = { lastWeek: '[last] dddd [at] LT', yesterday: '[yesterday at] LT', today: '[today at] LT', tomorrow: '[tomorrow at] LT', nextWeek: 'dddd [at] LT', other: 'L' }; function formatRelative (token, date, baseDate, options) { return formatRelativeLocale[token] } /** * @name buildLocalizeFn * @category Locale Helpers * @summary Build `localize.weekday`, `localize.month` and `localize.timeOfDay` properties for the locale. * * @description * Build `localize.weekday`, `localize.month` and `localize.timeOfDay` properties for the locale * used by `format` function. * If no `type` is supplied to the options of the resulting function, `defaultType` will be used (see example). * * `localize.weekday` function takes the weekday index as argument (0 - Sunday). * `localize.month` takes the month index (0 - January). * `localize.timeOfDay` takes the hours. Use `indexCallback` to convert them to an array index (see example). * * @param {Object} values - the object with arrays of values * @param {String} defaultType - the default type for the localize function * @param {Function} [indexCallback] - the callback which takes the resulting function argument * and converts it into value array index * @returns {Function} the resulting function * * @example * var timeOfDayValues = { * uppercase: ['AM', 'PM'], * lowercase: ['am', 'pm'], * long: ['a.m.', 'p.m.'] * } * locale.localize.timeOfDay = buildLocalizeFn(timeOfDayValues, 'long', function (hours) { * // 0 is a.m. array index, 1 is p.m. array index * return (hours / 12) >= 1 ? 1 : 0 * }) * locale.localize.timeOfDay(16, {type: 'uppercase'}) //=> 'PM' * locale.localize.timeOfDay(5) //=> 'a.m.' */ function buildLocalizeFn (values, defaultType, indexCallback) { return function (dirtyIndex, dirtyOptions) { var options = dirtyOptions || {}; var type = options.type ? String(options.type) : defaultType; var valuesArray = values[type] || values[defaultType]; var index = indexCallback ? indexCallback(Number(dirtyIndex)) : Number(dirtyIndex); return valuesArray[index] } } /** * @name buildLocalizeArrayFn * @category Locale Helpers * @summary Build `localize.weekdays`, `localize.months` and `localize.timesOfDay` properties for the locale. * * @description * Build `localize.weekdays`, `localize.months` and `localize.timesOfDay` properties for the locale. * If no `type` is supplied to the options of the resulting function, `defaultType` will be used (see example). * * @param {Object} values - the object with arrays of values * @param {String} defaultType - the default type for the localize function * @returns {Function} the resulting function * * @example * var weekdayValues = { * narrow: ['Su', 'Mo', 'Tu', 'We', 'Th', 'Fr', 'Sa'], * short: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], * long: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'] * } * locale.localize.weekdays = buildLocalizeArrayFn(weekdayValues, 'long') * locale.localize.weekdays({type: 'narrow'}) //=> ['Su', 'Mo', ...] * locale.localize.weekdays() //=> ['Sunday', 'Monday', ...] */ function buildLocalizeArrayFn (values, defaultType) { return function (dirtyOptions) { var options = dirtyOptions || {}; var type = options.type ? String(options.type) : defaultType; return values[type] || values[defaultType] } } // Note: in English, the names of days of the week and months are capitalized. // If you are making a new locale based on this one, check if the same is true for the language you're working on. // Generally, formatted dates should look like they are in the middle of a sentence, // e.g. in Spanish language the weekdays and months should be in the lowercase. var weekdayValues = { narrow: ['Su', 'Mo', 'Tu', 'We', 'Th', 'Fr', 'Sa'], short: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], long: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'] }; var monthValues = { short: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], long: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'] }; // `timeOfDay` is used to designate which part of the day it is, when used with 12-hour clock. // Use the system which is used the most commonly in the locale. // For example, if the country doesn't use a.m./p.m., you can use `night`/`morning`/`afternoon`/`evening`: // // var timeOfDayValues = { // any: ['in the night', 'in the morning', 'in the afternoon', 'in the evening'] // } // // And later: // // var localize = { // // The callback takes the hours as the argument and returns the array index // timeOfDay: buildLocalizeFn(timeOfDayValues, 'any', function (hours) { // if (hours >= 17) { // return 3 // } else if (hours >= 12) { // return 2 // } else if (hours >= 4) { // return 1 // } else { // return 0 // } // }), // timesOfDay: buildLocalizeArrayFn(timeOfDayValues, 'any') // } var timeOfDayValues = { uppercase: ['AM', 'PM'], lowercase: ['am', 'pm'], long: ['a.m.', 'p.m.'] }; function ordinalNumber (dirtyNumber, dirtyOptions) { var number = Number(dirtyNumber); // If ordinal numbers depend on context, for example, // if they are different for different grammatical genders, // use `options.unit`: // // var options = dirtyOptions || {} // var unit = String(options.unit) // // where `unit` can be 'month', 'quarter', 'week', 'isoWeek', 'dayOfYear', // 'dayOfMonth' or 'dayOfWeek' var rem100 = number % 100; if (rem100 > 20 || rem100 < 10) { switch (rem100 % 10) { case 1: return number + 'st' case 2: return number + 'nd' case 3: return number + 'rd' } } return number + 'th' } var localize = { ordinalNumber: ordinalNumber, weekday: buildLocalizeFn(weekdayValues, 'long'), weekdays: buildLocalizeArrayFn(weekdayValues, 'long'), month: buildLocalizeFn(monthValues, 'long'), months: buildLocalizeArrayFn(monthValues, 'long'), timeOfDay: buildLocalizeFn(timeOfDayValues, 'long', function (hours) { return (hours / 12) >= 1 ? 1 : 0 }), timesOfDay: buildLocalizeArrayFn(timeOfDayValues, 'long') }; /** * @name buildMatchFn * @category Locale Helpers * @summary Build `match.weekdays`, `match.months` and `match.timesOfDay` properties for the locale. * * @description * Build `match.weekdays`, `match.months` and `match.timesOfDay` properties for the locale used by `parse` function. * If no `type` is supplied to the options of the resulting function, `defaultType` will be used (see example). * The result of the match function will be passed into corresponding parser function * (`match.weekday`, `match.month` or `match.timeOfDay` respectively. See `buildParseFn`). * * @param {Object} values - the object with RegExps * @param {String} defaultType - the default type for the match function * @returns {Function} the resulting function * * @example * var matchWeekdaysPatterns = { * narrow: /^(su|mo|tu|we|th|fr|sa)/i, * short: /^(sun|mon|tue|wed|thu|fri|sat)/i, * long: /^(sunday|monday|tuesday|wednesday|thursday|friday|saturday)/i * } * locale.match.weekdays = buildMatchFn(matchWeekdaysPatterns, 'long') * locale.match.weekdays('Sunday', {type: 'narrow'}) //=> ['Su', 'Su', ...] * locale.match.weekdays('Sunday') //=> ['Sunday', 'Sunday', ...] */ function buildMatchFn (patterns, defaultType) { return function (dirtyString, dirtyOptions) { var options = dirtyOptions || {}; var type = options.type ? String(options.type) : defaultType; var pattern = patterns[type] || patterns[defaultType]; var string = String(dirtyString); return string.match(pattern) } } /** * @name buildParseFn * @category Locale Helpers * @summary Build `match.weekday`, `match.month` and `match.timeOfDay` properties for the locale. * * @description * Build `match.weekday`, `match.month` and `match.timeOfDay` properties for the locale used by `parse` function. * The argument of the resulting function is the result of the corresponding match function * (`match.weekdays`, `match.months` or `match.timesOfDay` respectively. See `buildMatchFn`). * * @param {Object} values - the object with arrays of RegExps * @param {String} defaultType - the default type for the parser function * @returns {Function} the resulting function * * @example * var parseWeekdayPatterns = { * any: [/^su/i, /^m/i, /^tu/i, /^w/i, /^th/i, /^f/i, /^sa/i] * } * locale.match.weekday = buildParseFn(matchWeekdaysPatterns, 'long') * var matchResult = locale.match.weekdays('Friday') * locale.match.weekday(matchResult) //=> 5 */ function buildParseFn (patterns, defaultType) { return function (matchResult, dirtyOptions) { var options = dirtyOptions || {}; var type = options.type ? String(options.type) : defaultType; var patternsArray = patterns[type] || patterns[defaultType]; var string = matchResult[1]; return patternsArray.findIndex(function (pattern) { return pattern.test(string) }) } } /** * @name buildMatchPatternFn * @category Locale Helpers * @summary Build match function from a single RegExp. * * @description * Build match function from a single RegExp. * Usually used for building `match.ordinalNumbers` property of the locale. * * @param {Object} pattern - the RegExp * @returns {Function} the resulting function * * @example * locale.match.ordinalNumbers = buildMatchPatternFn(/^(\d+)(th|st|nd|rd)?/i) * locale.match.ordinalNumbers('3rd') //=> ['3rd', '3', 'rd', ...] */ function buildMatchPatternFn (pattern) { return function (dirtyString) { var string = String(dirtyString); return string.match(pattern) } } /** * @name parseDecimal * @category Locale Helpers * @summary Parses the match result into decimal number. * * @description * Parses the match result into decimal number. * Uses the string matched with the first set of parentheses of match RegExp. * * @param {Array} matchResult - the object returned by matching function * @returns {Number} the parsed value * * @example * locale.match = { * ordinalNumbers: (dirtyString) { * return String(dirtyString).match(/^(\d+)(th|st|nd|rd)?/i) * }, * ordinalNumber: parseDecimal * } */ function parseDecimal (matchResult) { return parseInt(matchResult[1], 10) } var matchOrdinalNumbersPattern = /^(\d+)(th|st|nd|rd)?/i; var matchWeekdaysPatterns = { narrow: /^(su|mo|tu|we|th|fr|sa)/i, short: /^(sun|mon|tue|wed|thu|fri|sat)/i, long: /^(sunday|monday|tuesday|wednesday|thursday|friday|saturday)/i }; var parseWeekdayPatterns = { any: [/^su/i, /^m/i, /^tu/i, /^w/i, /^th/i, /^f/i, /^sa/i] }; var matchMonthsPatterns = { short: /^(jan|feb|mar|apr|may|jun|jul|aug|sep|oct|nov|dec)/i, long: /^(january|february|march|april|may|june|july|august|september|october|november|december)/i }; var parseMonthPatterns = { any: [/^ja/i, /^f/i, /^mar/i, /^ap/i, /^may/i, /^jun/i, /^jul/i, /^au/i, /^s/i, /^o/i, /^n/i, /^d/i] }; // `timeOfDay` is used to designate which part of the day it is, when used with 12-hour clock. // Use the system which is used the most commonly in the locale. // For example, if the country doesn't use a.m./p.m., you can use `night`/`morning`/`afternoon`/`evening`: // // var matchTimesOfDayPatterns = { // long: /^((in the)? (night|morning|afternoon|evening?))/i // } // // var parseTimeOfDayPatterns = { // any: [/(night|morning)/i, /(afternoon|evening)/i] // } var matchTimesOfDayPatterns = { short: /^(am|pm)/i, long: /^([ap]\.?\s?m\.?)/i }; var parseTimeOfDayPatterns = { any: [/^a/i, /^p/i] }; var match = { ordinalNumbers: buildMatchPatternFn(matchOrdinalNumbersPattern), ordinalNumber: parseDecimal, weekdays: buildMatchFn(matchWeekdaysPatterns, 'long'), weekday: buildParseFn(parseWeekdayPatterns, 'any'), months: buildMatchFn(matchMonthsPatterns, 'long'), month: buildParseFn(parseMonthPatterns, 'any'), timesOfDay: buildMatchFn(matchTimesOfDayPatterns, 'long'), timeOfDay: buildParseFn(parseTimeOfDayPatterns, 'any') }; /** * @type {Locale} * @category Locales * @summary English locale (United States). * @language English * @iso-639-2 eng */ var locale = { formatDistance: formatDistance, formatLong: formatLong, formatRelative: formatRelative, localize: localize, match: match, options: { weekStartsOn: 0 /* Sunday */, firstWeekContainsDate: 1 } }; var MILLISECONDS_IN_DAY$1 = 86400000; // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function getUTCDayOfYear (dirtyDate, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var timestamp = date.getTime(); date.setUTCMonth(0, 1); date.setUTCHours(0, 0, 0, 0); var startOfYearTimestamp = date.getTime(); var difference = timestamp - startOfYearTimestamp; return Math.floor(difference / MILLISECONDS_IN_DAY$1) + 1 } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function startOfUTCISOWeek (dirtyDate, dirtyOptions) { var weekStartsOn = 1; var date = toDate(dirtyDate, dirtyOptions); var day = date.getUTCDay(); var diff = (day < weekStartsOn ? 7 : 0) + day - weekStartsOn; date.setUTCDate(date.getUTCDate() - diff); date.setUTCHours(0, 0, 0, 0); return date } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function getUTCISOWeekYear (dirtyDate, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var year = date.getUTCFullYear(); var fourthOfJanuaryOfNextYear = new Date(0); fourthOfJanuaryOfNextYear.setUTCFullYear(year + 1, 0, 4); fourthOfJanuaryOfNextYear.setUTCHours(0, 0, 0, 0); var startOfNextYear = startOfUTCISOWeek(fourthOfJanuaryOfNextYear, dirtyOptions); var fourthOfJanuaryOfThisYear = new Date(0); fourthOfJanuaryOfThisYear.setUTCFullYear(year, 0, 4); fourthOfJanuaryOfThisYear.setUTCHours(0, 0, 0, 0); var startOfThisYear = startOfUTCISOWeek(fourthOfJanuaryOfThisYear, dirtyOptions); if (date.getTime() >= startOfNextYear.getTime()) { return year + 1 } else if (date.getTime() >= startOfThisYear.getTime()) { return year } else { return year - 1 } } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function startOfUTCISOWeekYear (dirtyDate, dirtyOptions) { var year = getUTCISOWeekYear(dirtyDate, dirtyOptions); var fourthOfJanuary = new Date(0); fourthOfJanuary.setUTCFullYear(year, 0, 4); fourthOfJanuary.setUTCHours(0, 0, 0, 0); var date = startOfUTCISOWeek(fourthOfJanuary, dirtyOptions); return date } var MILLISECONDS_IN_WEEK$2 = 604800000; // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function getUTCISOWeek (dirtyDate, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var diff = startOfUTCISOWeek(date, dirtyOptions).getTime() - startOfUTCISOWeekYear(date, dirtyOptions).getTime(); // Round the number of days to the nearest integer // because the number of milliseconds in a week is not constant // (e.g. it's different in the week of the daylight saving time clock shift) return Math.round(diff / MILLISECONDS_IN_WEEK$2) + 1 } var formatters = { // Month: 1, 2, ..., 12 'M': function (date) { return date.getUTCMonth() + 1 }, // Month: 1st, 2nd, ..., 12th 'Mo': function (date, options) { var month = date.getUTCMonth() + 1; return options.locale.localize.ordinalNumber(month, {unit: 'month'}) }, // Month: 01, 02, ..., 12 'MM': function (date) { return addLeadingZeros(date.getUTCMonth() + 1, 2) }, // Month: Jan, Feb, ..., Dec 'MMM': function (date, options) { return options.locale.localize.month(date.getUTCMonth(), {type: 'short'}) }, // Month: January, February, ..., December 'MMMM': function (date, options) { return options.locale.localize.month(date.getUTCMonth(), {type: 'long'}) }, // Quarter: 1, 2, 3, 4 'Q': function (date) { return Math.ceil((date.getUTCMonth() + 1) / 3) }, // Quarter: 1st, 2nd, 3rd, 4th 'Qo': function (date, options) { var quarter = Math.ceil((date.getUTCMonth() + 1) / 3); return options.locale.localize.ordinalNumber(quarter, {unit: 'quarter'}) }, // Day of month: 1, 2, ..., 31 'D': function (date) { return date.getUTCDate() }, // Day of month: 1st, 2nd, ..., 31st 'Do': function (date, options) { return options.locale.localize.ordinalNumber(date.getUTCDate(), {unit: 'dayOfMonth'}) }, // Day of month: 01, 02, ..., 31 'DD': function (date) { return addLeadingZeros(date.getUTCDate(), 2) }, // Day of year: 1, 2, ..., 366 'DDD': function (date) { return getUTCDayOfYear(date) }, // Day of year: 1st, 2nd, ..., 366th 'DDDo': function (date, options) { return options.locale.localize.ordinalNumber(getUTCDayOfYear(date), {unit: 'dayOfYear'}) }, // Day of year: 001, 002, ..., 366 'DDDD': function (date) { return addLeadingZeros(getUTCDayOfYear(date), 3) }, // Day of week: Su, Mo, ..., Sa 'dd': function (date, options) { return options.locale.localize.weekday(date.getUTCDay(), {type: 'narrow'}) }, // Day of week: Sun, Mon, ..., Sat 'ddd': function (date, options) { return options.locale.localize.weekday(date.getUTCDay(), {type: 'short'}) }, // Day of week: Sunday, Monday, ..., Saturday 'dddd': function (date, options) { return options.locale.localize.weekday(date.getUTCDay(), {type: 'long'}) }, // Day of week: 0, 1, ..., 6 'd': function (date) { return date.getUTCDay() }, // Day of week: 0th, 1st, 2nd, ..., 6th 'do': function (date, options) { return options.locale.localize.ordinalNumber(date.getUTCDay(), {unit: 'dayOfWeek'}) }, // Day of ISO week: 1, 2, ..., 7 'E': function (date) { return date.getUTCDay() || 7 }, // ISO week: 1, 2, ..., 53 'W': function (date) { return getUTCISOWeek(date) }, // ISO week: 1st, 2nd, ..., 53th 'Wo': function (date, options) { return options.locale.localize.ordinalNumber(getUTCISOWeek(date), {unit: 'isoWeek'}) }, // ISO week: 01, 02, ..., 53 'WW': function (date) { return addLeadingZeros(getUTCISOWeek(date), 2) }, // Year: 00, 01, ..., 99 'YY': function (date) { return addLeadingZeros(date.getUTCFullYear(), 4).substr(2) }, // Year: 1900, 1901, ..., 2099 'YYYY': function (date) { return addLeadingZeros(date.getUTCFullYear(), 4) }, // ISO week-numbering year: 00, 01, ..., 99 'GG': function (date) { return String(getUTCISOWeekYear(date)).substr(2) }, // ISO week-numbering year: 1900, 1901, ..., 2099 'GGGG': function (date) { return getUTCISOWeekYear(date) }, // Hour: 0, 1, ... 23 'H': function (date) { return date.getUTCHours() }, // Hour: 00, 01, ..., 23 'HH': function (date) { return addLeadingZeros(date.getUTCHours(), 2) }, // Hour: 1, 2, ..., 12 'h': function (date) { var hours = date.getUTCHours(); if (hours === 0) { return 12 } else if (hours > 12) { return hours % 12 } else { return hours } }, // Hour: 01, 02, ..., 12 'hh': function (date) { return addLeadingZeros(formatters['h'](date), 2) }, // Minute: 0, 1, ..., 59 'm': function (date) { return date.getUTCMinutes() }, // Minute: 00, 01, ..., 59 'mm': function (date) { return addLeadingZeros(date.getUTCMinutes(), 2) }, // Second: 0, 1, ..., 59 's': function (date) { return date.getUTCSeconds() }, // Second: 00, 01, ..., 59 'ss': function (date) { return addLeadingZeros(date.getUTCSeconds(), 2) }, // 1/10 of second: 0, 1, ..., 9 'S': function (date) { return Math.floor(date.getUTCMilliseconds() / 100) }, // 1/100 of second: 00, 01, ..., 99 'SS': function (date) { return addLeadingZeros(Math.floor(date.getUTCMilliseconds() / 10), 2) }, // Millisecond: 000, 001, ..., 999 'SSS': function (date) { return addLeadingZeros(date.getUTCMilliseconds(), 3) }, // Timezone: -01:00, +00:00, ... +12:00 'Z': function (date, options) { var originalDate = options._originalDate || date; return formatTimezone(originalDate.getTimezoneOffset(), ':') }, // Timezone: -0100, +0000, ... +1200 'ZZ': function (date, options) { var originalDate = options._originalDate || date; return formatTimezone(originalDate.getTimezoneOffset()) }, // Seconds timestamp: 512969520 'X': function (date, options) { var originalDate = options._originalDate || date; return Math.floor(originalDate.getTime() / 1000) }, // Milliseconds timestamp: 512969520900 'x': function (date, options) { var originalDate = options._originalDate || date; return originalDate.getTime() }, // AM, PM 'A': function (date, options) { return options.locale.localize.timeOfDay(date.getUTCHours(), {type: 'uppercase'}) }, // am, pm 'a': function (date, options) { return options.locale.localize.timeOfDay(date.getUTCHours(), {type: 'lowercase'}) }, // a.m., p.m. 'aa': function (date, options) { return options.locale.localize.timeOfDay(date.getUTCHours(), {type: 'long'}) } }; function formatTimezone (offset, delimeter) { delimeter = delimeter || ''; var sign = offset > 0 ? '-' : '+'; var absOffset = Math.abs(offset); var hours = Math.floor(absOffset / 60); var minutes = absOffset % 60; return sign + addLeadingZeros(hours, 2) + delimeter + addLeadingZeros(minutes, 2) } function addLeadingZeros (number, targetLength) { var output = Math.abs(number).toString(); while (output.length < targetLength) { output = '0' + output; } return output } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function addUTCMinutes (dirtyDate, dirtyAmount, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var amount = Number(dirtyAmount); date.setUTCMinutes(date.getUTCMinutes() + amount); return date } var longFormattingTokensRegExp = /(\[[^[]*])|(\\)?(LTS|LT|LLLL|LLL|LL|L|llll|lll|ll|l)/g; var defaultFormattingTokensRegExp = /(\[[^[]*])|(\\)?(x|ss|s|mm|m|hh|h|do|dddd|ddd|dd|d|aa|a|ZZ|Z|YYYY|YY|X|Wo|WW|W|SSS|SS|S|Qo|Q|Mo|MMMM|MMM|MM|M|HH|H|GGGG|GG|E|Do|DDDo|DDDD|DDD|DD|D|A|.)/g; /** * @name format * @category Common Helpers * @summary Format the date. * * @description * Return the formatted date string in the given format. * * Accepted tokens: * | Unit | Token | Result examples | * |-------------------------|-------|----------------------------------| * | Month | M | 1, 2, ..., 12 | * | | Mo | 1st, 2nd, ..., 12th | * | | MM | 01, 02, ..., 12 | * | | MMM | Jan, Feb, ..., Dec | * | | MMMM | January, February, ..., December | * | Quarter | Q | 1, 2, 3, 4 | * | | Qo | 1st, 2nd, 3rd, 4th | * | Day of month | D | 1, 2, ..., 31 | * | | Do | 1st, 2nd, ..., 31st | * | | DD | 01, 02, ..., 31 | * | Day of year | DDD | 1, 2, ..., 366 | * | | DDDo | 1st, 2nd, ..., 366th | * | | DDDD | 001, 002, ..., 366 | * | Day of week | d | 0, 1, ..., 6 | * | | do | 0th, 1st, ..., 6th | * | | dd | Su, Mo, ..., Sa | * | | ddd | Sun, Mon, ..., Sat | * | | dddd | Sunday, Monday, ..., Saturday | * | Day of ISO week | E | 1, 2, ..., 7 | * | ISO week | W | 1, 2, ..., 53 | * | | Wo | 1st, 2nd, ..., 53rd | * | | WW | 01, 02, ..., 53 | * | Year | YY | 00, 01, ..., 99 | * | | YYYY | 1900, 1901, ..., 2099 | * | ISO week-numbering year | GG | 00, 01, ..., 99 | * | | GGGG | 1900, 1901, ..., 2099 | * | AM/PM | A | AM, PM | * | | a | am, pm | * | | aa | a.m., p.m. | * | Hour | H | 0, 1, ... 23 | * | | HH | 00, 01, ... 23 | * | | h | 1, 2, ..., 12 | * | | hh | 01, 02, ..., 12 | * | Minute | m | 0, 1, ..., 59 | * | | mm | 00, 01, ..., 59 | * | Second | s | 0, 1, ..., 59 | * | | ss | 00, 01, ..., 59 | * | 1/10 of second | S | 0, 1, ..., 9 | * | 1/100 of second | SS | 00, 01, ..., 99 | * | Millisecond | SSS | 000, 001, ..., 999 | * | Timezone | Z | -01:00, +00:00, ... +12:00 | * | | ZZ | -0100, +0000, ..., +1200 | * | Seconds timestamp | X | 512969520 | * | Milliseconds timestamp | x | 512969520900 | * | Long format | LT | 05:30 a.m. | * | | LTS | 05:30:15 a.m. | * | | L | 07/02/1995 | * | | l | 7/2/1995 | * | | LL | July 2 1995 | * | | ll | Jul 2 1995 | * | | LLL | July 2 1995 05:30 a.m. | * | | lll | Jul 2 1995 05:30 a.m. | * | | LLLL | Sunday, July 2 1995 05:30 a.m. | * | | llll | Sun, Jul 2 1995 05:30 a.m. | * * The characters wrapped in square brackets are escaped. * * The result may vary by locale. * * @param {Date|String|Number} date - the original date * @param {String} format - the string of tokens * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @param {Locale} [options.locale=defaultLocale] - the locale object. See [Locale]{@link https://date-fns.org/docs/Locale} * @returns {String} the formatted date string * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * @throws {RangeError} `options.locale` must contain `localize` property * @throws {RangeError} `options.locale` must contain `formatLong` property * * @example * // Represent 11 February 2014 in middle-endian format: * var result = format( * new Date(2014, 1, 11), * 'MM/DD/YYYY' * ) * //=> '02/11/2014' * * @example * // Represent 2 July 2014 in Esperanto: * import { eoLocale } from 'date-fns/locale/eo' * var result = format( * new Date(2014, 6, 2), * 'Do [de] MMMM YYYY', * {locale: eoLocale} * ) * //=> '2-a de julio 2014' */ function format (dirtyDate, dirtyFormatStr, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var formatStr = String(dirtyFormatStr); var options = dirtyOptions || {}; var locale$$1 = options.locale || locale; if (!locale$$1.localize) { throw new RangeError('locale must contain localize property') } if (!locale$$1.formatLong) { throw new RangeError('locale must contain formatLong property') } var localeFormatters = locale$$1.formatters || {}; var formattingTokensRegExp = locale$$1.formattingTokensRegExp || defaultFormattingTokensRegExp; var formatLong = locale$$1.formatLong; var originalDate = toDate(dirtyDate, options); if (!isValid(originalDate, options)) { return 'Invalid Date' } // Convert the date in system timezone to the same date in UTC+00:00 timezone. // This ensures that when UTC functions will be implemented, locales will be compatible with them. // See an issue about UTC functions: https://github.com/date-fns/date-fns/issues/376 var timezoneOffset = originalDate.getTimezoneOffset(); var utcDate = addUTCMinutes(originalDate, -timezoneOffset, options); var formatterOptions = cloneObject(options); formatterOptions.locale = locale$$1; formatterOptions.formatters = formatters; // When UTC functions will be implemented, options._originalDate will likely be a part of public API. // Right now, please don't use it in locales. If you have to use an original date, // please restore it from `date`, adding a timezone offset to it. formatterOptions._originalDate = originalDate; var result = formatStr .replace(longFormattingTokensRegExp, function (substring) { if (substring[0] === '[') { return substring } if (substring[0] === '\\') { return cleanEscapedString(substring) } return formatLong(substring) }) .replace(formattingTokensRegExp, function (substring) { var formatter = localeFormatters[substring] || formatters[substring]; if (formatter) { return formatter(utcDate, formatterOptions) } else { return cleanEscapedString(substring) } }); return result } function cleanEscapedString (input) { if (input.match(/\[[\s\S]/)) { return input.replace(/^\[|]$/g, '') } return input.replace(/\\/g, '') } /** * @name subMinutes * @category Minute Helpers * @summary Subtract the specified number of minutes from the given date. * * @description * Subtract the specified number of minutes from the given date. * * @param {Date|String|Number} date - the date to be changed * @param {Number} amount - the amount of minutes to be subtracted * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Date} the new date with the mintues subtracted * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Subtract 30 minutes from 10 July 2014 12:00:00: * var result = subMinutes(new Date(2014, 6, 10, 12, 0), 30) * //=> Thu Jul 10 2014 11:30:00 */ function subMinutes (dirtyDate, dirtyAmount, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var amount = Number(dirtyAmount); return addMinutes(dirtyDate, -amount, dirtyOptions) } /** * @name isAfter * @category Common Helpers * @summary Is the first date after the second one? * * @description * Is the first date after the second one? * * @param {Date|String|Number} date - the date that should be after the other one to return true * @param {Date|String|Number} dateToCompare - the date to compare with * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Boolean} the first date is after the second date * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Is 10 July 1989 after 11 February 1987? * var result = isAfter(new Date(1989, 6, 10), new Date(1987, 1, 11)) * //=> true */ function isAfter (dirtyDate, dirtyDateToCompare, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var date = toDate(dirtyDate, dirtyOptions); var dateToCompare = toDate(dirtyDateToCompare, dirtyOptions); return date.getTime() > dateToCompare.getTime() } /** * @name isBefore * @category Common Helpers * @summary Is the first date before the second one? * * @description * Is the first date before the second one? * * @param {Date|String|Number} date - the date that should be before the other one to return true * @param {Date|String|Number} dateToCompare - the date to compare with * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Boolean} the first date is before the second date * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Is 10 July 1989 before 11 February 1987? * var result = isBefore(new Date(1989, 6, 10), new Date(1987, 1, 11)) * //=> false */ function isBefore (dirtyDate, dirtyDateToCompare, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var date = toDate(dirtyDate, dirtyOptions); var dateToCompare = toDate(dirtyDateToCompare, dirtyOptions); return date.getTime() < dateToCompare.getTime() } /** * @name isEqual * @category Common Helpers * @summary Are the given dates equal? * * @description * Are the given dates equal? * * @param {Date|String|Number} dateLeft - the first date to compare * @param {Date|String|Number} dateRight - the second date to compare * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @returns {Boolean} the dates are equal * @throws {TypeError} 2 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * * @example * // Are 2 July 2014 06:30:45.000 and 2 July 2014 06:30:45.500 equal? * var result = isEqual( * new Date(2014, 6, 2, 6, 30, 45, 0) * new Date(2014, 6, 2, 6, 30, 45, 500) * ) * //=> false */ function isEqual (dirtyLeftDate, dirtyRightDate, dirtyOptions) { if (arguments.length < 2) { throw new TypeError('2 arguments required, but only ' + arguments.length + ' present') } var dateLeft = toDate(dirtyLeftDate, dirtyOptions); var dateRight = toDate(dirtyRightDate, dirtyOptions); return dateLeft.getTime() === dateRight.getTime() } var patterns$1 = { 'M': /^(1[0-2]|0?\d)/, // 0 to 12 'D': /^(3[0-1]|[0-2]?\d)/, // 0 to 31 'DDD': /^(36[0-6]|3[0-5]\d|[0-2]?\d?\d)/, // 0 to 366 'W': /^(5[0-3]|[0-4]?\d)/, // 0 to 53 'YYYY': /^(\d{1,4})/, // 0 to 9999 'H': /^(2[0-3]|[0-1]?\d)/, // 0 to 23 'm': /^([0-5]?\d)/, // 0 to 59 'Z': /^([+-])(\d{2}):(\d{2})/, 'ZZ': /^([+-])(\d{2})(\d{2})/, singleDigit: /^(\d)/, twoDigits: /^(\d{2})/, threeDigits: /^(\d{3})/, fourDigits: /^(\d{4})/, anyDigits: /^(\d+)/ }; function parseDecimal$1 (matchResult) { return parseInt(matchResult[1], 10) } var parsers = { // Year: 00, 01, ..., 99 'YY': { unit: 'twoDigitYear', match: patterns$1.twoDigits, parse: function (matchResult) { return parseDecimal$1(matchResult) } }, // Year: 1900, 1901, ..., 2099 'YYYY': { unit: 'year', match: patterns$1.YYYY, parse: parseDecimal$1 }, // ISO week-numbering year: 00, 01, ..., 99 'GG': { unit: 'isoYear', match: patterns$1.twoDigits, parse: function (matchResult) { return parseDecimal$1(matchResult) + 1900 } }, // ISO week-numbering year: 1900, 1901, ..., 2099 'GGGG': { unit: 'isoYear', match: patterns$1.YYYY, parse: parseDecimal$1 }, // Quarter: 1, 2, 3, 4 'Q': { unit: 'quarter', match: patterns$1.singleDigit, parse: parseDecimal$1 }, // Ordinal quarter 'Qo': { unit: 'quarter', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'quarter'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'quarter'}) } }, // Month: 1, 2, ..., 12 'M': { unit: 'month', match: patterns$1.M, parse: function (matchResult) { return parseDecimal$1(matchResult) - 1 } }, // Ordinal month 'Mo': { unit: 'month', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'month'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'month'}) - 1 } }, // Month: 01, 02, ..., 12 'MM': { unit: 'month', match: patterns$1.twoDigits, parse: function (matchResult) { return parseDecimal$1(matchResult) - 1 } }, // Month: Jan, Feb, ..., Dec 'MMM': { unit: 'month', match: function (string, options) { return options.locale.match.months(string, {type: 'short'}) }, parse: function (matchResult, options) { return options.locale.match.month(matchResult, {type: 'short'}) } }, // Month: January, February, ..., December 'MMMM': { unit: 'month', match: function (string, options) { return options.locale.match.months(string, {type: 'long'}) || options.locale.match.months(string, {type: 'short'}) }, parse: function (matchResult, options) { var parseResult = options.locale.match.month(matchResult, {type: 'long'}); if (parseResult == null) { parseResult = options.locale.match.month(matchResult, {type: 'short'}); } return parseResult } }, // ISO week: 1, 2, ..., 53 'W': { unit: 'isoWeek', match: patterns$1.W, parse: parseDecimal$1 }, // Ordinal ISO week 'Wo': { unit: 'isoWeek', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'isoWeek'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'isoWeek'}) } }, // ISO week: 01, 02, ..., 53 'WW': { unit: 'isoWeek', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // Day of week: 0, 1, ..., 6 'd': { unit: 'dayOfWeek', match: patterns$1.singleDigit, parse: parseDecimal$1 }, // Ordinal day of week 'do': { unit: 'dayOfWeek', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'dayOfWeek'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'dayOfWeek'}) } }, // Day of week: Su, Mo, ..., Sa 'dd': { unit: 'dayOfWeek', match: function (string, options) { return options.locale.match.weekdays(string, {type: 'narrow'}) }, parse: function (matchResult, options) { return options.locale.match.weekday(matchResult, {type: 'narrow'}) } }, // Day of week: Sun, Mon, ..., Sat 'ddd': { unit: 'dayOfWeek', match: function (string, options) { return options.locale.match.weekdays(string, {type: 'short'}) || options.locale.match.weekdays(string, {type: 'narrow'}) }, parse: function (matchResult, options) { var parseResult = options.locale.match.weekday(matchResult, {type: 'short'}); if (parseResult == null) { parseResult = options.locale.match.weekday(matchResult, {type: 'narrow'}); } return parseResult } }, // Day of week: Sunday, Monday, ..., Saturday 'dddd': { unit: 'dayOfWeek', match: function (string, options) { return options.locale.match.weekdays(string, {type: 'long'}) || options.locale.match.weekdays(string, {type: 'short'}) || options.locale.match.weekdays(string, {type: 'narrow'}) }, parse: function (matchResult, options) { var parseResult = options.locale.match.weekday(matchResult, {type: 'long'}); if (parseResult == null) { parseResult = options.locale.match.weekday(matchResult, {type: 'short'}); if (parseResult == null) { parseResult = options.locale.match.weekday(matchResult, {type: 'narrow'}); } } return parseResult } }, // Day of ISO week: 1, 2, ..., 7 'E': { unit: 'dayOfISOWeek', match: patterns$1.singleDigit, parse: function (matchResult) { return parseDecimal$1(matchResult) } }, // Day of month: 1, 2, ..., 31 'D': { unit: 'dayOfMonth', match: patterns$1.D, parse: parseDecimal$1 }, // Ordinal day of month 'Do': { unit: 'dayOfMonth', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'dayOfMonth'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'dayOfMonth'}) } }, // Day of month: 01, 02, ..., 31 'DD': { unit: 'dayOfMonth', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // Day of year: 1, 2, ..., 366 'DDD': { unit: 'dayOfYear', match: patterns$1.DDD, parse: parseDecimal$1 }, // Ordinal day of year 'DDDo': { unit: 'dayOfYear', match: function (string, options) { return options.locale.match.ordinalNumbers(string, {unit: 'dayOfYear'}) }, parse: function (matchResult, options) { return options.locale.match.ordinalNumber(matchResult, {unit: 'dayOfYear'}) } }, // Day of year: 001, 002, ..., 366 'DDDD': { unit: 'dayOfYear', match: patterns$1.threeDigits, parse: parseDecimal$1 }, // AM, PM 'A': { unit: 'timeOfDay', match: function (string, options) { return options.locale.match.timesOfDay(string, {type: 'short'}) }, parse: function (matchResult, options) { return options.locale.match.timeOfDay(matchResult, {type: 'short'}) } }, // a.m., p.m. 'aa': { unit: 'timeOfDay', match: function (string, options) { return options.locale.match.timesOfDay(string, {type: 'long'}) || options.locale.match.timesOfDay(string, {type: 'short'}) }, parse: function (matchResult, options) { var parseResult = options.locale.match.timeOfDay(matchResult, {type: 'long'}); if (parseResult == null) { parseResult = options.locale.match.timeOfDay(matchResult, {type: 'short'}); } return parseResult } }, // Hour: 0, 1, ... 23 'H': { unit: 'hours', match: patterns$1.H, parse: parseDecimal$1 }, // Hour: 00, 01, ..., 23 'HH': { unit: 'hours', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // Hour: 1, 2, ..., 12 'h': { unit: 'timeOfDayHours', match: patterns$1.M, parse: parseDecimal$1 }, // Hour: 01, 02, ..., 12 'hh': { unit: 'timeOfDayHours', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // Minute: 0, 1, ..., 59 'm': { unit: 'minutes', match: patterns$1.m, parse: parseDecimal$1 }, // Minute: 00, 01, ..., 59 'mm': { unit: 'minutes', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // Second: 0, 1, ..., 59 's': { unit: 'seconds', match: patterns$1.m, parse: parseDecimal$1 }, // Second: 00, 01, ..., 59 'ss': { unit: 'seconds', match: patterns$1.twoDigits, parse: parseDecimal$1 }, // 1/10 of second: 0, 1, ..., 9 'S': { unit: 'milliseconds', match: patterns$1.singleDigit, parse: function (matchResult) { return parseDecimal$1(matchResult) * 100 } }, // 1/100 of second: 00, 01, ..., 99 'SS': { unit: 'milliseconds', match: patterns$1.twoDigits, parse: function (matchResult) { return parseDecimal$1(matchResult) * 10 } }, // Millisecond: 000, 001, ..., 999 'SSS': { unit: 'milliseconds', match: patterns$1.threeDigits, parse: parseDecimal$1 }, // Timezone: -01:00, +00:00, ... +12:00 'Z': { unit: 'timezone', match: patterns$1.Z, parse: function (matchResult) { var sign = matchResult[1]; var hours = parseInt(matchResult[2], 10); var minutes = parseInt(matchResult[3], 10); var absoluteOffset = hours * 60 + minutes; return (sign === '+') ? absoluteOffset : -absoluteOffset } }, // Timezone: -0100, +0000, ... +1200 'ZZ': { unit: 'timezone', match: patterns$1.ZZ, parse: function (matchResult) { var sign = matchResult[1]; var hours = parseInt(matchResult[2], 10); var minutes = parseInt(matchResult[3], 10); var absoluteOffset = hours * 60 + minutes; return (sign === '+') ? absoluteOffset : -absoluteOffset } }, // Seconds timestamp: 512969520 'X': { unit: 'timestamp', match: patterns$1.anyDigits, parse: function (matchResult) { return parseDecimal$1(matchResult) * 1000 } }, // Milliseconds timestamp: 512969520900 'x': { unit: 'timestamp', match: patterns$1.anyDigits, parse: parseDecimal$1 } }; parsers['a'] = parsers['A']; // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function setUTCDay (dirtyDate, dirtyDay, dirtyOptions) { var options = dirtyOptions || {}; var locale = options.locale; var localeWeekStartsOn = locale && locale.options && locale.options.weekStartsOn; var defaultWeekStartsOn = localeWeekStartsOn === undefined ? 0 : Number(localeWeekStartsOn); var weekStartsOn = options.weekStartsOn === undefined ? defaultWeekStartsOn : Number(options.weekStartsOn); // Test if weekStartsOn is between 0 and 6 _and_ is not NaN if (!(weekStartsOn >= 0 && weekStartsOn <= 6)) { throw new RangeError('weekStartsOn must be between 0 and 6 inclusively') } var date = toDate(dirtyDate, dirtyOptions); var day = Number(dirtyDay); var currentDay = date.getUTCDay(); var remainder = day % 7; var dayIndex = (remainder + 7) % 7; var diff = (dayIndex < weekStartsOn ? 7 : 0) + day - currentDay; date.setUTCDate(date.getUTCDate() + diff); return date } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function setUTCISODay (dirtyDate, dirtyDay, dirtyOptions) { var day = Number(dirtyDay); if (day % 7 === 0) { day = day - 7; } var weekStartsOn = 1; var date = toDate(dirtyDate, dirtyOptions); var currentDay = date.getUTCDay(); var remainder = day % 7; var dayIndex = (remainder + 7) % 7; var diff = (dayIndex < weekStartsOn ? 7 : 0) + day - currentDay; date.setUTCDate(date.getUTCDate() + diff); return date } // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function setUTCISOWeek (dirtyDate, dirtyISOWeek, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var isoWeek = Number(dirtyISOWeek); var diff = getUTCISOWeek(date, dirtyOptions) - isoWeek; date.setUTCDate(date.getUTCDate() - diff * 7); return date } var MILLISECONDS_IN_DAY$3 = 86400000; // This function will be a part of public API when UTC function will be implemented. // See issue: https://github.com/date-fns/date-fns/issues/376 function setUTCISOWeekYear (dirtyDate, dirtyISOYear, dirtyOptions) { var date = toDate(dirtyDate, dirtyOptions); var isoYear = Number(dirtyISOYear); var dateStartOfYear = startOfUTCISOWeekYear(date, dirtyOptions); var diff = Math.floor((date.getTime() - dateStartOfYear.getTime()) / MILLISECONDS_IN_DAY$3); var fourthOfJanuary = new Date(0); fourthOfJanuary.setUTCFullYear(isoYear, 0, 4); fourthOfJanuary.setUTCHours(0, 0, 0, 0); date = startOfUTCISOWeekYear(fourthOfJanuary, dirtyOptions); date.setUTCDate(date.getUTCDate() + diff); return date } var MILLISECONDS_IN_MINUTE$6 = 60000; function setTimeOfDay (hours, timeOfDay) { var isAM = timeOfDay === 0; if (isAM) { if (hours === 12) { return 0 } } else { if (hours !== 12) { return 12 + hours } } return hours } var units = { twoDigitYear: { priority: 10, set: function (dateValues, value) { var century = Math.floor(dateValues.date.getUTCFullYear() / 100); var year = century * 100 + value; dateValues.date.setUTCFullYear(year, 0, 1); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, year: { priority: 10, set: function (dateValues, value) { dateValues.date.setUTCFullYear(value, 0, 1); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, isoYear: { priority: 10, set: function (dateValues, value, options) { dateValues.date = startOfUTCISOWeekYear(setUTCISOWeekYear(dateValues.date, value, options), options); return dateValues } }, quarter: { priority: 20, set: function (dateValues, value) { dateValues.date.setUTCMonth((value - 1) * 3, 1); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, month: { priority: 30, set: function (dateValues, value) { dateValues.date.setUTCMonth(value, 1); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, isoWeek: { priority: 40, set: function (dateValues, value, options) { dateValues.date = startOfUTCISOWeek(setUTCISOWeek(dateValues.date, value, options), options); return dateValues } }, dayOfWeek: { priority: 50, set: function (dateValues, value, options) { dateValues.date = setUTCDay(dateValues.date, value, options); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, dayOfISOWeek: { priority: 50, set: function (dateValues, value, options) { dateValues.date = setUTCISODay(dateValues.date, value, options); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, dayOfMonth: { priority: 50, set: function (dateValues, value) { dateValues.date.setUTCDate(value); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, dayOfYear: { priority: 50, set: function (dateValues, value) { dateValues.date.setUTCMonth(0, value); dateValues.date.setUTCHours(0, 0, 0, 0); return dateValues } }, timeOfDay: { priority: 60, set: function (dateValues, value, options) { dateValues.timeOfDay = value; return dateValues } }, hours: { priority: 70, set: function (dateValues, value, options) { dateValues.date.setUTCHours(value, 0, 0, 0); return dateValues } }, timeOfDayHours: { priority: 70, set: function (dateValues, value, options) { var timeOfDay = dateValues.timeOfDay; if (timeOfDay != null) { value = setTimeOfDay(value, timeOfDay); } dateValues.date.setUTCHours(value, 0, 0, 0); return dateValues } }, minutes: { priority: 80, set: function (dateValues, value) { dateValues.date.setUTCMinutes(value, 0, 0); return dateValues } }, seconds: { priority: 90, set: function (dateValues, value) { dateValues.date.setUTCSeconds(value, 0); return dateValues } }, milliseconds: { priority: 100, set: function (dateValues, value) { dateValues.date.setUTCMilliseconds(value); return dateValues } }, timezone: { priority: 110, set: function (dateValues, value) { dateValues.date = new Date(dateValues.date.getTime() - value * MILLISECONDS_IN_MINUTE$6); return dateValues } }, timestamp: { priority: 120, set: function (dateValues, value) { dateValues.date = new Date(value); return dateValues } } }; var TIMEZONE_UNIT_PRIORITY = 110; var MILLISECONDS_IN_MINUTE$7 = 60000; var longFormattingTokensRegExp$1 = /(\[[^[]*])|(\\)?(LTS|LT|LLLL|LLL|LL|L|llll|lll|ll|l)/g; var defaultParsingTokensRegExp = /(\[[^[]*])|(\\)?(x|ss|s|mm|m|hh|h|do|dddd|ddd|dd|d|aa|a|ZZ|Z|YYYY|YY|X|Wo|WW|W|SSS|SS|S|Qo|Q|Mo|MMMM|MMM|MM|M|HH|H|GGGG|GG|E|Do|DDDo|DDDD|DDD|DD|D|A|.)/g; /** * @name parse * @category Common Helpers * @summary Parse the date. * * @description * Return the date parsed from string using the given format. * * Accepted format tokens: * | Unit | Priority | Token | Input examples | * |-------------------------|----------|-------|----------------------------------| * | Year | 10 | YY | 00, 01, ..., 99 | * | | | YYYY | 1900, 1901, ..., 2099 | * | ISO week-numbering year | 10 | GG | 00, 01, ..., 99 | * | | | GGGG | 1900, 1901, ..., 2099 | * | Quarter | 20 | Q | 1, 2, 3, 4 | * | | | Qo | 1st, 2nd, 3rd, 4th | * | Month | 30 | M | 1, 2, ..., 12 | * | | | Mo | 1st, 2nd, ..., 12th | * | | | MM | 01, 02, ..., 12 | * | | | MMM | Jan, Feb, ..., Dec | * | | | MMMM | January, February, ..., December | * | ISO week | 40 | W | 1, 2, ..., 53 | * | | | Wo | 1st, 2nd, ..., 53rd | * | | | WW | 01, 02, ..., 53 | * | Day of week | 50 | d | 0, 1, ..., 6 | * | | | do | 0th, 1st, ..., 6th | * | | | dd | Su, Mo, ..., Sa | * | | | ddd | Sun, Mon, ..., Sat | * | | | dddd | Sunday, Monday, ..., Saturday | * | Day of ISO week | 50 | E | 1, 2, ..., 7 | * | Day of month | 50 | D | 1, 2, ..., 31 | * | | | Do | 1st, 2nd, ..., 31st | * | | | DD | 01, 02, ..., 31 | * | Day of year | 50 | DDD | 1, 2, ..., 366 | * | | | DDDo | 1st, 2nd, ..., 366th | * | | | DDDD | 001, 002, ..., 366 | * | Time of day | 60 | A | AM, PM | * | | | a | am, pm | * | | | aa | a.m., p.m. | * | Hour | 70 | H | 0, 1, ... 23 | * | | | HH | 00, 01, ... 23 | * | Time of day hour | 70 | h | 1, 2, ..., 12 | * | | | hh | 01, 02, ..., 12 | * | Minute | 80 | m | 0, 1, ..., 59 | * | | | mm | 00, 01, ..., 59 | * | Second | 90 | s | 0, 1, ..., 59 | * | | | ss | 00, 01, ..., 59 | * | 1/10 of second | 100 | S | 0, 1, ..., 9 | * | 1/100 of second | 100 | SS | 00, 01, ..., 99 | * | Millisecond | 100 | SSS | 000, 001, ..., 999 | * | Timezone | 110 | Z | -01:00, +00:00, ... +12:00 | * | | | ZZ | -0100, +0000, ..., +1200 | * | Seconds timestamp | 120 | X | 512969520 | * | Milliseconds timestamp | 120 | x | 512969520900 | * * Values will be assigned to the date in the ascending order of its unit's priority. * Units of an equal priority overwrite each other in the order of appearance. * * If no values of higher priority are parsed (e.g. when parsing string 'January 1st' without a year), * the values will be taken from 3rd argument `baseDate` which works as a context of parsing. * * `baseDate` must be passed for correct work of the function. * If you're not sure which `baseDate` to supply, create a new instance of Date: * `parse('02/11/2014', 'MM/DD/YYYY', new Date())` * In this case parsing will be done in the context of the current date. * If `baseDate` is `Invalid Date` or a value not convertible to valid `Date`, * then `Invalid Date` will be returned. * * Also, `parse` unfolds long formats like those in [format]{@link https://date-fns.org/docs/format}: * | Token | Input examples | * |-------|--------------------------------| * | LT | 05:30 a.m. | * | LTS | 05:30:15 a.m. | * | L | 07/02/1995 | * | l | 7/2/1995 | * | LL | July 2 1995 | * | ll | Jul 2 1995 | * | LLL | July 2 1995 05:30 a.m. | * | lll | Jul 2 1995 05:30 a.m. | * | LLLL | Sunday, July 2 1995 05:30 a.m. | * | llll | Sun, Jul 2 1995 05:30 a.m. | * * The characters wrapped in square brackets in the format string are escaped. * * The result may vary by locale. * * If `formatString` matches with `dateString` but does not provides tokens, `baseDate` will be returned. * * If parsing failed, `Invalid Date` will be returned. * Invalid Date is a Date, whose time value is NaN. * Time value of Date: http://es5.github.io/#x15.9.1.1 * * @param {String} dateString - the string to parse * @param {String} formatString - the string of tokens * @param {Date|String|Number} baseDate - the date to took the missing higher priority values from * @param {Options} [options] - the object with options. See [Options]{@link https://date-fns.org/docs/Options} * @param {0|1|2} [options.additionalDigits=2] - passed to `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} * @param {Locale} [options.locale=defaultLocale] - the locale object. See [Locale]{@link https://date-fns.org/docs/Locale} * @param {0|1|2|3|4|5|6} [options.weekStartsOn=0] - the index of the first day of the week (0 - Sunday) * @returns {Date} the parsed date * @throws {TypeError} 3 arguments required * @throws {RangeError} `options.additionalDigits` must be 0, 1 or 2 * @throws {RangeError} `options.weekStartsOn` must be between 0 and 6 * @throws {RangeError} `options.locale` must contain `match` property * @throws {RangeError} `options.locale` must contain `formatLong` property * * @example * // Parse 11 February 2014 from middle-endian format: * var result = parse( * '02/11/2014', * 'MM/DD/YYYY', * new Date() * ) * //=> Tue Feb 11 2014 00:00:00 * * @example * // Parse 28th of February in English locale in the context of 2010 year: * import eoLocale from 'date-fns/locale/eo' * var result = parse( * '28-a de februaro', * 'Do [de] MMMM', * new Date(2010, 0, 1) * {locale: eoLocale} * ) * //=> Sun Feb 28 2010 00:00:00 */ function parse (dirtyDateString, dirtyFormatString, dirtyBaseDate, dirtyOptions) { if (arguments.length < 3) { throw new TypeError('3 arguments required, but only ' + arguments.length + ' present') } var dateString = String(dirtyDateString); var options = dirtyOptions || {}; var weekStartsOn = options.weekStartsOn === undefined ? 0 : Number(options.weekStartsOn); // Test if weekStartsOn is between 0 and 6 _and_ is not NaN if (!(weekStartsOn >= 0 && weekStartsOn <= 6)) { throw new RangeError('weekStartsOn must be between 0 and 6 inclusively') } var locale$$1 = options.locale || locale; var localeParsers = locale$$1.parsers || {}; var localeUnits = locale$$1.units || {}; if (!locale$$1.match) { throw new RangeError('locale must contain match property') } if (!locale$$1.formatLong) { throw new RangeError('locale must contain formatLong property') } var formatString = String(dirtyFormatString) .replace(longFormattingTokensRegExp$1, function (substring) { if (substring[0] === '[') { return substring } if (substring[0] === '\\') { return cleanEscapedString$1(substring) } return locale$$1.formatLong(substring) }); if (formatString === '') { if (dateString === '') { return toDate(dirtyBaseDate, options) } else { return new Date(NaN) } } var subFnOptions = cloneObject(options); subFnOptions.locale = locale$$1; var tokens = formatString.match(locale$$1.parsingTokensRegExp || defaultParsingTokensRegExp); var tokensLength = tokens.length; // If timezone isn't specified, it will be set to the system timezone var setters = [{ priority: TIMEZONE_UNIT_PRIORITY, set: dateToSystemTimezone, index: 0 }]; var i; for (i = 0; i < tokensLength; i++) { var token = tokens[i]; var parser = localeParsers[token] || parsers[token]; if (parser) { var matchResult; if (parser.match instanceof RegExp) { matchResult = parser.match.exec(dateString); } else { matchResult = parser.match(dateString, subFnOptions); } if (!matchResult) { return new Date(NaN) } var unitName = parser.unit; var unit = localeUnits[unitName] || units[unitName]; setters.push({ priority: unit.priority, set: unit.set, value: parser.parse(matchResult, subFnOptions), index: setters.length }); var substring = matchResult[0]; dateString = dateString.slice(substring.length); } else { var head = tokens[i].match(/^\[.*]$/) ? tokens[i].replace(/^\[|]$/g, '') : tokens[i]; if (dateString.indexOf(head) === 0) { dateString = dateString.slice(head.length); } else { return new Date(NaN) } } } var uniquePrioritySetters = setters .map(function (setter) { return setter.priority }) .sort(function (a, b) { return a - b }) .filter(function (priority, index, array) { return array.indexOf(priority) === index }) .map(function (priority) { return setters .filter(function (setter) { return setter.priority === priority }) .reverse() }) .map(function (setterArray) { return setterArray[0] }); var date = toDate(dirtyBaseDate, options); if (isNaN(date)) { return new Date(NaN) } // Convert the date in system timezone to the same date in UTC+00:00 timezone. // This ensures that when UTC functions will be implemented, locales will be compatible with them. // See an issue about UTC functions: https://github.com/date-fns/date-fns/issues/37 var utcDate = subMinutes(date, date.getTimezoneOffset()); var dateValues = {date: utcDate}; var settersLength = uniquePrioritySetters.length; for (i = 0; i < settersLength; i++) { var setter = uniquePrioritySetters[i]; dateValues = setter.set(dateValues, setter.value, subFnOptions); } return dateValues.date } function dateToSystemTimezone (dateValues) { var date = dateValues.date; var time = date.getTime(); // Get the system timezone offset at (moment of time - offset) var offset = date.getTimezoneOffset(); // Get the system timezone offset at the exact moment of time offset = new Date(time + offset * MILLISECONDS_IN_MINUTE$7).getTimezoneOffset(); // Convert date in timezone "UTC+00:00" to the system timezone dateValues.date = new Date(time + offset * MILLISECONDS_IN_MINUTE$7); return dateValues } function cleanEscapedString$1 (input) { if (input.match(/\[[\s\S]/)) { return input.replace(/^\[|]$/g, '') } return input.replace(/\\/g, '') } // This file is generated automatically by `scripts/build/indices.js`. Please, don't change it. // /** * Custom parse behavior on top of date-fns parse function. */ function parseDate$1 (date, format$$1) { if (typeof date !== 'string') { return isValid(date) ? date : null; } var parsed = parse(date, format$$1, new Date()); // if date is not valid or the formatted output after parsing does not match // the string value passed in (avoids overflows) if (!isValid(parsed) || format(parsed, format$$1) !== date) { return null; } return parsed; } var afterValidator = function (value, ref) { if ( ref === void 0 ) ref = {}; var targetValue = ref.targetValue; var inclusion = ref.inclusion; if ( inclusion === void 0 ) inclusion = false; var format$$1 = ref.format; if (typeof format$$1 === 'undefined') { format$$1 = inclusion; inclusion = false; } value = parseDate$1(value, format$$1); targetValue = parseDate$1(targetValue, format$$1); // if either is not valid. if (!value || !targetValue) { return false; } return isAfter(value, targetValue) || (inclusion && isEqual(value, targetValue)); }; var options = { hasTarget: true, isDate: true }; // required to convert from a list of array values to an object. var paramNames = ['targetValue', 'inclusion', 'format']; var after = { validate: afterValidator, options: options, paramNames: paramNames }; /** * Some Alpha Regex helpers. * https://github.com/chriso/validator.js/blob/master/src/lib/alpha.js */ var alpha = { en: /^[A-Z]*$/i, cs: /^[A-ZÁČĎÉĚÍŇÓŘŠŤÚŮÝŽ]*$/i, da: /^[A-ZÆØÅ]*$/i, de: /^[A-ZÄÖÜß]*$/i, es: /^[A-ZÁÉÍÑÓÚÜ]*$/i, fr: /^[A-ZÀÂÆÇÉÈÊËÏÎÔŒÙÛÜŸ]*$/i, lt: /^[A-ZĄČĘĖĮŠŲŪŽ]*$/i, nl: /^[A-ZÉËÏÓÖÜ]*$/i, hu: /^[A-ZÁÉÍÓÖŐÚÜŰ]*$/i, pl: /^[A-ZĄĆĘŚŁŃÓŻŹ]*$/i, pt: /^[A-ZÃÁÀÂÇÉÊÍÕÓÔÚÜ]*$/i, ru: /^[А-ЯЁ]*$/i, sk: /^[A-ZÁÄČĎÉÍĹĽŇÓŔŠŤÚÝŽ]*$/i, sr: /^[A-ZČĆŽŠĐ]*$/i, sv: /^[A-ZÅÄÖ]*$/i, tr: /^[A-ZÇĞİıÖŞÜ]*$/i, uk: /^[А-ЩЬЮЯЄІЇҐ]*$/i, ar: /^[ءآأؤإئابةتثجحخدذرزسشصضطظعغفقكلمنهوىيًٌٍَُِّْٰ]*$/, az: /^[A-ZÇƏĞİıÖŞÜ]*$/i }; var alphaSpaces = { en: /^[A-Z\s]*$/i, cs: /^[A-ZÁČĎÉĚÍŇÓŘŠŤÚŮÝŽ\s]*$/i, da: /^[A-ZÆØÅ\s]*$/i, de: /^[A-ZÄÖÜß\s]*$/i, es: /^[A-ZÁÉÍÑÓÚÜ\s]*$/i, fr: /^[A-ZÀÂÆÇÉÈÊËÏÎÔŒÙÛÜŸ\s]*$/i, lt: /^[A-ZĄČĘĖĮŠŲŪŽ\s]*$/i, nl: /^[A-ZÉËÏÓÖÜ\s]*$/i, hu: /^[A-ZÁÉÍÓÖŐÚÜŰ\s]*$/i, pl: /^[A-ZĄĆĘŚŁŃÓŻŹ\s]*$/i, pt: /^[A-ZÃÁÀÂÇÉÊÍÕÓÔÚÜ\s]*$/i, ru: /^[А-ЯЁ\s]*$/i, sk: /^[A-ZÁÄČĎÉÍĹĽŇÓŔŠŤÚÝŽ\s]*$/i, sr: /^[A-ZČĆŽŠĐ\s]*$/i, sv: /^[A-ZÅÄÖ\s]*$/i, tr: /^[A-ZÇĞİıÖŞÜ\s]*$/i, uk: /^[А-ЩЬЮЯЄІЇҐ\s]*$/i, ar: /^[ءآأؤإئابةتثجحخدذرزسشصضطظعغفقكلمنهوىيًٌٍَُِّْٰ\s]*$/, az: /^[A-ZÇƏĞİıÖŞÜ\s]*$/i }; var alphanumeric = { en: /^[0-9A-Z]*$/i, cs: /^[0-9A-ZÁČĎÉĚÍŇÓŘŠŤÚŮÝŽ]*$/i, da: /^[0-9A-ZÆØÅ]$/i, de: /^[0-9A-ZÄÖÜß]*$/i, es: /^[0-9A-ZÁÉÍÑÓÚÜ]*$/i, fr: /^[0-9A-ZÀÂÆÇÉÈÊËÏÎÔŒÙÛÜŸ]*$/i, lt: /^[0-9A-ZĄČĘĖĮŠŲŪŽ]*$/i, hu: /^[0-9A-ZÁÉÍÓÖŐÚÜŰ]*$/i, nl: /^[0-9A-ZÉËÏÓÖÜ]*$/i, pl: /^[0-9A-ZĄĆĘŚŁŃÓŻŹ]*$/i, pt: /^[0-9A-ZÃÁÀÂÇÉÊÍÕÓÔÚÜ]*$/i, ru: /^[0-9А-ЯЁ]*$/i, sk: /^[0-9A-ZÁÄČĎÉÍĹĽŇÓŔŠŤÚÝŽ]*$/i, sr: /^[0-9A-ZČĆŽŠĐ]*$/i, sv: /^[0-9A-ZÅÄÖ]*$/i, tr: /^[0-9A-ZÇĞİıÖŞÜ]*$/i, uk: /^[0-9А-ЩЬЮЯЄІЇҐ]*$/i, ar: /^[٠١٢٣٤٥٦٧٨٩0-9ءآأؤإئابةتثجحخدذرزسشصضطظعغفقكلمنهوىيًٌٍَُِّْٰ]*$/, az: /^[0-9A-ZÇƏĞİıÖŞÜ]*$/i }; var alphaDash = { en: /^[0-9A-Z_-]*$/i, cs: /^[0-9A-ZÁČĎÉĚÍŇÓŘŠŤÚŮÝŽ_-]*$/i, da: /^[0-9A-ZÆØÅ_-]*$/i, de: /^[0-9A-ZÄÖÜß_-]*$/i, es: /^[0-9A-ZÁÉÍÑÓÚÜ_-]*$/i, fr: /^[0-9A-ZÀÂÆÇÉÈÊËÏÎÔŒÙÛÜŸ_-]*$/i, lt: /^[0-9A-ZĄČĘĖĮŠŲŪŽ_-]*$/i, nl: /^[0-9A-ZÉËÏÓÖÜ_-]*$/i, hu: /^[0-9A-ZÁÉÍÓÖŐÚÜŰ_-]*$/i, pl: /^[0-9A-ZĄĆĘŚŁŃÓŻŹ_-]*$/i, pt: /^[0-9A-ZÃÁÀÂÇÉÊÍÕÓÔÚÜ_-]*$/i, ru: /^[0-9А-ЯЁ_-]*$/i, sk: /^[0-9A-ZÁÄČĎÉÍĹĽŇÓŔŠŤÚÝŽ_-]*$/i, sr: /^[0-9A-ZČĆŽŠĐ_-]*$/i, sv: /^[0-9A-ZÅÄÖ_-]*$/i, tr: /^[0-9A-ZÇĞİıÖŞÜ_-]*$/i, uk: /^[0-9А-ЩЬЮЯЄІЇҐ_-]*$/i, ar: /^[٠١٢٣٤٥٦٧٨٩0-9ءآأؤإئابةتثجحخدذرزسشصضطظعغفقكلمنهوىيًٌٍَُِّْٰ_-]*$/, az: /^[0-9A-ZÇƏĞİıÖŞÜ_-]*$/i }; var validate = function (value, ref) { if ( ref === void 0 ) ref = {}; var locale = ref.locale; if (Array.isArray(value)) { return value.every(function (val) { return validate(val, [locale]); }); } // Match at least one locale. if (! locale) { return Object.keys(alpha).some(function (loc) { return alpha[loc].test(value); }); } return (alpha[locale] || alpha.en).test(value); }; var paramNames$1 = ['locale']; var alpha$1 = { validate: validate, paramNames: paramNames$1 }; var validate$1 = function (value, ref) { if ( ref === void 0 ) ref = {}; var locale = ref.locale; if (Array.isArray(value)) { return value.every(function (val) { return validate$1(val, [locale]); }); } // Match at least one locale. if (! locale) { return Object.keys(alphaDash).some(function (loc) { return alphaDash[loc].test(value); }); } return (alphaDash[locale] || alphaDash.en).test(value); }; var paramNames$2 = ['locale']; var alpha_dash = { validate: validate$1, paramNames: paramNames$2 }; var validate$2 = function (value, ref) { if ( ref === void 0 ) ref = {}; var locale = ref.locale; if (Array.isArray(value)) { return value.every(function (val) { return validate$2(val, [locale]); }); } // Match at least one locale. if (! locale) { return Object.keys(alphanumeric).some(function (loc) { return alphanumeric[loc].test(value); }); } return (alphanumeric[locale] || alphanumeric.en).test(value); }; var paramNames$3 = ['locale']; var alpha_num = { validate: validate$2, paramNames: paramNames$3 }; var validate$3 = function (value, ref) { if ( ref === void 0 ) ref = {}; var locale = ref.locale; if (Array.isArray(value)) { return value.every(function (val) { return validate$3(val, [locale]); }); } // Match at least one locale. if (! locale) { return Object.keys(alphaSpaces).some(function (loc) { return alphaSpaces[loc].test(value); }); } return (alphaSpaces[locale] || alphaSpaces.en).test(value); }; var paramNames$4 = ['locale']; var alpha_spaces = { validate: validate$3, paramNames: paramNames$4 }; var validate$4 = function (value, ref) { if ( ref === void 0 ) ref = {}; var targetValue = ref.targetValue; var inclusion = ref.inclusion; if ( inclusion === void 0 ) inclusion = false; var format$$1 = ref.format; if (typeof format$$1 === 'undefined') { format$$1 = inclusion; inclusion = false; } value = parseDate$1(value, format$$1); targetValue = parseDate$1(targetValue, format$$1); // if either is not valid. if (!value || !targetValue) { return false; } return isBefore(value, targetValue) || (inclusion && isEqual(value, targetValue)); }; var options$1 = { hasTarget: true, isDate: true }; var paramNames$5 = ['targetValue', 'inclusion', 'format']; var before = { validate: validate$4, options: options$1, paramNames: paramNames$5 }; var validate$5 = function (value, ref) { if ( ref === void 0 ) ref = {}; var min = ref.min; var max = ref.max; if (Array.isArray(value)) { return value.every(function (val) { return validate$5(val, { min: min, max: max }); }); } return Number(min) <= value && Number(max) >= value; }; var paramNames$6 = ['min', 'max']; var between = { validate: validate$5, paramNames: paramNames$6 }; var validate$6 = function (value, ref) { var targetValue = ref.targetValue; return String(value) === String(targetValue); }; var options$2 = { hasTarget: true }; var paramNames$7 = ['targetValue']; var confirmed = { validate: validate$6, options: options$2, paramNames: paramNames$7 }; function unwrapExports (x) { return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x.default : x; } function createCommonjsModule(fn, module) { return module = { exports: {} }, fn(module, module.exports), module.exports; } var assertString_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; exports.default = assertString; function assertString(input) { var isString = typeof input === 'string' || input instanceof String; if (!isString) { var invalidType = void 0; if (input === null) { invalidType = 'null'; } else { invalidType = typeof input === 'undefined' ? 'undefined' : _typeof(input); if (invalidType === 'object' && input.constructor && input.constructor.hasOwnProperty('name')) { invalidType = input.constructor.name; } else { invalidType = 'a ' + invalidType; } } throw new TypeError('Expected string but received ' + invalidType + '.'); } } module.exports = exports['default']; }); unwrapExports(assertString_1); var isCreditCard_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = isCreditCard; var _assertString2 = _interopRequireDefault(assertString_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } /* eslint-disable max-len */ var creditCard = /^(?:4[0-9]{12}(?:[0-9]{3})?|5[1-5][0-9]{14}|(222[1-9]|22[3-9][0-9]|2[3-6][0-9]{2}|27[01][0-9]|2720)[0-9]{12}|6(?:011|5[0-9][0-9])[0-9]{12}|3[47][0-9]{13}|3(?:0[0-5]|[68][0-9])[0-9]{11}|(?:2131|1800|35\d{3})\d{11}|6[27][0-9]{14})$/; /* eslint-enable max-len */ function isCreditCard(str) { (0, _assertString2.default)(str); var sanitized = str.replace(/[- ]+/g, ''); if (!creditCard.test(sanitized)) { return false; } var sum = 0; var digit = void 0; var tmpNum = void 0; var shouldDouble = void 0; for (var i = sanitized.length - 1; i >= 0; i--) { digit = sanitized.substring(i, i + 1); tmpNum = parseInt(digit, 10); if (shouldDouble) { tmpNum *= 2; if (tmpNum >= 10) { sum += tmpNum % 10 + 1; } else { sum += tmpNum; } } else { sum += tmpNum; } shouldDouble = !shouldDouble; } return !!(sum % 10 === 0 ? sanitized : false); } module.exports = exports['default']; }); var isCreditCard = unwrapExports(isCreditCard_1); var validate$7 = function (value) { return isCreditCard(String(value)); }; var credit_card = { validate: validate$7 }; var validate$8 = function (value, ref) { if ( ref === void 0 ) ref = {}; var min$$1 = ref.min; var max$$1 = ref.max; var inclusivity = ref.inclusivity; if ( inclusivity === void 0 ) inclusivity = '()'; var format$$1 = ref.format; if (typeof format$$1 === 'undefined') { format$$1 = inclusivity; inclusivity = '()'; } var minDate = parseDate$1(String(min$$1), format$$1); var maxDate = parseDate$1(String(max$$1), format$$1); var dateVal = parseDate$1(String(value), format$$1); if (!minDate || !maxDate || !dateVal) { return false; } if (inclusivity === '()') { return isAfter(dateVal, minDate) && isBefore(dateVal, maxDate); } if (inclusivity === '(]') { return isAfter(dateVal, minDate) && (isEqual(dateVal, maxDate) || isBefore(dateVal, maxDate)); } if (inclusivity === '[)') { return isBefore(dateVal, maxDate) && (isEqual(dateVal, minDate) || isAfter(dateVal, minDate)); } return isEqual(dateVal, maxDate) || isEqual(dateVal, minDate) || (isBefore(dateVal, maxDate) && isAfter(dateVal, minDate)); }; var options$3 = { isDate: true }; var paramNames$8 = ['min', 'max', 'inclusivity', 'format']; var date_between = { validate: validate$8, options: options$3, paramNames: paramNames$8 }; var validate$9 = function (value, ref) { var format = ref.format; return !!parseDate$1(value, format); }; var options$4 = { isDate: true }; var paramNames$9 = ['format']; var date_format = { validate: validate$9, options: options$4, paramNames: paramNames$9 }; var validate$a = function (value, ref) { if ( ref === void 0 ) ref = {}; var decimals = ref.decimals; if ( decimals === void 0 ) decimals = '*'; var separator = ref.separator; if ( separator === void 0 ) separator = '.'; if (Array.isArray(value)) { return value.every(function (val) { return validate$a(val, { decimals: decimals, separator: separator }); }); } if (value === null || value === undefined || value === '') { return false; } // if is 0. if (Number(decimals) === 0) { return /^-?\d*$/.test(value); } var regexPart = decimals === '*' ? '+' : ("{1," + decimals + "}"); var regex = new RegExp(("^[-+]?\\d*(\\" + separator + "\\d" + regexPart + ")?$")); if (! regex.test(value)) { return false; } var parsedValue = parseFloat(value); // eslint-disable-next-line return parsedValue === parsedValue; }; var paramNames$a = ['decimals', 'separator']; var decimal = { validate: validate$a, paramNames: paramNames$a }; var validate$b = function (value, ref) { var length = ref[0]; if (Array.isArray(value)) { return value.every(function (val) { return validate$b(val, [length]); }); } var strVal = String(value); return /^[0-9]*$/.test(strVal) && strVal.length === Number(length); }; var digits = { validate: validate$b }; var validateImage = function (file, width, height) { var URL = window.URL || window.webkitURL; return new Promise(function (resolve) { var image = new Image(); image.onerror = function () { return resolve({ valid: false }); }; image.onload = function () { return resolve({ valid: image.width === Number(width) && image.height === Number(height) }); }; image.src = URL.createObjectURL(file); }); }; var validate$c = function (files, ref) { var width = ref[0]; var height = ref[1]; var list = []; for (var i = 0; i < files.length; i++) { // if file is not an image, reject. if (! /\.(jpg|svg|jpeg|png|bmp|gif)$/i.test(files[i].name)) { return false; } list.push(files[i]); } return Promise.all(list.map(function (file) { return validateImage(file, width, height); })); }; var dimensions = { validate: validate$c }; var merge_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = merge; function merge() { var obj = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var defaults = arguments[1]; for (var key in defaults) { if (typeof obj[key] === 'undefined') { obj[key] = defaults[key]; } } return obj; } module.exports = exports['default']; }); unwrapExports(merge_1); var isByteLength_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; exports.default = isByteLength; var _assertString2 = _interopRequireDefault(assertString_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } /* eslint-disable prefer-rest-params */ function isByteLength(str, options) { (0, _assertString2.default)(str); var min = void 0; var max = void 0; if ((typeof options === 'undefined' ? 'undefined' : _typeof(options)) === 'object') { min = options.min || 0; max = options.max; } else { // backwards compatibility: isByteLength(str, min [, max]) min = arguments[1]; max = arguments[2]; } var len = encodeURI(str).split(/%..|./).length - 1; return len >= min && (typeof max === 'undefined' || len <= max); } module.exports = exports['default']; }); unwrapExports(isByteLength_1); var isFQDN_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = isFQDN; var _assertString2 = _interopRequireDefault(assertString_1); var _merge2 = _interopRequireDefault(merge_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var default_fqdn_options = { require_tld: true, allow_underscores: false, allow_trailing_dot: false }; function isFQDN(str, options) { (0, _assertString2.default)(str); options = (0, _merge2.default)(options, default_fqdn_options); /* Remove the optional trailing dot before checking validity */ if (options.allow_trailing_dot && str[str.length - 1] === '.') { str = str.substring(0, str.length - 1); } var parts = str.split('.'); for (var i = 0; i < parts.length; i++) { if (parts[i].length > 63) { return false; } } if (options.require_tld) { var tld = parts.pop(); if (!parts.length || !/^([a-z\u00a1-\uffff]{2,}|xn[a-z0-9-]{2,})$/i.test(tld)) { return false; } // disallow spaces if (/[\s\u2002-\u200B\u202F\u205F\u3000\uFEFF\uDB40\uDC20]/.test(tld)) { return false; } } for (var part, _i = 0; _i < parts.length; _i++) { part = parts[_i]; if (options.allow_underscores) { part = part.replace(/_/g, ''); } if (!/^[a-z\u00a1-\uffff0-9-]+$/i.test(part)) { return false; } // disallow full-width chars if (/[\uff01-\uff5e]/.test(part)) { return false; } if (part[0] === '-' || part[part.length - 1] === '-') { return false; } } return true; } module.exports = exports['default']; }); unwrapExports(isFQDN_1); var isIP_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = isIP; var _assertString2 = _interopRequireDefault(assertString_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var ipv4Maybe = /^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})$/; var ipv6Block = /^[0-9A-F]{1,4}$/i; function isIP(str) { var version = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : ''; (0, _assertString2.default)(str); version = String(version); if (!version) { return isIP(str, 4) || isIP(str, 6); } else if (version === '4') { if (!ipv4Maybe.test(str)) { return false; } var parts = str.split('.').sort(function (a, b) { return a - b; }); return parts[3] <= 255; } else if (version === '6') { var blocks = str.split(':'); var foundOmissionBlock = false; // marker to indicate :: // At least some OS accept the last 32 bits of an IPv6 address // (i.e. 2 of the blocks) in IPv4 notation, and RFC 3493 says // that '::ffff:a.b.c.d' is valid for IPv4-mapped IPv6 addresses, // and '::a.b.c.d' is deprecated, but also valid. var foundIPv4TransitionBlock = isIP(blocks[blocks.length - 1], 4); var expectedNumberOfBlocks = foundIPv4TransitionBlock ? 7 : 8; if (blocks.length > expectedNumberOfBlocks) { return false; } // initial or final :: if (str === '::') { return true; } else if (str.substr(0, 2) === '::') { blocks.shift(); blocks.shift(); foundOmissionBlock = true; } else if (str.substr(str.length - 2) === '::') { blocks.pop(); blocks.pop(); foundOmissionBlock = true; } for (var i = 0; i < blocks.length; ++i) { // test for a :: which can not be at the string start/end // since those cases have been handled above if (blocks[i] === '' && i > 0 && i < blocks.length - 1) { if (foundOmissionBlock) { return false; // multiple :: in address } foundOmissionBlock = true; } else if (foundIPv4TransitionBlock && i === blocks.length - 1) ; else if (!ipv6Block.test(blocks[i])) { return false; } } if (foundOmissionBlock) { return blocks.length >= 1; } return blocks.length === expectedNumberOfBlocks; } return false; } module.exports = exports['default']; }); var isIP = unwrapExports(isIP_1); var isEmail_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = isEmail; var _assertString2 = _interopRequireDefault(assertString_1); var _merge2 = _interopRequireDefault(merge_1); var _isByteLength2 = _interopRequireDefault(isByteLength_1); var _isFQDN2 = _interopRequireDefault(isFQDN_1); var _isIP2 = _interopRequireDefault(isIP_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var default_email_options = { allow_display_name: false, require_display_name: false, allow_utf8_local_part: true, require_tld: true }; /* eslint-disable max-len */ /* eslint-disable no-control-regex */ var displayName = /^[a-z\d!#\$%&'\*\+\-\/=\?\^_`{\|}~\.\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+[a-z\d!#\$%&'\*\+\-\/=\?\^_`{\|}~\,\.\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF\s]*<(.+)>$/i; var emailUserPart = /^[a-z\d!#\$%&'\*\+\-\/=\?\^_`{\|}~]+$/i; var gmailUserPart = /^[a-z\d]+$/; var quotedEmailUser = /^([\s\x01-\x08\x0b\x0c\x0e-\x1f\x7f\x21\x23-\x5b\x5d-\x7e]|(\\[\x01-\x09\x0b\x0c\x0d-\x7f]))*$/i; var emailUserUtf8Part = /^[a-z\d!#\$%&'\*\+\-\/=\?\^_`{\|}~\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+$/i; var quotedEmailUserUtf8 = /^([\s\x01-\x08\x0b\x0c\x0e-\x1f\x7f\x21\x23-\x5b\x5d-\x7e\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]|(\\[\x01-\x09\x0b\x0c\x0d-\x7f\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]))*$/i; /* eslint-enable max-len */ /* eslint-enable no-control-regex */ function isEmail(str, options) { (0, _assertString2.default)(str); options = (0, _merge2.default)(options, default_email_options); if (options.require_display_name || options.allow_display_name) { var display_email = str.match(displayName); if (display_email) { str = display_email[1]; } else if (options.require_display_name) { return false; } } var parts = str.split('@'); var domain = parts.pop(); var user = parts.join('@'); var lower_domain = domain.toLowerCase(); if (options.domain_specific_validation && (lower_domain === 'gmail.com' || lower_domain === 'googlemail.com')) { /* Previously we removed dots for gmail addresses before validating. This was removed because it allows `multiple..dots@gmail.com` to be reported as valid, but it is not. Gmail only normalizes single dots, removing them from here is pointless, should be done in normalizeEmail */ user = user.toLowerCase(); // Removing sub-address from username before gmail validation var username = user.split('+')[0]; // Dots are not included in gmail length restriction if (!(0, _isByteLength2.default)(username.replace('.', ''), { min: 6, max: 30 })) { return false; } var _user_parts = username.split('.'); for (var i = 0; i < _user_parts.length; i++) { if (!gmailUserPart.test(_user_parts[i])) { return false; } } } if (!(0, _isByteLength2.default)(user, { max: 64 }) || !(0, _isByteLength2.default)(domain, { max: 254 })) { return false; } if (!(0, _isFQDN2.default)(domain, { require_tld: options.require_tld })) { if (!options.allow_ip_domain) { return false; } if (!(0, _isIP2.default)(domain)) { if (!domain.startsWith('[') || !domain.endsWith(']')) { return false; } var noBracketdomain = domain.substr(1, domain.length - 2); if (noBracketdomain.length === 0 || !(0, _isIP2.default)(noBracketdomain)) { return false; } } } if (user[0] === '"') { user = user.slice(1, user.length - 1); return options.allow_utf8_local_part ? quotedEmailUserUtf8.test(user) : quotedEmailUser.test(user); } var pattern = options.allow_utf8_local_part ? emailUserUtf8Part : emailUserPart; var user_parts = user.split('.'); for (var _i = 0; _i < user_parts.length; _i++) { if (!pattern.test(user_parts[_i])) { return false; } } return true; } module.exports = exports['default']; }); var isEmail = unwrapExports(isEmail_1); var validate$d = function (value, options) { if ( options === void 0 ) options = {}; if (options.multiple) { value = value.split(',').map(function (emailStr) { return emailStr.trim(); }); } if (Array.isArray(value)) { return value.every(function (val) { return isEmail(String(val), options); }); } return isEmail(String(value), options); }; var email = { validate: validate$d }; // /** * Checks if the values are either null or undefined. */ var isNullOrUndefined = function () { var values = [], len = arguments.length; while ( len-- ) values[ len ] = arguments[ len ]; return values.every(function (value) { return value === null || value === undefined; }); }; /** * Checks if a function is callable. */ var isCallable = function (func) { return typeof func === 'function'; }; /** * Converts an array-like object to array, provides a simple polyfill for Array.from */ var toArray = function (arrayLike) { if (isCallable(Array.from)) { return Array.from(arrayLike); } var array = []; var length = arrayLike.length; /* istanbul ignore next */ for (var i = 0; i < length; i++) { array.push(arrayLike[i]); } /* istanbul ignore next */ return array; }; var isEmptyArray = function (arr) { return Array.isArray(arr) && arr.length === 0; }; var validate$e = function (value, options) { if (Array.isArray(value)) { return value.every(function (val) { return validate$e(val, options); }); } return toArray(options).some(function (item) { // eslint-disable-next-line return item == value; }); }; var included = { validate: validate$e }; var validate$f = function () { var args = [], len = arguments.length; while ( len-- ) args[ len ] = arguments[ len ]; return !validate$e.apply(void 0, args); }; var excluded = { validate: validate$f }; var validate$g = function (files, extensions) { var regex = new RegExp((".(" + (extensions.join('|')) + ")$"), 'i'); return files.every(function (file) { return regex.test(file.name); }); }; var ext = { validate: validate$g }; var validate$h = function (files) { return files.every(function (file) { return /\.(jpg|svg|jpeg|png|bmp|gif)$/i.test(file.name); }); }; var image = { validate: validate$h }; var validate$i = function (value) { if (Array.isArray(value)) { return value.every(function (val) { return /^-?[0-9]+$/.test(String(val)); }); } return /^-?[0-9]+$/.test(String(value)); }; var integer = { validate: validate$i }; var validate$j = function (value, ref) { if ( ref === void 0 ) ref = {}; var version = ref.version; if ( version === void 0 ) version = 4; if (isNullOrUndefined(value)) { value = ''; } if (Array.isArray(value)) { return value.every(function (val) { return isIP(val, version); }); } return isIP(value, version); }; var paramNames$b = ['version']; var ip = { validate: validate$j, paramNames: paramNames$b }; var validate$k = function (value, ref) { if ( ref === void 0 ) ref = []; var other = ref[0]; return value === other; }; var is = { validate: validate$k }; var validate$l = function (value, ref) { if ( ref === void 0 ) ref = []; var other = ref[0]; return value !== other; }; var is_not = { validate: validate$l }; /** * @param {Array|String} value * @param {Number} length * @param {Number} max */ var compare = function (value, length, max) { if (max === undefined) { return value.length === length; } // cast to number. max = Number(max); return value.length >= length && value.length <= max; }; var validate$m = function (value, ref) { var length = ref[0]; var max = ref[1]; if ( max === void 0 ) max = undefined; length = Number(length); if (value === undefined || value === null) { return false; } if (typeof value === 'number') { value = String(value); } if (!value.length) { value = toArray(value); } return compare(value, length, max); }; var length = { validate: validate$m }; var validate$n = function (value, ref) { var length = ref[0]; if (value === undefined || value === null) { return length >= 0; } if (Array.isArray(value)) { return value.every(function (val) { return validate$n(val, [length]); }); } return String(value).length <= length; }; var max$1 = { validate: validate$n }; var validate$o = function (value, ref) { var max = ref[0]; if (value === null || value === undefined || value === '') { return false; } if (Array.isArray(value)) { return value.length > 0 && value.every(function (val) { return validate$o(val, [max]); }); } return Number(value) <= max; }; var max_value = { validate: validate$o }; var validate$p = function (files, mimes) { var regex = new RegExp(((mimes.join('|').replace('*', '.+')) + "$"), 'i'); return files.every(function (file) { return regex.test(file.type); }); }; var mimes = { validate: validate$p }; var validate$q = function (value, ref) { var length = ref[0]; if (value === undefined || value === null) { return false; } if (Array.isArray(value)) { return value.every(function (val) { return validate$q(val, [length]); }); } return String(value).length >= length; }; var min$1 = { validate: validate$q }; var validate$r = function (value, ref) { var min = ref[0]; if (value === null || value === undefined || value === '') { return false; } if (Array.isArray(value)) { return value.length > 0 && value.every(function (val) { return validate$r(val, [min]); }); } return Number(value) >= min; }; var min_value = { validate: validate$r }; var validate$s = function (value) { if (Array.isArray(value)) { return value.every(function (val) { return /^[0-9]+$/.test(String(val)); }); } return /^[0-9]+$/.test(String(value)); }; var numeric = { validate: validate$s }; var validate$t = function (value, ref) { var expression = ref.expression; if (typeof expression === 'string') { expression = new RegExp(expression); } if (Array.isArray(value)) { return value.every(function (val) { return validate$t(val, { expression: expression }); }); } return expression.test(String(value)); }; var paramNames$c = ['expression']; var regex = { validate: validate$t, paramNames: paramNames$c }; var validate$u = function (value, ref) { if ( ref === void 0 ) ref = []; var invalidateFalse = ref[0]; if ( invalidateFalse === void 0 ) invalidateFalse = false; if (isEmptyArray(value)) { return false; } // incase a field considers `false` as an empty value like checkboxes. if (value === false && invalidateFalse) { return false; } if (value === undefined || value === null) { return false; } return !!String(value).trim().length; }; var required = { validate: validate$u }; var validate$v = function (value, ref) { if ( ref === void 0 ) ref = []; var otherFieldVal = ref[0]; var possibleVals = ref.slice(1); var required = possibleVals.includes(String(otherFieldVal).trim()); if (!required) { return { valid: true, data: { required: required } }; } var invalid = (isEmptyArray(value) || [false, null, undefined].includes(value)); invalid = invalid || !String(value).trim().length; return { valid: !invalid, data: { required: required } }; }; var options$5 = { hasTarget: true, computesRequired: true }; var required_if = { validate: validate$v, options: options$5 }; var validate$w = function (files, ref) { var size = ref[0]; if (isNaN(size)) { return false; } var nSize = Number(size) * 1024; for (var i = 0; i < files.length; i++) { if (files[i].size > nSize) { return false; } } return true; }; var size = { validate: validate$w }; var isURL_1 = createCommonjsModule(function (module, exports) { Object.defineProperty(exports, "__esModule", { value: true }); exports.default = isURL; var _assertString2 = _interopRequireDefault(assertString_1); var _isFQDN2 = _interopRequireDefault(isFQDN_1); var _isIP2 = _interopRequireDefault(isIP_1); var _merge2 = _interopRequireDefault(merge_1); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var default_url_options = { protocols: ['http', 'https', 'ftp'], require_tld: true, require_protocol: false, require_host: true, require_valid_protocol: true, allow_underscores: false, allow_trailing_dot: false, allow_protocol_relative_urls: false }; var wrapped_ipv6 = /^\[([^\]]+)\](?::([0-9]+))?$/; function isRegExp(obj) { return Object.prototype.toString.call(obj) === '[object RegExp]'; } function checkHost(host, matches) { for (var i = 0; i < matches.length; i++) { var match = matches[i]; if (host === match || isRegExp(match) && match.test(host)) { return true; } } return false; } function isURL(url, options) { (0, _assertString2.default)(url); if (!url || url.length >= 2083 || /[\s<>]/.test(url)) { return false; } if (url.indexOf('mailto:') === 0) { return false; } options = (0, _merge2.default)(options, default_url_options); var protocol = void 0, auth = void 0, host = void 0, hostname = void 0, port = void 0, port_str = void 0, split = void 0, ipv6 = void 0; split = url.split('#'); url = split.shift(); split = url.split('?'); url = split.shift(); split = url.split('://'); if (split.length > 1) { protocol = split.shift().toLowerCase(); if (options.require_valid_protocol && options.protocols.indexOf(protocol) === -1) { return false; } } else if (options.require_protocol) { return false; } else if (url.substr(0, 2) === '//') { if (!options.allow_protocol_relative_urls) { return false; } split[0] = url.substr(2); } url = split.join('://'); if (url === '') { return false; } split = url.split('/'); url = split.shift(); if (url === '' && !options.require_host) { return true; } split = url.split('@'); if (split.length > 1) { auth = split.shift(); if (auth.indexOf(':') >= 0 && auth.split(':').length > 2) { return false; } } hostname = split.join('@'); port_str = null; ipv6 = null; var ipv6_match = hostname.match(wrapped_ipv6); if (ipv6_match) { host = ''; ipv6 = ipv6_match[1]; port_str = ipv6_match[2] || null; } else { split = hostname.split(':'); host = split.shift(); if (split.length) { port_str = split.join(':'); } } if (port_str !== null) { port = parseInt(port_str, 10); if (!/^[0-9]+$/.test(port_str) || port <= 0 || port > 65535) { return false; } } if (!(0, _isIP2.default)(host) && !(0, _isFQDN2.default)(host, options) && (!ipv6 || !(0, _isIP2.default)(ipv6, 6))) { return false; } host = host || ipv6; if (options.host_whitelist && !checkHost(host, options.host_whitelist)) { return false; } if (options.host_blacklist && checkHost(host, options.host_blacklist)) { return false; } return true; } module.exports = exports['default']; }); var isURL = unwrapExports(isURL_1); var validate$x = function (value, options) { if ( options === void 0 ) options = {}; if (isNullOrUndefined(value)) { value = ''; } if (Array.isArray(value)) { return value.every(function (val) { return isURL(val, options); }); } return isURL(value, options); }; var url = { validate: validate$x }; /* eslint-disable camelcase */ export { after, alpha_dash, alpha_num, alpha_spaces, alpha$1 as alpha, before, between, confirmed, credit_card, date_between, date_format, decimal, digits, dimensions, email, ext, image, included, integer, length, ip, is_not, is, max$1 as max, max_value, mimes, min$1 as min, min_value, excluded, numeric, regex, required, required_if, size, url };