blob: 733fd7e23841f5831bd667b0b88362a2b945106d [file] [log] [blame]
/**
* @license
* Copyright Google LLC All Rights Reserved.
*
* Use of this source code is governed by an MIT-style license that can be
* found in the LICENSE file at https://angular.io/license
*/
import { Version, NgModule, InjectionToken, Optional, Inject, isDevMode, inject, LOCALE_ID, Injectable, Directive, ElementRef, Input, NgZone, Component, ViewEncapsulation, ChangeDetectionStrategy, ChangeDetectorRef, EventEmitter, Output, ɵɵdefineInjectable } from '@angular/core';
import { HAMMER_LOADER, HammerGestureConfig } from '@angular/platform-browser';
import { BidiModule } from '@angular/cdk/bidi';
import { VERSION } from '@angular/cdk';
import { coerceBooleanProperty } from '@angular/cdk/coercion';
import { Subject, Observable } from 'rxjs';
import { Platform, PlatformModule, normalizePassiveListenerOptions } from '@angular/cdk/platform';
import { startWith } from 'rxjs/operators';
import { isFakeMousedownFromScreenReader } from '@angular/cdk/a11y';
import { ANIMATION_MODULE_TYPE } from '@angular/platform-browser/animations';
import { ENTER, SPACE, hasModifierKey } from '@angular/cdk/keycodes';
import { CommonModule } from '@angular/common';
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Current version of Angular Material.
* @type {?}
*/
const VERSION$1 = new Version('8.1.0');
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* \@docs-private
*/
class AnimationCurves {
}
AnimationCurves.STANDARD_CURVE = 'cubic-bezier(0.4,0.0,0.2,1)';
AnimationCurves.DECELERATION_CURVE = 'cubic-bezier(0.0,0.0,0.2,1)';
AnimationCurves.ACCELERATION_CURVE = 'cubic-bezier(0.4,0.0,1,1)';
AnimationCurves.SHARP_CURVE = 'cubic-bezier(0.4,0.0,0.6,1)';
/**
* \@docs-private
*/
class AnimationDurations {
}
AnimationDurations.COMPLEX = '375ms';
AnimationDurations.ENTERING = '225ms';
AnimationDurations.EXITING = '195ms';
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
// Private version constant to circumvent test/build issues,
// i.e. avoid core to depend on the @angular/material primary entry-point
// Can be removed once the Material primary entry-point no longer
// re-exports all secondary entry-points
/** @type {?} */
const VERSION$2 = new Version('8.1.0');
/**
* Injection token that configures whether the Material sanity checks are enabled.
* @type {?}
*/
const MATERIAL_SANITY_CHECKS = new InjectionToken('mat-sanity-checks', {
providedIn: 'root',
factory: MATERIAL_SANITY_CHECKS_FACTORY,
});
/**
* \@docs-private
* @return {?}
*/
function MATERIAL_SANITY_CHECKS_FACTORY() {
return true;
}
/**
* Module that captures anything that should be loaded and/or run for *all* Angular Material
* components. This includes Bidi, etc.
*
* This module should be imported to each top-level component module (e.g., MatTabsModule).
*/
class MatCommonModule {
/**
* @param {?} _sanityChecksEnabled
* @param {?=} _hammerLoader
*/
constructor(_sanityChecksEnabled, _hammerLoader) {
this._sanityChecksEnabled = _sanityChecksEnabled;
this._hammerLoader = _hammerLoader;
/**
* Whether we've done the global sanity checks (e.g. a theme is loaded, there is a doctype).
*/
this._hasDoneGlobalChecks = false;
/**
* Whether we've already checked for HammerJs availability.
*/
this._hasCheckedHammer = false;
/**
* Reference to the global `document` object.
*/
this._document = typeof document === 'object' && document ? document : null;
/**
* Reference to the global 'window' object.
*/
this._window = typeof window === 'object' && window ? window : null;
if (this._areChecksEnabled() && !this._hasDoneGlobalChecks) {
this._checkDoctypeIsDefined();
this._checkThemeIsPresent();
this._checkCdkVersionMatch();
this._hasDoneGlobalChecks = true;
}
}
/**
* Whether any sanity checks are enabled
* @private
* @return {?}
*/
_areChecksEnabled() {
return this._sanityChecksEnabled && isDevMode() && !this._isTestEnv();
}
/**
* Whether the code is running in tests.
* @private
* @return {?}
*/
_isTestEnv() {
/** @type {?} */
const window = (/** @type {?} */ (this._window));
return window && (window.__karma__ || window.jasmine);
}
/**
* @private
* @return {?}
*/
_checkDoctypeIsDefined() {
if (this._document && !this._document.doctype) {
console.warn('Current document does not have a doctype. This may cause ' +
'some Angular Material components not to behave as expected.');
}
}
/**
* @private
* @return {?}
*/
_checkThemeIsPresent() {
// We need to assert that the `body` is defined, because these checks run very early
// and the `body` won't be defined if the consumer put their scripts in the `head`.
if (!this._document || !this._document.body || typeof getComputedStyle !== 'function') {
return;
}
/** @type {?} */
const testElement = this._document.createElement('div');
testElement.classList.add('mat-theme-loaded-marker');
this._document.body.appendChild(testElement);
/** @type {?} */
const computedStyle = getComputedStyle(testElement);
// In some situations the computed style of the test element can be null. For example in
// Firefox, the computed style is null if an application is running inside of a hidden iframe.
// See: https://bugzilla.mozilla.org/show_bug.cgi?id=548397
if (computedStyle && computedStyle.display !== 'none') {
console.warn('Could not find Angular Material core theme. Most Material ' +
'components may not work as expected. For more info refer ' +
'to the theming guide: https://material.angular.io/guide/theming');
}
this._document.body.removeChild(testElement);
}
/**
* Checks whether the material version matches the cdk version
* @private
* @return {?}
*/
_checkCdkVersionMatch() {
if (VERSION$2.full !== VERSION.full) {
console.warn('The Angular Material version (' + VERSION$2.full + ') does not match ' +
'the Angular CDK version (' + VERSION.full + ').\n' +
'Please ensure the versions of these two packages exactly match.');
}
}
/**
* Checks whether HammerJS is available.
* @return {?}
*/
_checkHammerIsAvailable() {
if (this._hasCheckedHammer || !this._window) {
return;
}
if (this._areChecksEnabled() && !((/** @type {?} */ (this._window)))['Hammer'] && !this._hammerLoader) {
console.warn('Could not find HammerJS. Certain Angular Material components may not work correctly.');
}
this._hasCheckedHammer = true;
}
}
MatCommonModule.decorators = [
{ type: NgModule, args: [{
imports: [BidiModule],
exports: [BidiModule],
},] },
];
/** @nocollapse */
MatCommonModule.ctorParameters = () => [
{ type: Boolean, decorators: [{ type: Optional }, { type: Inject, args: [MATERIAL_SANITY_CHECKS,] }] },
{ type: undefined, decorators: [{ type: Optional }, { type: Inject, args: [HAMMER_LOADER,] }] }
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with a `disabled` property.
* @template T
* @param {?} base
* @return {?}
*/
function mixinDisabled(base) {
return class extends base {
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
this._disabled = false;
}
/**
* @return {?}
*/
get disabled() { return this._disabled; }
/**
* @param {?} value
* @return {?}
*/
set disabled(value) { this._disabled = coerceBooleanProperty(value); }
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with a `color` property.
* @template T
* @param {?} base
* @param {?=} defaultColor
* @return {?}
*/
function mixinColor(base, defaultColor) {
return class extends base {
/**
* @return {?}
*/
get color() { return this._color; }
/**
* @param {?} value
* @return {?}
*/
set color(value) {
/** @type {?} */
const colorPalette = value || defaultColor;
if (colorPalette !== this._color) {
if (this._color) {
this._elementRef.nativeElement.classList.remove(`mat-${this._color}`);
}
if (colorPalette) {
this._elementRef.nativeElement.classList.add(`mat-${colorPalette}`);
}
this._color = colorPalette;
}
}
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
// Set the default color that can be specified from the mixin.
this.color = defaultColor;
}
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with a `disableRipple` property.
* @template T
* @param {?} base
* @return {?}
*/
function mixinDisableRipple(base) {
return class extends base {
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
this._disableRipple = false;
}
/**
* Whether the ripple effect is disabled or not.
* @return {?}
*/
get disableRipple() { return this._disableRipple; }
/**
* @param {?} value
* @return {?}
*/
set disableRipple(value) { this._disableRipple = coerceBooleanProperty(value); }
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with a `tabIndex` property.
* @template T
* @param {?} base
* @param {?=} defaultTabIndex
* @return {?}
*/
function mixinTabIndex(base, defaultTabIndex = 0) {
return class extends base {
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
this._tabIndex = defaultTabIndex;
}
/**
* @return {?}
*/
get tabIndex() { return this.disabled ? -1 : this._tabIndex; }
/**
* @param {?} value
* @return {?}
*/
set tabIndex(value) {
// If the specified tabIndex value is null or undefined, fall back to the default value.
this._tabIndex = value != null ? value : defaultTabIndex;
}
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with updateErrorState method.
* For component with `errorState` and need to update `errorState`.
* @template T
* @param {?} base
* @return {?}
*/
function mixinErrorState(base) {
return class extends base {
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
/**
* Whether the component is in an error state.
*/
this.errorState = false;
/**
* Stream that emits whenever the state of the input changes such that the wrapping
* `MatFormField` needs to run change detection.
*/
this.stateChanges = new Subject();
}
/**
* @return {?}
*/
updateErrorState() {
/** @type {?} */
const oldState = this.errorState;
/** @type {?} */
const parent = this._parentFormGroup || this._parentForm;
/** @type {?} */
const matcher = this.errorStateMatcher || this._defaultErrorStateMatcher;
/** @type {?} */
const control = this.ngControl ? (/** @type {?} */ (this.ngControl.control)) : null;
/** @type {?} */
const newState = matcher.isErrorState(control, parent);
if (newState !== oldState) {
this.errorState = newState;
this.stateChanges.next();
}
}
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Mixin to augment a directive with an initialized property that will emits when ngOnInit ends.
* @template T
* @param {?} base
* @return {?}
*/
function mixinInitialized(base) {
return class extends base {
/**
* @param {...?} args
*/
constructor(...args) {
super(...args);
/**
* Whether this directive has been marked as initialized.
*/
this._isInitialized = false;
/**
* List of subscribers that subscribed before the directive was initialized. Should be notified
* during _markInitialized. Set to null after pending subscribers are notified, and should
* not expect to be populated after.
*/
this._pendingSubscribers = [];
/**
* Observable stream that emits when the directive initializes. If already initialized, the
* subscriber is stored to be notified once _markInitialized is called.
*/
this.initialized = new Observable((/**
* @param {?} subscriber
* @return {?}
*/
subscriber => {
// If initialized, immediately notify the subscriber. Otherwise store the subscriber to notify
// when _markInitialized is called.
if (this._isInitialized) {
this._notifySubscriber(subscriber);
}
else {
(/** @type {?} */ (this._pendingSubscribers)).push(subscriber);
}
}));
}
/**
* Marks the state as initialized and notifies pending subscribers. Should be called at the end
* of ngOnInit.
* \@docs-private
* @return {?}
*/
_markInitialized() {
if (this._isInitialized) {
throw Error('This directive has already been marked as initialized and ' +
'should not be called twice.');
}
this._isInitialized = true;
(/** @type {?} */ (this._pendingSubscribers)).forEach(this._notifySubscriber);
this._pendingSubscribers = null;
}
/**
* Emits and completes the subscriber stream (should only emit once).
* @param {?} subscriber
* @return {?}
*/
_notifySubscriber(subscriber) {
subscriber.next();
subscriber.complete();
}
};
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* InjectionToken for datepicker that can be used to override default locale code.
* @type {?}
*/
const MAT_DATE_LOCALE = new InjectionToken('MAT_DATE_LOCALE', {
providedIn: 'root',
factory: MAT_DATE_LOCALE_FACTORY,
});
/**
* \@docs-private
* @return {?}
*/
function MAT_DATE_LOCALE_FACTORY() {
return inject(LOCALE_ID);
}
/**
* No longer needed since MAT_DATE_LOCALE has been changed to a scoped injectable.
* If you are importing and providing this in your code you can simply remove it.
* @deprecated
* \@breaking-change 8.0.0
* @type {?}
*/
const MAT_DATE_LOCALE_PROVIDER = { provide: MAT_DATE_LOCALE, useExisting: LOCALE_ID };
/**
* Adapts type `D` to be usable as a date by cdk-based components that work with dates.
* @abstract
* @template D
*/
class DateAdapter {
constructor() {
this._localeChanges = new Subject();
}
/**
* A stream that emits when the locale changes.
* @return {?}
*/
get localeChanges() { return this._localeChanges; }
/**
* Attempts to deserialize a value to a valid date object. This is different from parsing in that
* deserialize should only accept non-ambiguous, locale-independent formats (e.g. a ISO 8601
* string). The default implementation does not allow any deserialization, it simply checks that
* the given value is already a valid date object or null. The `<mat-datepicker>` will call this
* method on all of it's `\@Input()` properties that accept dates. It is therefore possible to
* support passing values from your backend directly to these properties by overriding this method
* to also deserialize the format used by your backend.
* @param {?} value The value to be deserialized into a date object.
* @return {?} The deserialized date object, either a valid date, null if the value can be
* deserialized into a null date (e.g. the empty string), or an invalid date.
*/
deserialize(value) {
if (value == null || this.isDateInstance(value) && this.isValid(value)) {
return value;
}
return this.invalid();
}
/**
* Sets the locale used for all dates.
* @param {?} locale The new locale.
* @return {?}
*/
setLocale(locale) {
this.locale = locale;
this._localeChanges.next();
}
/**
* Compares two dates.
* @param {?} first The first date to compare.
* @param {?} second The second date to compare.
* @return {?} 0 if the dates are equal, a number less than 0 if the first date is earlier,
* a number greater than 0 if the first date is later.
*/
compareDate(first, second) {
return this.getYear(first) - this.getYear(second) ||
this.getMonth(first) - this.getMonth(second) ||
this.getDate(first) - this.getDate(second);
}
/**
* Checks if two dates are equal.
* @param {?} first The first date to check.
* @param {?} second The second date to check.
* @return {?} Whether the two dates are equal.
* Null dates are considered equal to other null dates.
*/
sameDate(first, second) {
if (first && second) {
/** @type {?} */
let firstValid = this.isValid(first);
/** @type {?} */
let secondValid = this.isValid(second);
if (firstValid && secondValid) {
return !this.compareDate(first, second);
}
return firstValid == secondValid;
}
return first == second;
}
/**
* Clamp the given date between min and max dates.
* @param {?} date The date to clamp.
* @param {?=} min The minimum value to allow. If null or omitted no min is enforced.
* @param {?=} max The maximum value to allow. If null or omitted no max is enforced.
* @return {?} `min` if `date` is less than `min`, `max` if date is greater than `max`,
* otherwise `date`.
*/
clampDate(date, min, max) {
if (min && this.compareDate(date, min) < 0) {
return min;
}
if (max && this.compareDate(date, max) > 0) {
return max;
}
return date;
}
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/** @type {?} */
const MAT_DATE_FORMATS = new InjectionToken('mat-date-formats');
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
// TODO(mmalerba): Remove when we no longer support safari 9.
/**
* Whether the browser supports the Intl API.
* @type {?}
*/
let SUPPORTS_INTL_API;
// We need a try/catch around the reference to `Intl`, because accessing it in some cases can
// cause IE to throw. These cases are tied to particular versions of Windows and can happen if
// the consumer is providing a polyfilled `Map`. See:
// https://github.com/Microsoft/ChakraCore/issues/3189
// https://github.com/angular/components/issues/15687
try {
SUPPORTS_INTL_API = typeof Intl != 'undefined';
}
catch (_a) {
SUPPORTS_INTL_API = false;
}
/**
* The default month names to use if Intl API is not available.
* @type {?}
*/
const DEFAULT_MONTH_NAMES = {
'long': [
'January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September',
'October', 'November', 'December'
],
'short': ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'],
'narrow': ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D']
};
const ɵ0 = /**
* @param {?} i
* @return {?}
*/
i => String(i + 1);
/**
* The default date names to use if Intl API is not available.
* @type {?}
*/
const DEFAULT_DATE_NAMES = range(31, 0));
/**
* The default day of the week names to use if Intl API is not available.
* @type {?}
*/
const DEFAULT_DAY_OF_WEEK_NAMES = {
'long': ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'],
'short': ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'],
'narrow': ['S', 'M', 'T', 'W', 'T', 'F', 'S']
};
/**
* Matches strings that have the form of a valid RFC 3339 string
* (https://tools.ietf.org/html/rfc3339). Note that the string may not actually be a valid date
* because the regex will match strings an with out of bounds month, date, etc.
* @type {?}
*/
const ISO_8601_REGEX = /^\d{4}-\d{2}-\d{2}(?:T\d{2}:\d{2}:\d{2}(?:\.\d+)?(?:Z|(?:(?:\+|-)\d{2}:\d{2}))?)?$/;
/**
* Creates an array and fills it with values.
* @template T
* @param {?} length
* @param {?} valueFunction
* @return {?}
*/
function range(length, valueFunction) {
/** @type {?} */
const valuesArray = Array(length);
for (let i = 0; i < length; i++) {
valuesArray[i] = valueFunction(i);
}
return valuesArray;
}
/**
* Adapts the native JS Date for use with cdk-based components that work with dates.
*/
class NativeDateAdapter extends DateAdapter {
/**
* @param {?} matDateLocale
* @param {?} platform
*/
constructor(matDateLocale, platform) {
super();
/**
* Whether to use `timeZone: 'utc'` with `Intl.DateTimeFormat` when formatting dates.
* Without this `Intl.DateTimeFormat` sometimes chooses the wrong timeZone, which can throw off
* the result. (e.g. in the en-US locale `new Date(1800, 7, 14).toLocaleDateString()`
* will produce `'8/13/1800'`.
*
* TODO(mmalerba): drop this variable. It's not being used in the code right now. We're now
* getting the string representation of a Date object from it's utc representation. We're keeping
* it here for sometime, just for precaution, in case we decide to revert some of these changes
* though.
*/
this.useUtcForDisplay = true;
super.setLocale(matDateLocale);
// IE does its own time zone correction, so we disable this on IE.
this.useUtcForDisplay = !platform.TRIDENT;
this._clampDate = platform.TRIDENT || platform.EDGE;
}
/**
* @param {?} date
* @return {?}
*/
getYear(date) {
return date.getFullYear();
}
/**
* @param {?} date
* @return {?}
*/
getMonth(date) {
return date.getMonth();
}
/**
* @param {?} date
* @return {?}
*/
getDate(date) {
return date.getDate();
}
/**
* @param {?} date
* @return {?}
*/
getDayOfWeek(date) {
return date.getDay();
}
/**
* @param {?} style
* @return {?}
*/
getMonthNames(style) {
if (SUPPORTS_INTL_API) {
/** @type {?} */
const dtf = new Intl.DateTimeFormat(this.locale, { month: style, timeZone: 'utc' });
return range(12, (/**
* @param {?} i
* @return {?}
*/
i => this._stripDirectionalityCharacters(this._format(dtf, new Date(2017, i, 1)))));
}
return DEFAULT_MONTH_NAMES[style];
}
/**
* @return {?}
*/
getDateNames() {
if (SUPPORTS_INTL_API) {
/** @type {?} */
const dtf = new Intl.DateTimeFormat(this.locale, { day: 'numeric', timeZone: 'utc' });
return range(31, (/**
* @param {?} i
* @return {?}
*/
i => this._stripDirectionalityCharacters(this._format(dtf, new Date(2017, 0, i + 1)))));
}
return DEFAULT_DATE_NAMES;
}
/**
* @param {?} style
* @return {?}
*/
getDayOfWeekNames(style) {
if (SUPPORTS_INTL_API) {
/** @type {?} */
const dtf = new Intl.DateTimeFormat(this.locale, { weekday: style, timeZone: 'utc' });
return range(7, (/**
* @param {?} i
* @return {?}
*/
i => this._stripDirectionalityCharacters(this._format(dtf, new Date(2017, 0, i + 1)))));
}
return DEFAULT_DAY_OF_WEEK_NAMES[style];
}
/**
* @param {?} date
* @return {?}
*/
getYearName(date) {
if (SUPPORTS_INTL_API) {
/** @type {?} */
const dtf = new Intl.DateTimeFormat(this.locale, { year: 'numeric', timeZone: 'utc' });
return this._stripDirectionalityCharacters(this._format(dtf, date));
}
return String(this.getYear(date));
}
/**
* @return {?}
*/
getFirstDayOfWeek() {
// We can't tell using native JS Date what the first day of the week is, we default to Sunday.
return 0;
}
/**
* @param {?} date
* @return {?}
*/
getNumDaysInMonth(date) {
return this.getDate(this._createDateWithOverflow(this.getYear(date), this.getMonth(date) + 1, 0));
}
/**
* @param {?} date
* @return {?}
*/
clone(date) {
return new Date(date.getTime());
}
/**
* @param {?} year
* @param {?} month
* @param {?} date
* @return {?}
*/
createDate(year, month, date) {
// Check for invalid month and date (except upper bound on date which we have to check after
// creating the Date).
if (month < 0 || month > 11) {
throw Error(`Invalid month index "${month}". Month index has to be between 0 and 11.`);
}
if (date < 1) {
throw Error(`Invalid date "${date}". Date has to be greater than 0.`);
}
/** @type {?} */
let result = this._createDateWithOverflow(year, month, date);
// Check that the date wasn't above the upper bound for the month, causing the month to overflow
if (result.getMonth() != month) {
throw Error(`Invalid date "${date}" for month with index "${month}".`);
}
return result;
}
/**
* @return {?}
*/
today() {
return new Date();
}
/**
* @param {?} value
* @return {?}
*/
parse(value) {
// We have no way using the native JS Date to set the parse format or locale, so we ignore these
// parameters.
if (typeof value == 'number') {
return new Date(value);
}
return value ? new Date(Date.parse(value)) : null;
}
/**
* @param {?} date
* @param {?} displayFormat
* @return {?}
*/
format(date, displayFormat) {
if (!this.isValid(date)) {
throw Error('NativeDateAdapter: Cannot format invalid date.');
}
if (SUPPORTS_INTL_API) {
// On IE and Edge the i18n API will throw a hard error that can crash the entire app
// if we attempt to format a date whose year is less than 1 or greater than 9999.
if (this._clampDate && (date.getFullYear() < 1 || date.getFullYear() > 9999)) {
date = this.clone(date);
date.setFullYear(Math.max(1, Math.min(9999, date.getFullYear())));
}
displayFormat = Object.assign({}, displayFormat, { timeZone: 'utc' });
/** @type {?} */
const dtf = new Intl.DateTimeFormat(this.locale, displayFormat);
return this._stripDirectionalityCharacters(this._format(dtf, date));
}
return this._stripDirectionalityCharacters(date.toDateString());
}
/**
* @param {?} date
* @param {?} years
* @return {?}
*/
addCalendarYears(date, years) {
return this.addCalendarMonths(date, years * 12);
}
/**
* @param {?} date
* @param {?} months
* @return {?}
*/
addCalendarMonths(date, months) {
/** @type {?} */
let newDate = this._createDateWithOverflow(this.getYear(date), this.getMonth(date) + months, this.getDate(date));
// It's possible to wind up in the wrong month if the original month has more days than the new
// month. In this case we want to go to the last day of the desired month.
// Note: the additional + 12 % 12 ensures we end up with a positive number, since JS % doesn't
// guarantee this.
if (this.getMonth(newDate) != ((this.getMonth(date) + months) % 12 + 12) % 12) {
newDate = this._createDateWithOverflow(this.getYear(newDate), this.getMonth(newDate), 0);
}
return newDate;
}
/**
* @param {?} date
* @param {?} days
* @return {?}
*/
addCalendarDays(date, days) {
return this._createDateWithOverflow(this.getYear(date), this.getMonth(date), this.getDate(date) + days);
}
/**
* @param {?} date
* @return {?}
*/
toIso8601(date) {
return [
date.getUTCFullYear(),
this._2digit(date.getUTCMonth() + 1),
this._2digit(date.getUTCDate())
].join('-');
}
/**
* Returns the given value if given a valid Date or null. Deserializes valid ISO 8601 strings
* (https://www.ietf.org/rfc/rfc3339.txt) into valid Dates and empty string into null. Returns an
* invalid date for all other values.
* @param {?} value
* @return {?}
*/
deserialize(value) {
if (typeof value === 'string') {
if (!value) {
return null;
}
// The `Date` constructor accepts formats other than ISO 8601, so we need to make sure the
// string is the right format first.
if (ISO_8601_REGEX.test(value)) {
/** @type {?} */
let date = new Date(value);
if (this.isValid(date)) {
return date;
}
}
}
return super.deserialize(value);
}
/**
* @param {?} obj
* @return {?}
*/
isDateInstance(obj) {
return obj instanceof Date;
}
/**
* @param {?} date
* @return {?}
*/
isValid(date) {
return !isNaN(date.getTime());
}
/**
* @return {?}
*/
invalid() {
return new Date(NaN);
}
/**
* Creates a date but allows the month and date to overflow.
* @private
* @param {?} year
* @param {?} month
* @param {?} date
* @return {?}
*/
_createDateWithOverflow(year, month, date) {
/** @type {?} */
const result = new Date(year, month, date);
// We need to correct for the fact that JS native Date treats years in range [0, 99] as
// abbreviations for 19xx.
if (year >= 0 && year < 100) {
result.setFullYear(this.getYear(result) - 1900);
}
return result;
}
/**
* Pads a number to make it two digits.
* @private
* @param {?} n The number to pad.
* @return {?} The padded number.
*/
_2digit(n) {
return ('00' + n).slice(-2);
}
/**
* Strip out unicode LTR and RTL characters. Edge and IE insert these into formatted dates while
* other browsers do not. We remove them to make output consistent and because they interfere with
* date parsing.
* @private
* @param {?} str The string to strip direction characters from.
* @return {?} The stripped string.
*/
_stripDirectionalityCharacters(str) {
return str.replace(/[\u200e\u200f]/g, '');
}
/**
* When converting Date object to string, javascript built-in functions may return wrong
* results because it applies its internal DST rules. The DST rules around the world change
* very frequently, and the current valid rule is not always valid in previous years though.
* We work around this problem building a new Date object which has its internal UTC
* representation with the local date and time.
* @private
* @param {?} dtf Intl.DateTimeFormat object, containg the desired string format. It must have
* timeZone set to 'utc' to work fine.
* @param {?} date Date from which we want to get the string representation according to dtf
* @return {?} A Date object with its UTC representation based on the passed in date info
*/
_format(dtf, date) {
/** @type {?} */
const d = new Date(Date.UTC(date.getFullYear(), date.getMonth(), date.getDate(), date.getHours(), date.getMinutes(), date.getSeconds(), date.getMilliseconds()));
return dtf.format(d);
}
}
NativeDateAdapter.decorators = [
{ type: Injectable },
];
/** @nocollapse */
NativeDateAdapter.ctorParameters = () => [
{ type: String, decorators: [{ type: Optional }, { type: Inject, args: [MAT_DATE_LOCALE,] }] },
{ type: Platform }
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/** @type {?} */
const MAT_NATIVE_DATE_FORMATS = {
parse: {
dateInput: null,
},
display: {
dateInput: { year: 'numeric', month: 'numeric', day: 'numeric' },
monthYearLabel: { year: 'numeric', month: 'short' },
dateA11yLabel: { year: 'numeric', month: 'long', day: 'numeric' },
monthYearA11yLabel: { year: 'numeric', month: 'long' },
}
};
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
class NativeDateModule {
}
NativeDateModule.decorators = [
{ type: NgModule, args: [{
imports: [PlatformModule],
providers: [
{ provide: DateAdapter, useClass: NativeDateAdapter },
],
},] },
];
const ɵ0$1 = MAT_NATIVE_DATE_FORMATS;
class MatNativeDateModule {
}
MatNativeDateModule.decorators = [
{ type: NgModule, args: [{
imports: [NativeDateModule],
providers: [{ provide: MAT_DATE_FORMATS, useValue: ɵ0$1 }],
},] },
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Error state matcher that matches when a control is invalid and dirty.
*/
class ShowOnDirtyErrorStateMatcher {
/**
* @param {?} control
* @param {?} form
* @return {?}
*/
isErrorState(control, form) {
return !!(control && control.invalid && (control.dirty || (form && form.submitted)));
}
}
ShowOnDirtyErrorStateMatcher.decorators = [
{ type: Injectable },
];
/**
* Provider that defines how form controls behave with regards to displaying error messages.
*/
class ErrorStateMatcher {
/**
* @param {?} control
* @param {?} form
* @return {?}
*/
isErrorState(control, form) {
return !!(control && control.invalid && (control.touched || (form && form.submitted)));
}
}
ErrorStateMatcher.decorators = [
{ type: Injectable, args: [{ providedIn: 'root' },] },
];
/** @nocollapse */ ErrorStateMatcher.ngInjectableDef = ɵɵdefineInjectable({ factory: function ErrorStateMatcher_Factory() { return new ErrorStateMatcher(); }, token: ErrorStateMatcher, providedIn: "root" });
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Injection token that can be used to provide options to the Hammerjs instance.
* More info at http://hammerjs.github.io/api/.
* @type {?}
*/
const MAT_HAMMER_OPTIONS = new InjectionToken('MAT_HAMMER_OPTIONS');
/** @type {?} */
const ANGULAR_MATERIAL_SUPPORTED_HAMMER_GESTURES = [
'longpress',
'slide',
'slidestart',
'slideend',
'slideright',
'slideleft'
];
const ɵ0$2 = /**
* @return {?}
*/
() => { }, ɵ1 = /**
* @return {?}
*/
() => { };
/**
* Fake HammerInstance that is used when a Hammer instance is requested when HammerJS has not
* been loaded on the page.
* @type {?}
*/
const noopHammerInstance = {
on: 0$2),
off: 1),
};
/**
* Adjusts configuration of our gesture library, Hammer.
*/
class GestureConfig extends HammerGestureConfig {
/**
* @param {?=} _hammerOptions
* @param {?=} commonModule
*/
constructor(_hammerOptions, commonModule) {
super();
this._hammerOptions = _hammerOptions;
/**
* List of new event names to add to the gesture support list
*/
this.events = ANGULAR_MATERIAL_SUPPORTED_HAMMER_GESTURES;
if (commonModule) {
commonModule._checkHammerIsAvailable();
}
}
/**
* Builds Hammer instance manually to add custom recognizers that match the Material Design spec.
*
* Our gesture names come from the Material Design gestures spec:
* https://material.io/design/#gestures-touch-mechanics
*
* More information on default recognizers can be found in Hammer docs:
* http://hammerjs.github.io/recognizer-pan/
* http://hammerjs.github.io/recognizer-press/
*
* @param {?} element Element to which to assign the new HammerJS gestures.
* @return {?} Newly-created HammerJS instance.
*/
buildHammer(element) {
/** @type {?} */
const hammer = typeof window !== 'undefined' ? ((/** @type {?} */ (window))).Hammer : null;
if (!hammer) {
// If HammerJS is not loaded here, return the noop HammerInstance. This is necessary to
// ensure that omitting HammerJS completely will not cause any errors while *also* supporting
// the lazy-loading of HammerJS via the HAMMER_LOADER token introduced in Angular 6.1.
// Because we can't depend on HAMMER_LOADER's existance until 7.0, we have to always set
// `this.events` to the set we support, instead of conditionally setting it to `[]` if
// `HAMMER_LOADER` is present (and then throwing an Error here if `window.Hammer` is
// undefined).
// @breaking-change 8.0.0
return noopHammerInstance;
}
/** @type {?} */
const mc = new hammer(element, this._hammerOptions || undefined);
// Default Hammer Recognizers.
/** @type {?} */
const pan = new hammer.Pan();
/** @type {?} */
const swipe = new hammer.Swipe();
/** @type {?} */
const press = new hammer.Press();
// Notice that a HammerJS recognizer can only depend on one other recognizer once.
// Otherwise the previous `recognizeWith` will be dropped.
// TODO: Confirm threshold numbers with Material Design UX Team
/** @type {?} */
const slide = this._createRecognizer(pan, { event: 'slide', threshold: 0 }, swipe);
/** @type {?} */
const longpress = this._createRecognizer(press, { event: 'longpress', time: 500 });
// Overwrite the default `pan` event to use the swipe event.
pan.recognizeWith(swipe);
// Since the slide event threshold is set to zero, the slide recognizer can fire and
// accidentally reset the longpress recognizer. In order to make sure that the two
// recognizers can run simultaneously but don't affect each other, we allow the slide
// recognizer to recognize while a longpress is being processed.
// See: https://github.com/hammerjs/hammer.js/blob/master/src/manager.js#L123-L124
longpress.recognizeWith(slide);
// Add customized gestures to Hammer manager
mc.add([swipe, press, pan, slide, longpress]);
return (/** @type {?} */ (mc));
}
/**
* Creates a new recognizer, without affecting the default recognizers of HammerJS
* @private
* @param {?} base
* @param {?} options
* @param {...?} inheritances
* @return {?}
*/
_createRecognizer(base, options, ...inheritances) {
/** @type {?} */
let recognizer = new ((/** @type {?} */ (base.constructor)))(options);
inheritances.push(base);
inheritances.forEach((/**
* @param {?} item
* @return {?}
*/
item => recognizer.recognizeWith(item)));
return recognizer;
}
}
GestureConfig.decorators = [
{ type: Injectable },
];
/** @nocollapse */
GestureConfig.ctorParameters = () => [
{ type: undefined, decorators: [{ type: Optional }, { type: Inject, args: [MAT_HAMMER_OPTIONS,] }] },
{ type: MatCommonModule, decorators: [{ type: Optional }] }
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Shared directive to count lines inside a text area, such as a list item.
* Line elements can be extracted with a \@ContentChildren(MatLine) query, then
* counted by checking the query list's length.
*/
class MatLine {
}
MatLine.decorators = [
{ type: Directive, args: [{
selector: '[mat-line], [matLine]',
host: { 'class': 'mat-line' }
},] },
];
/**
* Helper that takes a query list of lines and sets the correct class on the host.
* \@docs-private
* @param {?} lines
* @param {?} element
* @return {?}
*/
function setLines(lines, element) {
// Note: doesn't need to unsubscribe, because `changes`
// gets completed by Angular when the view is destroyed.
lines.changes.pipe(startWith(lines)).subscribe((/**
* @param {?} __0
* @return {?}
*/
({ length }) => {
setClass(element, 'mat-2-line', false);
setClass(element, 'mat-3-line', false);
setClass(element, 'mat-multi-line', false);
if (length === 2 || length === 3) {
setClass(element, `mat-${length}-line`, true);
}
else if (length > 3) {
setClass(element, `mat-multi-line`, true);
}
}));
}
/**
* Adds or removes a class from an element.
* @param {?} element
* @param {?} className
* @param {?} isAdd
* @return {?}
*/
function setClass(element, className, isAdd) {
/** @type {?} */
const classList = element.nativeElement.classList;
isAdd ? classList.add(className) : classList.remove(className);
}
/**
* Helper that takes a query list of lines and sets the correct class on the host.
* \@docs-private
* @deprecated Use `setLines` instead.
* \@breaking-change 8.0.0
*/
class MatLineSetter {
/**
* @param {?} lines
* @param {?} element
*/
constructor(lines, element) {
setLines(lines, element);
}
}
class MatLineModule {
}
MatLineModule.decorators = [
{ type: NgModule, args: [{
imports: [MatCommonModule],
exports: [MatLine, MatCommonModule],
declarations: [MatLine],
},] },
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/** @enum {number} */
const RippleState = {
FADING_IN: 0, VISIBLE: 1, FADING_OUT: 2, HIDDEN: 3,
};
RippleState[RippleState.FADING_IN] = 'FADING_IN';
RippleState[RippleState.VISIBLE] = 'VISIBLE';
RippleState[RippleState.FADING_OUT] = 'FADING_OUT';
RippleState[RippleState.HIDDEN] = 'HIDDEN';
/**
* Reference to a previously launched ripple element.
*/
class RippleRef {
/**
* @param {?} _renderer
* @param {?} element
* @param {?} config
*/
constructor(_renderer, element, config) {
this._renderer = _renderer;
this.element = element;
this.config = config;
/**
* Current state of the ripple.
*/
this.state = RippleState.HIDDEN;
}
/**
* Fades out the ripple element.
* @return {?}
*/
fadeOut() {
this._renderer.fadeOutRipple(this);
}
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Default ripple animation configuration for ripples without an explicit
* animation config specified.
* @type {?}
*/
const defaultRippleAnimationConfig = {
enterDuration: 450,
exitDuration: 400
};
/**
* Timeout for ignoring mouse events. Mouse events will be temporary ignored after touch
* events to avoid synthetic mouse events.
* @type {?}
*/
const ignoreMouseEventsTimeout = 800;
/**
* Options that apply to all the event listeners that are bound by the ripple renderer.
* @type {?}
*/
const passiveEventOptions = normalizePassiveListenerOptions({ passive: true });
/**
* Helper service that performs DOM manipulations. Not intended to be used outside this module.
* The constructor takes a reference to the ripple directive's host element and a map of DOM
* event handlers to be installed on the element that triggers ripple animations.
* This will eventually become a custom renderer once Angular support exists.
* \@docs-private
*/
class RippleRenderer {
/**
* @param {?} _target
* @param {?} _ngZone
* @param {?} elementRef
* @param {?} platform
*/
constructor(_target, _ngZone, elementRef, platform) {
this._target = _target;
this._ngZone = _ngZone;
/**
* Whether the pointer is currently down or not.
*/
this._isPointerDown = false;
/**
* Events to be registered on the trigger element.
*/
this._triggerEvents = new Map();
/**
* Set of currently active ripple references.
*/
this._activeRipples = new Set();
/**
* Function being called whenever the trigger is being pressed using mouse.
*/
this._onMousedown = (/**
* @param {?} event
* @return {?}
*/
(event) => {
// Screen readers will fire fake mouse events for space/enter. Skip launching a
// ripple in this case for consistency with the non-screen-reader experience.
/** @type {?} */
const isFakeMousedown = isFakeMousedownFromScreenReader(event);
/** @type {?} */
const isSyntheticEvent = this._lastTouchStartEvent &&
Date.now() < this._lastTouchStartEvent + ignoreMouseEventsTimeout;
if (!this._target.rippleDisabled && !isFakeMousedown && !isSyntheticEvent) {
this._isPointerDown = true;
this.fadeInRipple(event.clientX, event.clientY, this._target.rippleConfig);
}
});
/**
* Function being called whenever the trigger is being pressed using touch.
*/
this._onTouchStart = (/**
* @param {?} event
* @return {?}
*/
(event) => {
if (!this._target.rippleDisabled) {
// Some browsers fire mouse events after a `touchstart` event. Those synthetic mouse
// events will launch a second ripple if we don't ignore mouse events for a specific
// time after a touchstart event.
this._lastTouchStartEvent = Date.now();
this._isPointerDown = true;
// Use `changedTouches` so we skip any touches where the user put
// their finger down, but used another finger to tap the element again.
/** @type {?} */
const touches = event.changedTouches;
for (let i = 0; i < touches.length; i++) {
this.fadeInRipple(touches[i].clientX, touches[i].clientY, this._target.rippleConfig);
}
}
});
/**
* Function being called whenever the trigger is being released.
*/
this._onPointerUp = (/**
* @return {?}
*/
() => {
if (!this._isPointerDown) {
return;
}
this._isPointerDown = false;
// Fade-out all ripples that are visible and not persistent.
this._activeRipples.forEach((/**
* @param {?} ripple
* @return {?}
*/
ripple => {
// By default, only ripples that are completely visible will fade out on pointer release.
// If the `terminateOnPointerUp` option is set, ripples that still fade in will also fade out.
/** @type {?} */
const isVisible = ripple.state === RippleState.VISIBLE ||
ripple.config.terminateOnPointerUp && ripple.state === RippleState.FADING_IN;
if (!ripple.config.persistent && isVisible) {
ripple.fadeOut();
}
}));
});
// Only do anything if we're on the browser.
if (platform.isBrowser) {
this._containerElement = elementRef.nativeElement;
// Specify events which need to be registered on the trigger.
this._triggerEvents
.set('mousedown', this._onMousedown)
.set('mouseup', this._onPointerUp)
.set('mouseleave', this._onPointerUp)
.set('touchstart', this._onTouchStart)
.set('touchend', this._onPointerUp)
.set('touchcancel', this._onPointerUp);
}
}
/**
* Fades in a ripple at the given coordinates.
* @param {?} x Coordinate within the element, along the X axis at which to start the ripple.
* @param {?} y Coordinate within the element, along the Y axis at which to start the ripple.
* @param {?=} config Extra ripple options.
* @return {?}
*/
fadeInRipple(x, y, config = {}) {
/** @type {?} */
const containerRect = this._containerRect =
this._containerRect || this._containerElement.getBoundingClientRect();
/** @type {?} */
const animationConfig = Object.assign({}, defaultRippleAnimationConfig, config.animation);
if (config.centered) {
x = containerRect.left + containerRect.width / 2;
y = containerRect.top + containerRect.height / 2;
}
/** @type {?} */
const radius = config.radius || distanceToFurthestCorner(x, y, containerRect);
/** @type {?} */
const offsetX = x - containerRect.left;
/** @type {?} */
const offsetY = y - containerRect.top;
/** @type {?} */
const duration = animationConfig.enterDuration;
/** @type {?} */
const ripple = document.createElement('div');
ripple.classList.add('mat-ripple-element');
ripple.style.left = `${offsetX - radius}px`;
ripple.style.top = `${offsetY - radius}px`;
ripple.style.height = `${radius * 2}px`;
ripple.style.width = `${radius * 2}px`;
// If the color is not set, the default CSS color will be used.
ripple.style.backgroundColor = config.color || null;
ripple.style.transitionDuration = `${duration}ms`;
this._containerElement.appendChild(ripple);
// By default the browser does not recalculate the styles of dynamically created
// ripple elements. This is critical because then the `scale` would not animate properly.
enforceStyleRecalculation(ripple);
ripple.style.transform = 'scale(1)';
// Exposed reference to the ripple that will be returned.
/** @type {?} */
const rippleRef = new RippleRef(this, ripple, config);
rippleRef.state = RippleState.FADING_IN;
// Add the ripple reference to the list of all active ripples.
this._activeRipples.add(rippleRef);
if (!config.persistent) {
this._mostRecentTransientRipple = rippleRef;
}
// Wait for the ripple element to be completely faded in.
// Once it's faded in, the ripple can be hidden immediately if the mouse is released.
this._runTimeoutOutsideZone((/**
* @return {?}
*/
() => {
/** @type {?} */
const isMostRecentTransientRipple = rippleRef === this._mostRecentTransientRipple;
rippleRef.state = RippleState.VISIBLE;
// When the timer runs out while the user has kept their pointer down, we want to
// keep only the persistent ripples and the latest transient ripple. We do this,
// because we don't want stacked transient ripples to appear after their enter
// animation has finished.
if (!config.persistent && (!isMostRecentTransientRipple || !this._isPointerDown)) {
rippleRef.fadeOut();
}
}), duration);
return rippleRef;
}
/**
* Fades out a ripple reference.
* @param {?} rippleRef
* @return {?}
*/
fadeOutRipple(rippleRef) {
/** @type {?} */
const wasActive = this._activeRipples.delete(rippleRef);
if (rippleRef === this._mostRecentTransientRipple) {
this._mostRecentTransientRipple = null;
}
// Clear out the cached bounding rect if we have no more ripples.
if (!this._activeRipples.size) {
this._containerRect = null;
}
// For ripples that are not active anymore, don't re-run the fade-out animation.
if (!wasActive) {
return;
}
/** @type {?} */
const rippleEl = rippleRef.element;
/** @type {?} */
const animationConfig = Object.assign({}, defaultRippleAnimationConfig, rippleRef.config.animation);
rippleEl.style.transitionDuration = `${animationConfig.exitDuration}ms`;
rippleEl.style.opacity = '0';
rippleRef.state = RippleState.FADING_OUT;
// Once the ripple faded out, the ripple can be safely removed from the DOM.
this._runTimeoutOutsideZone((/**
* @return {?}
*/
() => {
rippleRef.state = RippleState.HIDDEN;
(/** @type {?} */ (rippleEl.parentNode)).removeChild(rippleEl);
}), animationConfig.exitDuration);
}
/**
* Fades out all currently active ripples.
* @return {?}
*/
fadeOutAll() {
this._activeRipples.forEach((/**
* @param {?} ripple
* @return {?}
*/
ripple => ripple.fadeOut()));
}
/**
* Sets up the trigger event listeners
* @param {?} element
* @return {?}
*/
setupTriggerEvents(element) {
if (!element || element === this._triggerElement) {
return;
}
// Remove all previously registered event listeners from the trigger element.
this._removeTriggerEvents();
this._ngZone.runOutsideAngular((/**
* @return {?}
*/
() => {
this._triggerEvents.forEach((/**
* @param {?} fn
* @param {?} type
* @return {?}
*/
(fn, type) => {
element.addEventListener(type, fn, passiveEventOptions);
}));
}));
this._triggerElement = element;
}
/**
* Runs a timeout outside of the Angular zone to avoid triggering the change detection.
* @private
* @param {?} fn
* @param {?=} delay
* @return {?}
*/
_runTimeoutOutsideZone(fn, delay = 0) {
this._ngZone.runOutsideAngular((/**
* @return {?}
*/
() => setTimeout(fn, delay)));
}
/**
* Removes previously registered event listeners from the trigger element.
* @return {?}
*/
_removeTriggerEvents() {
if (this._triggerElement) {
this._triggerEvents.forEach((/**
* @param {?} fn
* @param {?} type
* @return {?}
*/
(fn, type) => {
(/** @type {?} */ (this._triggerElement)).removeEventListener(type, fn, passiveEventOptions);
}));
}
}
}
/**
* Enforces a style recalculation of a DOM element by computing its styles.
* @param {?} element
* @return {?}
*/
function enforceStyleRecalculation(element) {
// Enforce a style recalculation by calling `getComputedStyle` and accessing any property.
// Calling `getPropertyValue` is important to let optimizers know that this is not a noop.
// See: https://gist.github.com/paulirish/5d52fb081b3570c81e3a
window.getComputedStyle(element).getPropertyValue('opacity');
}
/**
* Returns the distance from the point (x, y) to the furthest corner of a rectangle.
* @param {?} x
* @param {?} y
* @param {?} rect
* @return {?}
*/
function distanceToFurthestCorner(x, y, rect) {
/** @type {?} */
const distX = Math.max(Math.abs(x - rect.left), Math.abs(x - rect.right));
/** @type {?} */
const distY = Math.max(Math.abs(y - rect.top), Math.abs(y - rect.bottom));
return Math.sqrt(distX * distX + distY * distY);
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Injection token that can be used to specify the global ripple options.
* @type {?}
*/
const MAT_RIPPLE_GLOBAL_OPTIONS = new InjectionToken('mat-ripple-global-options');
class MatRipple {
/**
* @param {?} _elementRef
* @param {?} ngZone
* @param {?} platform
* @param {?=} globalOptions
* @param {?=} animationMode
*/
constructor(_elementRef, ngZone, platform, globalOptions, animationMode) {
this._elementRef = _elementRef;
/**
* If set, the radius in pixels of foreground ripples when fully expanded. If unset, the radius
* will be the distance from the center of the ripple to the furthest corner of the host element's
* bounding rectangle.
*/
this.radius = 0;
this._disabled = false;
/**
* Whether ripple directive is initialized and the input bindings are set.
*/
this._isInitialized = false;
this._globalOptions = globalOptions || {};
this._rippleRenderer = new RippleRenderer(this, ngZone, _elementRef, platform);
if (animationMode === 'NoopAnimations') {
this._globalOptions.animation = { enterDuration: 0, exitDuration: 0 };
}
}
/**
* Whether click events will not trigger the ripple. Ripples can be still launched manually
* by using the `launch()` method.
* @return {?}
*/
get disabled() { return this._disabled; }
/**
* @param {?} value
* @return {?}
*/
set disabled(value) {
this._disabled = value;
this._setupTriggerEventsIfEnabled();
}
/**
* The element that triggers the ripple when click events are received.
* Defaults to the directive's host element.
* @return {?}
*/
get trigger() { return this._trigger || this._elementRef.nativeElement; }
/**
* @param {?} trigger
* @return {?}
*/
set trigger(trigger) {
this._trigger = trigger;
this._setupTriggerEventsIfEnabled();
}
/**
* @return {?}
*/
ngOnInit() {
this._isInitialized = true;
this._setupTriggerEventsIfEnabled();
}
/**
* @return {?}
*/
ngOnDestroy() {
this._rippleRenderer._removeTriggerEvents();
}
/**
* Fades out all currently showing ripple elements.
* @return {?}
*/
fadeOutAll() {
this._rippleRenderer.fadeOutAll();
}
/**
* Ripple configuration from the directive's input values.
* \@docs-private Implemented as part of RippleTarget
* @return {?}
*/
get rippleConfig() {
return {
centered: this.centered,
radius: this.radius,
color: this.color,
animation: Object.assign({}, this._globalOptions.animation, this.animation),
terminateOnPointerUp: this._globalOptions.terminateOnPointerUp,
};
}
/**
* Whether ripples on pointer-down are disabled or not.
* \@docs-private Implemented as part of RippleTarget
* @return {?}
*/
get rippleDisabled() {
return this.disabled || !!this._globalOptions.disabled;
}
/**
* Sets up the trigger event listeners if ripples are enabled.
* @private
* @return {?}
*/
_setupTriggerEventsIfEnabled() {
if (!this.disabled && this._isInitialized) {
this._rippleRenderer.setupTriggerEvents(this.trigger);
}
}
/**
* Launches a manual ripple at the specified coordinated or just by the ripple config.
* @param {?} configOrX
* @param {?=} y
* @param {?=} config
* @return {?}
*/
launch(configOrX, y = 0, config) {
if (typeof configOrX === 'number') {
return this._rippleRenderer.fadeInRipple(configOrX, y, Object.assign({}, this.rippleConfig, config));
}
else {
return this._rippleRenderer.fadeInRipple(0, 0, Object.assign({}, this.rippleConfig, configOrX));
}
}
}
MatRipple.decorators = [
{ type: Directive, args: [{
selector: '[mat-ripple], [matRipple]',
exportAs: 'matRipple',
host: {
'class': 'mat-ripple',
'[class.mat-ripple-unbounded]': 'unbounded'
}
},] },
];
/** @nocollapse */
MatRipple.ctorParameters = () => [
{ type: ElementRef },
{ type: NgZone },
{ type: Platform },
{ type: undefined, decorators: [{ type: Optional }, { type: Inject, args: [MAT_RIPPLE_GLOBAL_OPTIONS,] }] },
{ type: String, decorators: [{ type: Optional }, { type: Inject, args: [ANIMATION_MODULE_TYPE,] }] }
];
MatRipple.propDecorators = {
color: [{ type: Input, args: ['matRippleColor',] }],
unbounded: [{ type: Input, args: ['matRippleUnbounded',] }],
centered: [{ type: Input, args: ['matRippleCentered',] }],
radius: [{ type: Input, args: ['matRippleRadius',] }],
animation: [{ type: Input, args: ['matRippleAnimation',] }],
disabled: [{ type: Input, args: ['matRippleDisabled',] }],
trigger: [{ type: Input, args: ['matRippleTrigger',] }]
};
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
class MatRippleModule {
}
MatRippleModule.decorators = [
{ type: NgModule, args: [{
imports: [MatCommonModule, PlatformModule],
exports: [MatRipple, MatCommonModule],
declarations: [MatRipple],
},] },
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Component that shows a simplified checkbox without including any kind of "real" checkbox.
* Meant to be used when the checkbox is purely decorative and a large number of them will be
* included, such as for the options in a multi-select. Uses no SVGs or complex animations.
* Note that theming is meant to be handled by the parent element, e.g.
* `mat-primary .mat-pseudo-checkbox`.
*
* Note that this component will be completely invisible to screen-reader users. This is *not*
* interchangeable with `<mat-checkbox>` and should *not* be used if the user would directly
* interact with the checkbox. The pseudo-checkbox should only be used as an implementation detail
* of more complex components that appropriately handle selected / checked state.
* \@docs-private
*/
class MatPseudoCheckbox {
/**
* @param {?=} _animationMode
*/
constructor(_animationMode) {
this._animationMode = _animationMode;
/**
* Display state of the checkbox.
*/
this.state = 'unchecked';
/**
* Whether the checkbox is disabled.
*/
this.disabled = false;
}
}
MatPseudoCheckbox.decorators = [
{ type: Component, args: [{encapsulation: ViewEncapsulation.None,
changeDetection: ChangeDetectionStrategy.OnPush,
selector: 'mat-pseudo-checkbox',
styles: [".mat-pseudo-checkbox{width:16px;height:16px;border:2px solid;border-radius:2px;cursor:pointer;display:inline-block;vertical-align:middle;box-sizing:border-box;position:relative;flex-shrink:0;transition:border-color 90ms cubic-bezier(0,0,.2,.1),background-color 90ms cubic-bezier(0,0,.2,.1)}.mat-pseudo-checkbox::after{position:absolute;opacity:0;content:'';border-bottom:2px solid currentColor;transition:opacity 90ms cubic-bezier(0,0,.2,.1)}.mat-pseudo-checkbox.mat-pseudo-checkbox-checked,.mat-pseudo-checkbox.mat-pseudo-checkbox-indeterminate{border-color:transparent}._mat-animation-noopable.mat-pseudo-checkbox{transition:none;animation:none}._mat-animation-noopable.mat-pseudo-checkbox::after{transition:none}.mat-pseudo-checkbox-disabled{cursor:default}.mat-pseudo-checkbox-indeterminate::after{top:5px;left:1px;width:10px;opacity:1;border-radius:2px}.mat-pseudo-checkbox-checked::after{top:2.4px;left:1px;width:8px;height:3px;border-left:2px solid currentColor;transform:rotate(-45deg);opacity:1;box-sizing:content-box}"],
template: '',
host: {
'class': 'mat-pseudo-checkbox',
'[class.mat-pseudo-checkbox-indeterminate]': 'state === "indeterminate"',
'[class.mat-pseudo-checkbox-checked]': 'state === "checked"',
'[class.mat-pseudo-checkbox-disabled]': 'disabled',
'[class._mat-animation-noopable]': '_animationMode === "NoopAnimations"',
},
},] },
];
/** @nocollapse */
MatPseudoCheckbox.ctorParameters = () => [
{ type: String, decorators: [{ type: Optional }, { type: Inject, args: [ANIMATION_MODULE_TYPE,] }] }
];
MatPseudoCheckbox.propDecorators = {
state: [{ type: Input }],
disabled: [{ type: Input }]
};
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
class MatPseudoCheckboxModule {
}
MatPseudoCheckboxModule.decorators = [
{ type: NgModule, args: [{
exports: [MatPseudoCheckbox],
declarations: [MatPseudoCheckbox]
},] },
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
// Boilerplate for applying mixins to MatOptgroup.
/**
* \@docs-private
*/
class MatOptgroupBase {
}
/** @type {?} */
const _MatOptgroupMixinBase = mixinDisabled(MatOptgroupBase);
// Counter for unique group ids.
/** @type {?} */
let _uniqueOptgroupIdCounter = 0;
/**
* Component that is used to group instances of `mat-option`.
*/
class MatOptgroup extends _MatOptgroupMixinBase {
constructor() {
super(...arguments);
/**
* Unique id for the underlying label.
*/
this._labelId = `mat-optgroup-label-${_uniqueOptgroupIdCounter++}`;
}
}
MatOptgroup.decorators = [
{ type: Component, args: [{selector: 'mat-optgroup',
exportAs: 'matOptgroup',
template: "<label class=\"mat-optgroup-label\" [id]=\"_labelId\">{{ label }}<ng-content></ng-content></label><ng-content select=\"mat-option, ng-container\"></ng-content>",
encapsulation: ViewEncapsulation.None,
changeDetection: ChangeDetectionStrategy.OnPush,
inputs: ['disabled'],
styles: [".mat-optgroup-label{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;line-height:48px;height:48px;padding:0 16px;text-align:left;text-decoration:none;max-width:100%;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;cursor:default}.mat-optgroup-label[disabled]{cursor:default}[dir=rtl] .mat-optgroup-label{text-align:right}.mat-optgroup-label .mat-icon{margin-right:16px;vertical-align:middle}.mat-optgroup-label .mat-icon svg{vertical-align:top}[dir=rtl] .mat-optgroup-label .mat-icon{margin-left:16px;margin-right:0}"],
host: {
'class': 'mat-optgroup',
'role': 'group',
'[class.mat-optgroup-disabled]': 'disabled',
'[attr.aria-disabled]': 'disabled.toString()',
'[attr.aria-labelledby]': '_labelId',
}
},] },
];
MatOptgroup.propDecorators = {
label: [{ type: Input }]
};
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* Option IDs need to be unique across components, so this counter exists outside of
* the component definition.
* @type {?}
*/
let _uniqueIdCounter = 0;
/**
* Event object emitted by MatOption when selected or deselected.
*/
class MatOptionSelectionChange {
/**
* @param {?} source
* @param {?=} isUserInput
*/
constructor(source, isUserInput = false) {
this.source = source;
this.isUserInput = isUserInput;
}
}
/**
* Injection token used to provide the parent component to options.
* @type {?}
*/
const MAT_OPTION_PARENT_COMPONENT = new InjectionToken('MAT_OPTION_PARENT_COMPONENT');
/**
* Single option inside of a `<mat-select>` element.
*/
class MatOption {
/**
* @param {?} _element
* @param {?} _changeDetectorRef
* @param {?} _parent
* @param {?} group
*/
constructor(_element, _changeDetectorRef, _parent, group) {
this._element = _element;
this._changeDetectorRef = _changeDetectorRef;
this._parent = _parent;
this.group = group;
this._selected = false;
this._active = false;
this._disabled = false;
this._mostRecentViewValue = '';
/**
* The unique ID of the option.
*/
this.id = `mat-option-${_uniqueIdCounter++}`;
/**
* Event emitted when the option is selected or deselected.
*/
// tslint:disable-next-line:no-output-on-prefix
this.onSelectionChange = new EventEmitter();
/**
* Emits when the state of the option changes and any parents have to be notified.
*/
this._stateChanges = new Subject();
}
/**
* Whether the wrapping component is in multiple selection mode.
* @return {?}
*/
get multiple() { return this._parent && this._parent.multiple; }
/**
* Whether or not the option is currently selected.
* @return {?}
*/
get selected() { return this._selected; }
/**
* Whether the option is disabled.
* @return {?}
*/
get disabled() { return (this.group && this.group.disabled) || this._disabled; }
/**
* @param {?} value
* @return {?}
*/
set disabled(value) { this._disabled = coerceBooleanProperty(value); }
/**
* Whether ripples for the option are disabled.
* @return {?}
*/
get disableRipple() { return this._parent && this._parent.disableRipple; }
/**
* Whether or not the option is currently active and ready to be selected.
* An active option displays styles as if it is focused, but the
* focus is actually retained somewhere else. This comes in handy
* for components like autocomplete where focus must remain on the input.
* @return {?}
*/
get active() {
return this._active;
}
/**
* The displayed value of the option. It is necessary to show the selected option in the
* select's trigger.
* @return {?}
*/
get viewValue() {
// TODO(kara): Add input property alternative for node envs.
return (this._getHostElement().textContent || '').trim();
}
/**
* Selects the option.
* @return {?}
*/
select() {
if (!this._selected) {
this._selected = true;
this._changeDetectorRef.markForCheck();
this._emitSelectionChangeEvent();
}
}
/**
* Deselects the option.
* @return {?}
*/
deselect() {
if (this._selected) {
this._selected = false;
this._changeDetectorRef.markForCheck();
this._emitSelectionChangeEvent();
}
}
/**
* Sets focus onto this option.
* @return {?}
*/
focus() {
/** @type {?} */
const element = this._getHostElement();
if (typeof element.focus === 'function') {
element.focus();
}
}
/**
* This method sets display styles on the option to make it appear
* active. This is used by the ActiveDescendantKeyManager so key
* events will display the proper options as active on arrow key events.
* @return {?}
*/
setActiveStyles() {
if (!this._active) {
this._active = true;
this._changeDetectorRef.markForCheck();
}
}
/**
* This method removes display styles on the option that made it appear
* active. This is used by the ActiveDescendantKeyManager so key
* events will display the proper options as active on arrow key events.
* @return {?}
*/
setInactiveStyles() {
if (this._active) {
this._active = false;
this._changeDetectorRef.markForCheck();
}
}
/**
* Gets the label to be used when determining whether the option should be focused.
* @return {?}
*/
getLabel() {
return this.viewValue;
}
/**
* Ensures the option is selected when activated from the keyboard.
* @param {?} event
* @return {?}
*/
_handleKeydown(event) {
if ((event.keyCode === ENTER || event.keyCode === SPACE) && !hasModifierKey(event)) {
this._selectViaInteraction();
// Prevent the page from scrolling down and form submits.
event.preventDefault();
}
}
/**
* `Selects the option while indicating the selection came from the user. Used to
* determine if the select's view -> model callback should be invoked.`
* @return {?}
*/
_selectViaInteraction() {
if (!this.disabled) {
this._selected = this.multiple ? !this._selected : true;
this._changeDetectorRef.markForCheck();
this._emitSelectionChangeEvent(true);
}
}
/**
* Gets the `aria-selected` value for the option. We explicitly omit the `aria-selected`
* attribute from single-selection, unselected options. Including the `aria-selected="false"`
* attributes adds a significant amount of noise to screen-reader users without providing useful
* information.
* @return {?}
*/
_getAriaSelected() {
return this.selected || (this.multiple ? false : null);
}
/**
* Returns the correct tabindex for the option depending on disabled state.
* @return {?}
*/
_getTabIndex() {
return this.disabled ? '-1' : '0';
}
/**
* Gets the host DOM element.
* @return {?}
*/
_getHostElement() {
return this._element.nativeElement;
}
/**
* @return {?}
*/
ngAfterViewChecked() {
// Since parent components could be using the option's label to display the selected values
// (e.g. `mat-select`) and they don't have a way of knowing if the option's label has changed
// we have to check for changes in the DOM ourselves and dispatch an event. These checks are
// relatively cheap, however we still limit them only to selected options in order to avoid
// hitting the DOM too often.
if (this._selected) {
/** @type {?} */
const viewValue = this.viewValue;
if (viewValue !== this._mostRecentViewValue) {
this._mostRecentViewValue = viewValue;
this._stateChanges.next();
}
}
}
/**
* @return {?}
*/
ngOnDestroy() {
this._stateChanges.complete();
}
/**
* Emits the selection change event.
* @private
* @param {?=} isUserInput
* @return {?}
*/
_emitSelectionChangeEvent(isUserInput = false) {
this.onSelectionChange.emit(new MatOptionSelectionChange(this, isUserInput));
}
}
MatOption.decorators = [
{ type: Component, args: [{selector: 'mat-option',
exportAs: 'matOption',
host: {
'role': 'option',
'[attr.tabindex]': '_getTabIndex()',
'[class.mat-selected]': 'selected',
'[class.mat-option-multiple]': 'multiple',
'[class.mat-active]': 'active',
'[id]': 'id',
'[attr.aria-selected]': '_getAriaSelected()',
'[attr.aria-disabled]': 'disabled.toString()',
'[class.mat-option-disabled]': 'disabled',
'(click)': '_selectViaInteraction()',
'(keydown)': '_handleKeydown($event)',
'class': 'mat-option',
},
styles: [".mat-option{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;line-height:48px;height:48px;padding:0 16px;text-align:left;text-decoration:none;max-width:100%;position:relative;cursor:pointer;outline:0;display:flex;flex-direction:row;max-width:100%;box-sizing:border-box;align-items:center;-webkit-tap-highlight-color:transparent}.mat-option[disabled]{cursor:default}[dir=rtl] .mat-option{text-align:right}.mat-option .mat-icon{margin-right:16px;vertical-align:middle}.mat-option .mat-icon svg{vertical-align:top}[dir=rtl] .mat-option .mat-icon{margin-left:16px;margin-right:0}.mat-option[aria-disabled=true]{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;cursor:default}.mat-optgroup .mat-option:not(.mat-option-multiple){padding-left:32px}[dir=rtl] .mat-optgroup .mat-option:not(.mat-option-multiple){padding-left:16px;padding-right:32px}@media (-ms-high-contrast:active){.mat-option{margin:0 1px}.mat-option.mat-active{border:solid 1px currentColor;margin:0}}.mat-option-text{display:inline-block;flex-grow:1;overflow:hidden;text-overflow:ellipsis}.mat-option .mat-option-ripple{top:0;left:0;right:0;bottom:0;position:absolute;pointer-events:none}@media (-ms-high-contrast:active){.mat-option .mat-option-ripple{opacity:.5}}.mat-option-pseudo-checkbox{margin-right:8px}[dir=rtl] .mat-option-pseudo-checkbox{margin-left:8px;margin-right:0}"],
template: "<mat-pseudo-checkbox *ngIf=\"multiple\" class=\"mat-option-pseudo-checkbox\" [state]=\"selected ? 'checked' : ''\" [disabled]=\"disabled\"></mat-pseudo-checkbox><span class=\"mat-option-text\"><ng-content></ng-content></span><div class=\"mat-option-ripple\" mat-ripple [matRippleTrigger]=\"_getHostElement()\" [matRippleDisabled]=\"disabled || disableRipple\"></div>",
encapsulation: ViewEncapsulation.None,
changeDetection: ChangeDetectionStrategy.OnPush,
},] },
];
/** @nocollapse */
MatOption.ctorParameters = () => [
{ type: ElementRef },
{ type: ChangeDetectorRef },
{ type: undefined, decorators: [{ type: Optional }, { type: Inject, args: [MAT_OPTION_PARENT_COMPONENT,] }] },
{ type: MatOptgroup, decorators: [{ type: Optional }] }
];
MatOption.propDecorators = {
value: [{ type: Input }],
id: [{ type: Input }],
disabled: [{ type: Input }],
onSelectionChange: [{ type: Output }]
};
/**
* Counts the amount of option group labels that precede the specified option.
* \@docs-private
* @param {?} optionIndex Index of the option at which to start counting.
* @param {?} options Flat list of all of the options.
* @param {?} optionGroups Flat list of all of the option groups.
* @return {?}
*/
function _countGroupLabelsBeforeOption(optionIndex, options, optionGroups) {
if (optionGroups.length) {
/** @type {?} */
let optionsArray = options.toArray();
/** @type {?} */
let groups = optionGroups.toArray();
/** @type {?} */
let groupCounter = 0;
for (let i = 0; i < optionIndex + 1; i++) {
if (optionsArray[i].group && optionsArray[i].group === groups[groupCounter]) {
groupCounter++;
}
}
return groupCounter;
}
return 0;
}
/**
* Determines the position to which to scroll a panel in order for an option to be into view.
* \@docs-private
* @param {?} optionIndex Index of the option to be scrolled into the view.
* @param {?} optionHeight Height of the options.
* @param {?} currentScrollPosition Current scroll position of the panel.
* @param {?} panelHeight Height of the panel.
* @return {?}
*/
function _getOptionScrollPosition(optionIndex, optionHeight, currentScrollPosition, panelHeight) {
/** @type {?} */
const optionOffset = optionIndex * optionHeight;
if (optionOffset < currentScrollPosition) {
return optionOffset;
}
if (optionOffset + optionHeight > currentScrollPosition + panelHeight) {
return Math.max(0, optionOffset - panelHeight + optionHeight);
}
return currentScrollPosition;
}
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
class MatOptionModule {
}
MatOptionModule.decorators = [
{ type: NgModule, args: [{
imports: [MatRippleModule, CommonModule, MatPseudoCheckboxModule],
exports: [MatOption, MatOptgroup],
declarations: [MatOption, MatOptgroup]
},] },
];
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* InjectionToken that can be used to specify the global label options.
* @type {?}
*/
const MAT_LABEL_GLOBAL_OPTIONS = new InjectionToken('mat-label-global-options');
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* When constructing a Date, the month is zero-based. This can be confusing, since people are
* used to seeing them one-based. So we create these aliases to make writing the tests easier.
* \@docs-private
* \@breaking-change 8.0.0 Remove this with V8 since it was only targeted for testing.
* @type {?}
*/
const JAN = 0;
/** @type {?} */
const FEB = 1;
/** @type {?} */
const MAR = 2;
/** @type {?} */
const APR = 3;
/** @type {?} */
const MAY = 4;
/** @type {?} */
const JUN = 5;
/** @type {?} */
const JUL = 6;
/** @type {?} */
const AUG = 7;
/** @type {?} */
const SEP = 8;
/** @type {?} */
const OCT = 9;
/** @type {?} */
const NOV = 10;
/** @type {?} */
const DEC = 11;
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
/**
* @fileoverview added by tsickle
* @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc
*/
export { VERSION$1 as VERSION, AnimationCurves, AnimationDurations, MatCommonModule, MATERIAL_SANITY_CHECKS, mixinDisabled, mixinColor, mixinDisableRipple, mixinTabIndex, mixinErrorState, mixinInitialized, NativeDateModule, MatNativeDateModule, MAT_DATE_LOCALE_FACTORY, MAT_DATE_LOCALE, MAT_DATE_LOCALE_PROVIDER, DateAdapter, MAT_DATE_FORMATS, NativeDateAdapter, MAT_NATIVE_DATE_FORMATS, ShowOnDirtyErrorStateMatcher, ErrorStateMatcher, MAT_HAMMER_OPTIONS, GestureConfig, setLines, MatLine, MatLineSetter, MatLineModule, MatOptionModule, _countGroupLabelsBeforeOption, _getOptionScrollPosition, MatOptionSelectionChange, MAT_OPTION_PARENT_COMPONENT, MatOption, MatOptgroup, MAT_LABEL_GLOBAL_OPTIONS, MatRippleModule, MAT_RIPPLE_GLOBAL_OPTIONS, MatRipple, RippleState, RippleRef, defaultRippleAnimationConfig, RippleRenderer, MatPseudoCheckboxModule, MatPseudoCheckbox, JAN, FEB, MAR, APR, MAY, JUN, JUL, AUG, SEP, OCT, NOV, DEC, MATERIAL_SANITY_CHECKS_FACTORY as ɵa1 };
//# sourceMappingURL=core.js.map