").prependTo(el);
+ this.initToolbars();
+ this.renderHeader();
+ this.renderFooter();
+ this.renderView(this.opt('defaultView'));
+ if (this.opt('handleWindowResize')) {
+ $(window).resize(this.windowResizeProxy = util_1.debounce(// prevents rapid calls
+ this.windowResize.bind(this), this.opt('windowResizeDelay')));
+ }
+ };
+ Calendar.prototype.destroy = function () {
+ if (this.view) {
+ this.clearView();
+ }
+ this.toolbarsManager.proxyCall('removeElement');
+ this.contentEl.remove();
+ this.el.removeClass('fc fc-ltr fc-rtl');
+ // removes theme-related root className
+ this.optionsManager.unwatch('settingTheme');
+ this.optionsManager.unwatch('settingBusinessHourGenerator');
+ this.el.off('.fc'); // unbind nav link handlers
+ if (this.windowResizeProxy) {
+ $(window).unbind('resize', this.windowResizeProxy);
+ this.windowResizeProxy = null;
+ }
+ GlobalEmitter_1.default.unneeded();
+ };
+ Calendar.prototype.elementVisible = function () {
+ return this.el.is(':visible');
+ };
+ // Render Queue
+ // -----------------------------------------------------------------------------------------------------------------
+ Calendar.prototype.bindViewHandlers = function (view) {
+ var _this = this;
+ view.watch('titleForCalendar', ['title'], function (deps) {
+ if (view === _this.view) { // hack
+ _this.setToolbarsTitle(deps.title);
+ }
+ });
+ view.watch('dateProfileForCalendar', ['dateProfile'], function (deps) {
+ if (view === _this.view) { // hack
+ _this.currentDate = deps.dateProfile.date; // might have been constrained by view dates
+ _this.updateToolbarButtons(deps.dateProfile);
+ }
+ });
+ };
+ Calendar.prototype.unbindViewHandlers = function (view) {
+ view.unwatch('titleForCalendar');
+ view.unwatch('dateProfileForCalendar');
+ };
+ // View Rendering
+ // -----------------------------------------------------------------------------------
+ // Renders a view because of a date change, view-type change, or for the first time.
+ // If not given a viewType, keep the current view but render different dates.
+ // Accepts an optional scroll state to restore to.
+ Calendar.prototype.renderView = function (viewType) {
+ var oldView = this.view;
+ var newView;
+ this.freezeContentHeight();
+ if (oldView && viewType && oldView.type !== viewType) {
+ this.clearView();
+ }
+ // if viewType changed, or the view was never created, create a fresh view
+ if (!this.view && viewType) {
+ newView = this.view =
+ this.viewsByType[viewType] ||
+ (this.viewsByType[viewType] = this.instantiateView(viewType));
+ this.bindViewHandlers(newView);
+ newView.startBatchRender(); // so that setElement+setDate rendering are joined
+ newView.setElement($("
").appendTo(this.contentEl));
+ this.toolbarsManager.proxyCall('activateButton', viewType);
+ }
+ if (this.view) {
+ // prevent unnecessary change firing
+ if (this.view.get('businessHourGenerator') !== this.businessHourGenerator) {
+ this.view.set('businessHourGenerator', this.businessHourGenerator);
+ }
+ this.view.setDate(this.currentDate);
+ if (newView) {
+ newView.stopBatchRender();
+ }
+ }
+ this.thawContentHeight();
+ };
+ // Unrenders the current view and reflects this change in the Header.
+ // Unregsiters the `view`, but does not remove from viewByType hash.
+ Calendar.prototype.clearView = function () {
+ var currentView = this.view;
+ this.toolbarsManager.proxyCall('deactivateButton', currentView.type);
+ this.unbindViewHandlers(currentView);
+ currentView.removeElement();
+ currentView.unsetDate(); // so bindViewHandlers doesn't fire with old values next time
+ this.view = null;
+ };
+ // Destroys the view, including the view object. Then, re-instantiates it and renders it.
+ // Maintains the same scroll state.
+ // TODO: maintain any other user-manipulated state.
+ Calendar.prototype.reinitView = function () {
+ var oldView = this.view;
+ var scroll = oldView.queryScroll(); // wouldn't be so complicated if Calendar owned the scroll
+ this.freezeContentHeight();
+ this.clearView();
+ this.calcSize();
+ this.renderView(oldView.type); // needs the type to freshly render
+ this.view.applyScroll(scroll);
+ this.thawContentHeight();
+ };
+ // Resizing
+ // -----------------------------------------------------------------------------------
+ Calendar.prototype.getSuggestedViewHeight = function () {
+ if (this.suggestedViewHeight == null) {
+ this.calcSize();
+ }
+ return this.suggestedViewHeight;
+ };
+ Calendar.prototype.isHeightAuto = function () {
+ return this.opt('contentHeight') === 'auto' || this.opt('height') === 'auto';
+ };
+ Calendar.prototype.updateViewSize = function (isResize) {
+ if (isResize === void 0) { isResize = false; }
+ var view = this.view;
+ var scroll;
+ if (!this.ignoreUpdateViewSize && view) {
+ if (isResize) {
+ this.calcSize();
+ scroll = view.queryScroll();
+ }
+ this.ignoreUpdateViewSize++;
+ view.updateSize(this.getSuggestedViewHeight(), this.isHeightAuto(), isResize);
+ this.ignoreUpdateViewSize--;
+ if (isResize) {
+ view.applyScroll(scroll);
+ }
+ return true; // signal success
+ }
+ };
+ Calendar.prototype.calcSize = function () {
+ if (this.elementVisible()) {
+ this._calcSize();
+ }
+ };
+ Calendar.prototype._calcSize = function () {
+ var contentHeightInput = this.opt('contentHeight');
+ var heightInput = this.opt('height');
+ if (typeof contentHeightInput === 'number') { // exists and not 'auto'
+ this.suggestedViewHeight = contentHeightInput;
+ }
+ else if (typeof contentHeightInput === 'function') { // exists and is a function
+ this.suggestedViewHeight = contentHeightInput();
+ }
+ else if (typeof heightInput === 'number') { // exists and not 'auto'
+ this.suggestedViewHeight = heightInput - this.queryToolbarsHeight();
+ }
+ else if (typeof heightInput === 'function') { // exists and is a function
+ this.suggestedViewHeight = heightInput() - this.queryToolbarsHeight();
+ }
+ else if (heightInput === 'parent') { // set to height of parent element
+ this.suggestedViewHeight = this.el.parent().height() - this.queryToolbarsHeight();
+ }
+ else {
+ this.suggestedViewHeight = Math.round(this.contentEl.width() /
+ Math.max(this.opt('aspectRatio'), .5));
+ }
+ };
+ Calendar.prototype.windowResize = function (ev) {
+ if (
+ // the purpose: so we don't process jqui "resize" events that have bubbled up
+ // cast to any because .target, which is Element, can't be compared to window for some reason.
+ ev.target === window &&
+ this.view &&
+ this.view.isDatesRendered) {
+ if (this.updateViewSize(true)) { // isResize=true, returns true on success
+ this.publiclyTrigger('windowResize', [this.view]);
+ }
+ }
+ };
+ /* Height "Freezing"
+ -----------------------------------------------------------------------------*/
+ Calendar.prototype.freezeContentHeight = function () {
+ if (!(this.freezeContentHeightDepth++)) {
+ this.forceFreezeContentHeight();
+ }
+ };
+ Calendar.prototype.forceFreezeContentHeight = function () {
+ this.contentEl.css({
+ width: '100%',
+ height: this.contentEl.height(),
+ overflow: 'hidden'
+ });
+ };
+ Calendar.prototype.thawContentHeight = function () {
+ this.freezeContentHeightDepth--;
+ // always bring back to natural height
+ this.contentEl.css({
+ width: '',
+ height: '',
+ overflow: ''
+ });
+ // but if there are future thaws, re-freeze
+ if (this.freezeContentHeightDepth) {
+ this.forceFreezeContentHeight();
+ }
+ };
+ // Toolbar
+ // -----------------------------------------------------------------------------------------------------------------
+ Calendar.prototype.initToolbars = function () {
+ this.header = new Toolbar_1.default(this, this.computeHeaderOptions());
+ this.footer = new Toolbar_1.default(this, this.computeFooterOptions());
+ this.toolbarsManager = new Iterator_1.default([this.header, this.footer]);
+ };
+ Calendar.prototype.computeHeaderOptions = function () {
+ return {
+ extraClasses: 'fc-header-toolbar',
+ layout: this.opt('header')
+ };
+ };
+ Calendar.prototype.computeFooterOptions = function () {
+ return {
+ extraClasses: 'fc-footer-toolbar',
+ layout: this.opt('footer')
+ };
+ };
+ // can be called repeatedly and Header will rerender
+ Calendar.prototype.renderHeader = function () {
+ var header = this.header;
+ header.setToolbarOptions(this.computeHeaderOptions());
+ header.render();
+ if (header.el) {
+ this.el.prepend(header.el);
+ }
+ };
+ // can be called repeatedly and Footer will rerender
+ Calendar.prototype.renderFooter = function () {
+ var footer = this.footer;
+ footer.setToolbarOptions(this.computeFooterOptions());
+ footer.render();
+ if (footer.el) {
+ this.el.append(footer.el);
+ }
+ };
+ Calendar.prototype.setToolbarsTitle = function (title) {
+ this.toolbarsManager.proxyCall('updateTitle', title);
+ };
+ Calendar.prototype.updateToolbarButtons = function (dateProfile) {
+ var now = this.getNow();
+ var view = this.view;
+ var todayInfo = view.dateProfileGenerator.build(now);
+ var prevInfo = view.dateProfileGenerator.buildPrev(view.get('dateProfile'));
+ var nextInfo = view.dateProfileGenerator.buildNext(view.get('dateProfile'));
+ this.toolbarsManager.proxyCall((todayInfo.isValid && !dateProfile.currentUnzonedRange.containsDate(now)) ?
+ 'enableButton' :
+ 'disableButton', 'today');
+ this.toolbarsManager.proxyCall(prevInfo.isValid ?
+ 'enableButton' :
+ 'disableButton', 'prev');
+ this.toolbarsManager.proxyCall(nextInfo.isValid ?
+ 'enableButton' :
+ 'disableButton', 'next');
+ };
+ Calendar.prototype.queryToolbarsHeight = function () {
+ return this.toolbarsManager.items.reduce(function (accumulator, toolbar) {
+ var toolbarHeight = toolbar.el ? toolbar.el.outerHeight(true) : 0; // includes margin
+ return accumulator + toolbarHeight;
+ }, 0);
+ };
+ // Selection
+ // -----------------------------------------------------------------------------------------------------------------
+ // this public method receives start/end dates in any format, with any timezone
+ Calendar.prototype.select = function (zonedStartInput, zonedEndInput) {
+ this.view.select(this.buildSelectFootprint.apply(this, arguments));
+ };
+ Calendar.prototype.unselect = function () {
+ if (this.view) {
+ this.view.unselect();
+ }
+ };
+ // Given arguments to the select method in the API, returns a span (unzoned start/end and other info)
+ Calendar.prototype.buildSelectFootprint = function (zonedStartInput, zonedEndInput) {
+ var start = this.moment(zonedStartInput).stripZone();
+ var end;
+ if (zonedEndInput) {
+ end = this.moment(zonedEndInput).stripZone();
+ }
+ else if (start.hasTime()) {
+ end = start.clone().add(this.defaultTimedEventDuration);
+ }
+ else {
+ end = start.clone().add(this.defaultAllDayEventDuration);
+ }
+ return new ComponentFootprint_1.default(new UnzonedRange_1.default(start, end), !start.hasTime());
+ };
+ // Date Utils
+ // -----------------------------------------------------------------------------------------------------------------
+ Calendar.prototype.initMomentInternals = function () {
+ var _this = this;
+ this.defaultAllDayEventDuration = moment.duration(this.opt('defaultAllDayEventDuration'));
+ this.defaultTimedEventDuration = moment.duration(this.opt('defaultTimedEventDuration'));
+ // Called immediately, and when any of the options change.
+ // Happens before any internal objects rebuild or rerender, because this is very core.
+ this.optionsManager.watch('buildingMomentLocale', [
+ '?locale', '?monthNames', '?monthNamesShort', '?dayNames', '?dayNamesShort',
+ '?firstDay', '?weekNumberCalculation'
+ ], function (opts) {
+ var weekNumberCalculation = opts.weekNumberCalculation;
+ var firstDay = opts.firstDay;
+ var _week;
+ // normalize
+ if (weekNumberCalculation === 'iso') {
+ weekNumberCalculation = 'ISO'; // normalize
+ }
+ var localeData = Object.create(// make a cheap copy
+ locale_1.getMomentLocaleData(opts.locale) // will fall back to en
+ );
+ if (opts.monthNames) {
+ localeData._months = opts.monthNames;
+ }
+ if (opts.monthNamesShort) {
+ localeData._monthsShort = opts.monthNamesShort;
+ }
+ if (opts.dayNames) {
+ localeData._weekdays = opts.dayNames;
+ }
+ if (opts.dayNamesShort) {
+ localeData._weekdaysShort = opts.dayNamesShort;
+ }
+ if (firstDay == null && weekNumberCalculation === 'ISO') {
+ firstDay = 1;
+ }
+ if (firstDay != null) {
+ _week = Object.create(localeData._week); // _week: { dow: # }
+ _week.dow = firstDay;
+ localeData._week = _week;
+ }
+ if ( // whitelist certain kinds of input
+ weekNumberCalculation === 'ISO' ||
+ weekNumberCalculation === 'local' ||
+ typeof weekNumberCalculation === 'function') {
+ localeData._fullCalendar_weekCalc = weekNumberCalculation; // moment-ext will know what to do with it
+ }
+ _this.localeData = localeData;
+ // If the internal current date object already exists, move to new locale.
+ // We do NOT need to do this technique for event dates, because this happens when converting to "segments".
+ if (_this.currentDate) {
+ _this.localizeMoment(_this.currentDate); // sets to localeData
+ }
+ });
+ };
+ // Builds a moment using the settings of the current calendar: timezone and locale.
+ // Accepts anything the vanilla moment() constructor accepts.
+ Calendar.prototype.moment = function () {
+ var args = [];
+ for (var _i = 0; _i < arguments.length; _i++) {
+ args[_i] = arguments[_i];
+ }
+ var mom;
+ if (this.opt('timezone') === 'local') {
+ mom = moment_ext_1.default.apply(null, args);
+ // Force the moment to be local, because momentExt doesn't guarantee it.
+ if (mom.hasTime()) { // don't give ambiguously-timed moments a local zone
+ mom.local();
+ }
+ }
+ else if (this.opt('timezone') === 'UTC') {
+ mom = moment_ext_1.default.utc.apply(null, args); // process as UTC
+ }
+ else {
+ mom = moment_ext_1.default.parseZone.apply(null, args); // let the input decide the zone
+ }
+ this.localizeMoment(mom); // TODO
+ return mom;
+ };
+ Calendar.prototype.msToMoment = function (ms, forceAllDay) {
+ var mom = moment_ext_1.default.utc(ms); // TODO: optimize by using Date.UTC
+ if (forceAllDay) {
+ mom.stripTime();
+ }
+ else {
+ mom = this.applyTimezone(mom); // may or may not apply locale
+ }
+ this.localizeMoment(mom);
+ return mom;
+ };
+ Calendar.prototype.msToUtcMoment = function (ms, forceAllDay) {
+ var mom = moment_ext_1.default.utc(ms); // TODO: optimize by using Date.UTC
+ if (forceAllDay) {
+ mom.stripTime();
+ }
+ this.localizeMoment(mom);
+ return mom;
+ };
+ // Updates the given moment's locale settings to the current calendar locale settings.
+ Calendar.prototype.localizeMoment = function (mom) {
+ mom._locale = this.localeData;
+ };
+ // Returns a boolean about whether or not the calendar knows how to calculate
+ // the timezone offset of arbitrary dates in the current timezone.
+ Calendar.prototype.getIsAmbigTimezone = function () {
+ return this.opt('timezone') !== 'local' && this.opt('timezone') !== 'UTC';
+ };
+ // Returns a copy of the given date in the current timezone. Has no effect on dates without times.
+ Calendar.prototype.applyTimezone = function (date) {
+ if (!date.hasTime()) {
+ return date.clone();
+ }
+ var zonedDate = this.moment(date.toArray());
+ var timeAdjust = date.time().asMilliseconds() - zonedDate.time().asMilliseconds();
+ var adjustedZonedDate;
+ // Safari sometimes has problems with this coersion when near DST. Adjust if necessary. (bug #2396)
+ if (timeAdjust) { // is the time result different than expected?
+ adjustedZonedDate = zonedDate.clone().add(timeAdjust); // add milliseconds
+ if (date.time().asMilliseconds() - adjustedZonedDate.time().asMilliseconds() === 0) { // does it match perfectly now?
+ zonedDate = adjustedZonedDate;
+ }
+ }
+ return zonedDate;
+ };
+ /*
+ Assumes the footprint is non-open-ended.
+ */
+ Calendar.prototype.footprintToDateProfile = function (componentFootprint, ignoreEnd) {
+ if (ignoreEnd === void 0) { ignoreEnd = false; }
+ var start = moment_ext_1.default.utc(componentFootprint.unzonedRange.startMs);
+ var end;
+ if (!ignoreEnd) {
+ end = moment_ext_1.default.utc(componentFootprint.unzonedRange.endMs);
+ }
+ if (componentFootprint.isAllDay) {
+ start.stripTime();
+ if (end) {
+ end.stripTime();
+ }
+ }
+ else {
+ start = this.applyTimezone(start);
+ if (end) {
+ end = this.applyTimezone(end);
+ }
+ }
+ this.localizeMoment(start);
+ if (end) {
+ this.localizeMoment(end);
+ }
+ return new EventDateProfile_1.default(start, end, this);
+ };
+ // Returns a moment for the current date, as defined by the client's computer or from the `now` option.
+ // Will return an moment with an ambiguous timezone.
+ Calendar.prototype.getNow = function () {
+ var now = this.opt('now');
+ if (typeof now === 'function') {
+ now = now();
+ }
+ return this.moment(now).stripZone();
+ };
+ // Produces a human-readable string for the given duration.
+ // Side-effect: changes the locale of the given duration.
+ Calendar.prototype.humanizeDuration = function (duration) {
+ return duration.locale(this.opt('locale')).humanize();
+ };
+ // will return `null` if invalid range
+ Calendar.prototype.parseUnzonedRange = function (rangeInput) {
+ var start = null;
+ var end = null;
+ if (rangeInput.start) {
+ start = this.moment(rangeInput.start).stripZone();
+ }
+ if (rangeInput.end) {
+ end = this.moment(rangeInput.end).stripZone();
+ }
+ if (!start && !end) {
+ return null;
+ }
+ if (start && end && end.isBefore(start)) {
+ return null;
+ }
+ return new UnzonedRange_1.default(start, end);
+ };
+ // Event-Date Utilities
+ // -----------------------------------------------------------------------------------------------------------------
+ Calendar.prototype.initEventManager = function () {
+ var _this = this;
+ var eventManager = new EventManager_1.default(this);
+ var rawSources = this.opt('eventSources') || [];
+ var singleRawSource = this.opt('events');
+ this.eventManager = eventManager;
+ if (singleRawSource) {
+ rawSources.unshift(singleRawSource);
+ }
+ eventManager.on('release', function (eventsPayload) {
+ _this.trigger('eventsReset', eventsPayload);
+ });
+ eventManager.freeze();
+ rawSources.forEach(function (rawSource) {
+ var source = EventSourceParser_1.default.parse(rawSource, _this);
+ if (source) {
+ eventManager.addSource(source);
+ }
+ });
+ eventManager.thaw();
+ };
+ Calendar.prototype.requestEvents = function (start, end) {
+ return this.eventManager.requestEvents(start, end, this.opt('timezone'), !this.opt('lazyFetching'));
+ };
+ // Get an event's normalized end date. If not present, calculate it from the defaults.
+ Calendar.prototype.getEventEnd = function (event) {
+ if (event.end) {
+ return event.end.clone();
+ }
+ else {
+ return this.getDefaultEventEnd(event.allDay, event.start);
+ }
+ };
+ // Given an event's allDay status and start date, return what its fallback end date should be.
+ // TODO: rename to computeDefaultEventEnd
+ Calendar.prototype.getDefaultEventEnd = function (allDay, zonedStart) {
+ var end = zonedStart.clone();
+ if (allDay) {
+ end.stripTime().add(this.defaultAllDayEventDuration);
+ }
+ else {
+ end.add(this.defaultTimedEventDuration);
+ }
+ if (this.getIsAmbigTimezone()) {
+ end.stripZone(); // we don't know what the tzo should be
+ }
+ return end;
+ };
+ // Public Events API
+ // -----------------------------------------------------------------------------------------------------------------
+ Calendar.prototype.rerenderEvents = function () {
+ this.view.flash('displayingEvents');
+ };
+ Calendar.prototype.refetchEvents = function () {
+ this.eventManager.refetchAllSources();
+ };
+ Calendar.prototype.renderEvents = function (eventInputs, isSticky) {
+ this.eventManager.freeze();
+ for (var i = 0; i < eventInputs.length; i++) {
+ this.renderEvent(eventInputs[i], isSticky);
+ }
+ this.eventManager.thaw();
+ };
+ Calendar.prototype.renderEvent = function (eventInput, isSticky) {
+ if (isSticky === void 0) { isSticky = false; }
+ var eventManager = this.eventManager;
+ var eventDef = EventDefParser_1.default.parse(eventInput, eventInput.source || eventManager.stickySource);
+ if (eventDef) {
+ eventManager.addEventDef(eventDef, isSticky);
+ }
+ };
+ // legacyQuery operates on legacy event instance objects
+ Calendar.prototype.removeEvents = function (legacyQuery) {
+ var eventManager = this.eventManager;
+ var legacyInstances = [];
+ var idMap = {};
+ var eventDef;
+ var i;
+ if (legacyQuery == null) { // shortcut for removing all
+ eventManager.removeAllEventDefs(); // persist=true
+ }
+ else {
+ eventManager.getEventInstances().forEach(function (eventInstance) {
+ legacyInstances.push(eventInstance.toLegacy());
+ });
+ legacyInstances = filterLegacyEventInstances(legacyInstances, legacyQuery);
+ // compute unique IDs
+ for (i = 0; i < legacyInstances.length; i++) {
+ eventDef = this.eventManager.getEventDefByUid(legacyInstances[i]._id);
+ idMap[eventDef.id] = true;
+ }
+ eventManager.freeze();
+ for (i in idMap) { // reuse `i` as an "id"
+ eventManager.removeEventDefsById(i); // persist=true
+ }
+ eventManager.thaw();
+ }
+ };
+ // legacyQuery operates on legacy event instance objects
+ Calendar.prototype.clientEvents = function (legacyQuery) {
+ var legacyEventInstances = [];
+ this.eventManager.getEventInstances().forEach(function (eventInstance) {
+ legacyEventInstances.push(eventInstance.toLegacy());
+ });
+ return filterLegacyEventInstances(legacyEventInstances, legacyQuery);
+ };
+ Calendar.prototype.updateEvents = function (eventPropsArray) {
+ this.eventManager.freeze();
+ for (var i = 0; i < eventPropsArray.length; i++) {
+ this.updateEvent(eventPropsArray[i]);
+ }
+ this.eventManager.thaw();
+ };
+ Calendar.prototype.updateEvent = function (eventProps) {
+ var eventDef = this.eventManager.getEventDefByUid(eventProps._id);
+ var eventInstance;
+ var eventDefMutation;
+ if (eventDef instanceof SingleEventDef_1.default) {
+ eventInstance = eventDef.buildInstance();
+ eventDefMutation = EventDefMutation_1.default.createFromRawProps(eventInstance, eventProps, // raw props
+ null // largeUnit -- who uses it?
+ );
+ this.eventManager.mutateEventsWithId(eventDef.id, eventDefMutation); // will release
+ }
+ };
+ // Public Event Sources API
+ // ------------------------------------------------------------------------------------
+ Calendar.prototype.getEventSources = function () {
+ return this.eventManager.otherSources.slice(); // clone
+ };
+ Calendar.prototype.getEventSourceById = function (id) {
+ return this.eventManager.getSourceById(EventSource_1.default.normalizeId(id));
+ };
+ Calendar.prototype.addEventSource = function (sourceInput) {
+ var source = EventSourceParser_1.default.parse(sourceInput, this);
+ if (source) {
+ this.eventManager.addSource(source);
+ }
+ };
+ Calendar.prototype.removeEventSources = function (sourceMultiQuery) {
+ var eventManager = this.eventManager;
+ var sources;
+ var i;
+ if (sourceMultiQuery == null) {
+ this.eventManager.removeAllSources();
+ }
+ else {
+ sources = eventManager.multiQuerySources(sourceMultiQuery);
+ eventManager.freeze();
+ for (i = 0; i < sources.length; i++) {
+ eventManager.removeSource(sources[i]);
+ }
+ eventManager.thaw();
+ }
+ };
+ Calendar.prototype.removeEventSource = function (sourceQuery) {
+ var eventManager = this.eventManager;
+ var sources = eventManager.querySources(sourceQuery);
+ var i;
+ eventManager.freeze();
+ for (i = 0; i < sources.length; i++) {
+ eventManager.removeSource(sources[i]);
+ }
+ eventManager.thaw();
+ };
+ Calendar.prototype.refetchEventSources = function (sourceMultiQuery) {
+ var eventManager = this.eventManager;
+ var sources = eventManager.multiQuerySources(sourceMultiQuery);
+ var i;
+ eventManager.freeze();
+ for (i = 0; i < sources.length; i++) {
+ eventManager.refetchSource(sources[i]);
+ }
+ eventManager.thaw();
+ };
+ // not for internal use. use options module directly instead.
+ Calendar.defaults = options_1.globalDefaults;
+ Calendar.englishDefaults = options_1.englishDefaults;
+ Calendar.rtlDefaults = options_1.rtlDefaults;
+ return Calendar;
+}());
+exports.default = Calendar;
+EmitterMixin_1.default.mixInto(Calendar);
+ListenerMixin_1.default.mixInto(Calendar);
+function filterLegacyEventInstances(legacyEventInstances, legacyQuery) {
+ if (legacyQuery == null) {
+ return legacyEventInstances;
+ }
+ else if ($.isFunction(legacyQuery)) {
+ return legacyEventInstances.filter(legacyQuery);
+ }
+ else { // an event ID
+ legacyQuery += ''; // normalize to string
+ return legacyEventInstances.filter(function (legacyEventInstance) {
+ // soft comparison because id not be normalized to string
+ // tslint:disable-next-line
+ return legacyEventInstance.id == legacyQuery ||
+ legacyEventInstance._id === legacyQuery; // can specify internal id, but must exactly match
+ });
+ }
+}
+
+
+/***/ }),
+/* 233 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var moment = __webpack_require__(0);
+var exportHooks = __webpack_require__(18);
+var util_1 = __webpack_require__(4);
+var moment_ext_1 = __webpack_require__(11);
+var ListenerMixin_1 = __webpack_require__(7);
+var HitDragListener_1 = __webpack_require__(17);
+var SingleEventDef_1 = __webpack_require__(9);
+var EventInstanceGroup_1 = __webpack_require__(20);
+var EventSource_1 = __webpack_require__(6);
+var Interaction_1 = __webpack_require__(14);
+var ExternalDropping = /** @class */ (function (_super) {
+ tslib_1.__extends(ExternalDropping, _super);
+ function ExternalDropping() {
+ var _this = _super !== null && _super.apply(this, arguments) || this;
+ _this.isDragging = false; // jqui-dragging an external element? boolean
+ return _this;
+ }
+ /*
+ component impements:
+ - eventRangesToEventFootprints
+ - isEventInstanceGroupAllowed
+ - isExternalInstanceGroupAllowed
+ - renderDrag
+ - unrenderDrag
+ */
+ ExternalDropping.prototype.end = function () {
+ if (this.dragListener) {
+ this.dragListener.endInteraction();
+ }
+ };
+ ExternalDropping.prototype.bindToDocument = function () {
+ this.listenTo($(document), {
+ dragstart: this.handleDragStart,
+ sortstart: this.handleDragStart // jqui
+ });
+ };
+ ExternalDropping.prototype.unbindFromDocument = function () {
+ this.stopListeningTo($(document));
+ };
+ // Called when a jQuery UI drag is initiated anywhere in the DOM
+ ExternalDropping.prototype.handleDragStart = function (ev, ui) {
+ var el;
+ var accept;
+ if (this.opt('droppable')) { // only listen if this setting is on
+ el = $((ui ? ui.item : null) || ev.target);
+ // Test that the dragged element passes the dropAccept selector or filter function.
+ // FYI, the default is "*" (matches all)
+ accept = this.opt('dropAccept');
+ if ($.isFunction(accept) ? accept.call(el[0], el) : el.is(accept)) {
+ if (!this.isDragging) { // prevent double-listening if fired twice
+ this.listenToExternalDrag(el, ev, ui);
+ }
+ }
+ }
+ };
+ // Called when a jQuery UI drag starts and it needs to be monitored for dropping
+ ExternalDropping.prototype.listenToExternalDrag = function (el, ev, ui) {
+ var _this = this;
+ var component = this.component;
+ var view = this.view;
+ var meta = getDraggedElMeta(el); // extra data about event drop, including possible event to create
+ var singleEventDef; // a null value signals an unsuccessful drag
+ // listener that tracks mouse movement over date-associated pixel regions
+ var dragListener = this.dragListener = new HitDragListener_1.default(component, {
+ interactionStart: function () {
+ _this.isDragging = true;
+ },
+ hitOver: function (hit) {
+ var isAllowed = true;
+ var hitFootprint = hit.component.getSafeHitFootprint(hit); // hit might not belong to this grid
+ var mutatedEventInstanceGroup;
+ if (hitFootprint) {
+ singleEventDef = _this.computeExternalDrop(hitFootprint, meta);
+ if (singleEventDef) {
+ mutatedEventInstanceGroup = new EventInstanceGroup_1.default(singleEventDef.buildInstances());
+ isAllowed = meta.eventProps ? // isEvent?
+ component.isEventInstanceGroupAllowed(mutatedEventInstanceGroup) :
+ component.isExternalInstanceGroupAllowed(mutatedEventInstanceGroup);
+ }
+ else {
+ isAllowed = false;
+ }
+ }
+ else {
+ isAllowed = false;
+ }
+ if (!isAllowed) {
+ singleEventDef = null;
+ util_1.disableCursor();
+ }
+ if (singleEventDef) {
+ component.renderDrag(// called without a seg parameter
+ component.eventRangesToEventFootprints(mutatedEventInstanceGroup.sliceRenderRanges(component.dateProfile.renderUnzonedRange, view.calendar)));
+ }
+ },
+ hitOut: function () {
+ singleEventDef = null; // signal unsuccessful
+ },
+ hitDone: function () {
+ util_1.enableCursor();
+ component.unrenderDrag();
+ },
+ interactionEnd: function (ev) {
+ if (singleEventDef) { // element was dropped on a valid hit
+ view.reportExternalDrop(singleEventDef, Boolean(meta.eventProps), // isEvent
+ Boolean(meta.stick), // isSticky
+ el, ev, ui);
+ }
+ _this.isDragging = false;
+ _this.dragListener = null;
+ }
+ });
+ dragListener.startDrag(ev); // start listening immediately
+ };
+ // Given a hit to be dropped upon, and misc data associated with the jqui drag (guaranteed to be a plain object),
+ // returns the zoned start/end dates for the event that would result from the hypothetical drop. end might be null.
+ // Returning a null value signals an invalid drop hit.
+ // DOES NOT consider overlap/constraint.
+ // Assumes both footprints are non-open-ended.
+ ExternalDropping.prototype.computeExternalDrop = function (componentFootprint, meta) {
+ var calendar = this.view.calendar;
+ var start = moment_ext_1.default.utc(componentFootprint.unzonedRange.startMs).stripZone();
+ var end;
+ var eventDef;
+ if (componentFootprint.isAllDay) {
+ // if dropped on an all-day span, and element's metadata specified a time, set it
+ if (meta.startTime) {
+ start.time(meta.startTime);
+ }
+ else {
+ start.stripTime();
+ }
+ }
+ if (meta.duration) {
+ end = start.clone().add(meta.duration);
+ }
+ start = calendar.applyTimezone(start);
+ if (end) {
+ end = calendar.applyTimezone(end);
+ }
+ eventDef = SingleEventDef_1.default.parse($.extend({}, meta.eventProps, {
+ start: start,
+ end: end
+ }), new EventSource_1.default(calendar));
+ return eventDef;
+ };
+ return ExternalDropping;
+}(Interaction_1.default));
+exports.default = ExternalDropping;
+ListenerMixin_1.default.mixInto(ExternalDropping);
+/* External-Dragging-Element Data
+----------------------------------------------------------------------------------------------------------------------*/
+// Require all HTML5 data-* attributes used by FullCalendar to have this prefix.
+// A value of '' will query attributes like data-event. A value of 'fc' will query attributes like data-fc-event.
+exportHooks.dataAttrPrefix = '';
+// Given a jQuery element that might represent a dragged FullCalendar event, returns an intermediate data structure
+// to be used for Event Object creation.
+// A defined `.eventProps`, even when empty, indicates that an event should be created.
+function getDraggedElMeta(el) {
+ var prefix = exportHooks.dataAttrPrefix;
+ var eventProps; // properties for creating the event, not related to date/time
+ var startTime; // a Duration
+ var duration;
+ var stick;
+ if (prefix) {
+ prefix += '-';
+ }
+ eventProps = el.data(prefix + 'event') || null;
+ if (eventProps) {
+ if (typeof eventProps === 'object') {
+ eventProps = $.extend({}, eventProps); // make a copy
+ }
+ else { // something like 1 or true. still signal event creation
+ eventProps = {};
+ }
+ // pluck special-cased date/time properties
+ startTime = eventProps.start;
+ if (startTime == null) {
+ startTime = eventProps.time;
+ } // accept 'time' as well
+ duration = eventProps.duration;
+ stick = eventProps.stick;
+ delete eventProps.start;
+ delete eventProps.time;
+ delete eventProps.duration;
+ delete eventProps.stick;
+ }
+ // fallback to standalone attribute values for each of the date/time properties
+ if (startTime == null) {
+ startTime = el.data(prefix + 'start');
+ }
+ if (startTime == null) {
+ startTime = el.data(prefix + 'time');
+ } // accept 'time' as well
+ if (duration == null) {
+ duration = el.data(prefix + 'duration');
+ }
+ if (stick == null) {
+ stick = el.data(prefix + 'stick');
+ }
+ // massage into correct data types
+ startTime = startTime != null ? moment.duration(startTime) : null;
+ duration = duration != null ? moment.duration(duration) : null;
+ stick = Boolean(stick);
+ return { eventProps: eventProps, startTime: startTime, duration: duration, stick: stick };
+}
+
+
+/***/ }),
+/* 234 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var util_1 = __webpack_require__(4);
+var EventDefMutation_1 = __webpack_require__(39);
+var EventDefDateMutation_1 = __webpack_require__(40);
+var HitDragListener_1 = __webpack_require__(17);
+var Interaction_1 = __webpack_require__(14);
+var EventResizing = /** @class */ (function (_super) {
+ tslib_1.__extends(EventResizing, _super);
+ /*
+ component impements:
+ - bindSegHandlerToEl
+ - publiclyTrigger
+ - diffDates
+ - eventRangesToEventFootprints
+ - isEventInstanceGroupAllowed
+ - getSafeHitFootprint
+ */
+ function EventResizing(component, eventPointing) {
+ var _this = _super.call(this, component) || this;
+ _this.isResizing = false;
+ _this.eventPointing = eventPointing;
+ return _this;
+ }
+ EventResizing.prototype.end = function () {
+ if (this.dragListener) {
+ this.dragListener.endInteraction();
+ }
+ };
+ EventResizing.prototype.bindToEl = function (el) {
+ var component = this.component;
+ component.bindSegHandlerToEl(el, 'mousedown', this.handleMouseDown.bind(this));
+ component.bindSegHandlerToEl(el, 'touchstart', this.handleTouchStart.bind(this));
+ };
+ EventResizing.prototype.handleMouseDown = function (seg, ev) {
+ if (this.component.canStartResize(seg, ev)) {
+ this.buildDragListener(seg, $(ev.target).is('.fc-start-resizer'))
+ .startInteraction(ev, { distance: 5 });
+ }
+ };
+ EventResizing.prototype.handleTouchStart = function (seg, ev) {
+ if (this.component.canStartResize(seg, ev)) {
+ this.buildDragListener(seg, $(ev.target).is('.fc-start-resizer'))
+ .startInteraction(ev);
+ }
+ };
+ // Creates a listener that tracks the user as they resize an event segment.
+ // Generic enough to work with any type of Grid.
+ EventResizing.prototype.buildDragListener = function (seg, isStart) {
+ var _this = this;
+ var component = this.component;
+ var view = this.view;
+ var calendar = view.calendar;
+ var eventManager = calendar.eventManager;
+ var el = seg.el;
+ var eventDef = seg.footprint.eventDef;
+ var eventInstance = seg.footprint.eventInstance;
+ var isDragging;
+ var resizeMutation; // zoned event date properties. falsy if invalid resize
+ // Tracks mouse movement over the *grid's* coordinate map
+ var dragListener = this.dragListener = new HitDragListener_1.default(component, {
+ scroll: this.opt('dragScroll'),
+ subjectEl: el,
+ interactionStart: function () {
+ isDragging = false;
+ },
+ dragStart: function (ev) {
+ isDragging = true;
+ // ensure a mouseout on the manipulated event has been reported
+ _this.eventPointing.handleMouseout(seg, ev);
+ _this.segResizeStart(seg, ev);
+ },
+ hitOver: function (hit, isOrig, origHit) {
+ var isAllowed = true;
+ var origHitFootprint = component.getSafeHitFootprint(origHit);
+ var hitFootprint = component.getSafeHitFootprint(hit);
+ var mutatedEventInstanceGroup;
+ if (origHitFootprint && hitFootprint) {
+ resizeMutation = isStart ?
+ _this.computeEventStartResizeMutation(origHitFootprint, hitFootprint, seg.footprint) :
+ _this.computeEventEndResizeMutation(origHitFootprint, hitFootprint, seg.footprint);
+ if (resizeMutation) {
+ mutatedEventInstanceGroup = eventManager.buildMutatedEventInstanceGroup(eventDef.id, resizeMutation);
+ isAllowed = component.isEventInstanceGroupAllowed(mutatedEventInstanceGroup);
+ }
+ else {
+ isAllowed = false;
+ }
+ }
+ else {
+ isAllowed = false;
+ }
+ if (!isAllowed) {
+ resizeMutation = null;
+ util_1.disableCursor();
+ }
+ else if (resizeMutation.isEmpty()) {
+ // no change. (FYI, event dates might have zones)
+ resizeMutation = null;
+ }
+ if (resizeMutation) {
+ view.hideEventsWithId(seg.footprint.eventDef.id);
+ view.renderEventResize(component.eventRangesToEventFootprints(mutatedEventInstanceGroup.sliceRenderRanges(component.dateProfile.renderUnzonedRange, calendar)), seg);
+ }
+ },
+ hitOut: function () {
+ resizeMutation = null;
+ },
+ hitDone: function () {
+ view.unrenderEventResize(seg);
+ view.showEventsWithId(seg.footprint.eventDef.id);
+ util_1.enableCursor();
+ },
+ interactionEnd: function (ev) {
+ if (isDragging) {
+ _this.segResizeStop(seg, ev);
+ }
+ if (resizeMutation) { // valid date to resize to?
+ // no need to re-show original, will rerender all anyways. esp important if eventRenderWait
+ view.reportEventResize(eventInstance, resizeMutation, el, ev);
+ }
+ _this.dragListener = null;
+ }
+ });
+ return dragListener;
+ };
+ // Called before event segment resizing starts
+ EventResizing.prototype.segResizeStart = function (seg, ev) {
+ this.isResizing = true;
+ this.component.publiclyTrigger('eventResizeStart', {
+ context: seg.el[0],
+ args: [
+ seg.footprint.getEventLegacy(),
+ ev,
+ {},
+ this.view
+ ]
+ });
+ };
+ // Called after event segment resizing stops
+ EventResizing.prototype.segResizeStop = function (seg, ev) {
+ this.isResizing = false;
+ this.component.publiclyTrigger('eventResizeStop', {
+ context: seg.el[0],
+ args: [
+ seg.footprint.getEventLegacy(),
+ ev,
+ {},
+ this.view
+ ]
+ });
+ };
+ // Returns new date-information for an event segment being resized from its start
+ EventResizing.prototype.computeEventStartResizeMutation = function (startFootprint, endFootprint, origEventFootprint) {
+ var origRange = origEventFootprint.componentFootprint.unzonedRange;
+ var startDelta = this.component.diffDates(endFootprint.unzonedRange.getStart(), startFootprint.unzonedRange.getStart());
+ var dateMutation;
+ var eventDefMutation;
+ if (origRange.getStart().add(startDelta) < origRange.getEnd()) {
+ dateMutation = new EventDefDateMutation_1.default();
+ dateMutation.setStartDelta(startDelta);
+ eventDefMutation = new EventDefMutation_1.default();
+ eventDefMutation.setDateMutation(dateMutation);
+ return eventDefMutation;
+ }
+ return false;
+ };
+ // Returns new date-information for an event segment being resized from its end
+ EventResizing.prototype.computeEventEndResizeMutation = function (startFootprint, endFootprint, origEventFootprint) {
+ var origRange = origEventFootprint.componentFootprint.unzonedRange;
+ var endDelta = this.component.diffDates(endFootprint.unzonedRange.getEnd(), startFootprint.unzonedRange.getEnd());
+ var dateMutation;
+ var eventDefMutation;
+ if (origRange.getEnd().add(endDelta) > origRange.getStart()) {
+ dateMutation = new EventDefDateMutation_1.default();
+ dateMutation.setEndDelta(endDelta);
+ eventDefMutation = new EventDefMutation_1.default();
+ eventDefMutation.setDateMutation(dateMutation);
+ return eventDefMutation;
+ }
+ return false;
+ };
+ return EventResizing;
+}(Interaction_1.default));
+exports.default = EventResizing;
+
+
+/***/ }),
+/* 235 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var util_1 = __webpack_require__(4);
+var EventDefMutation_1 = __webpack_require__(39);
+var EventDefDateMutation_1 = __webpack_require__(40);
+var DragListener_1 = __webpack_require__(59);
+var HitDragListener_1 = __webpack_require__(17);
+var MouseFollower_1 = __webpack_require__(226);
+var Interaction_1 = __webpack_require__(14);
+var EventDragging = /** @class */ (function (_super) {
+ tslib_1.__extends(EventDragging, _super);
+ /*
+ component implements:
+ - bindSegHandlerToEl
+ - publiclyTrigger
+ - diffDates
+ - eventRangesToEventFootprints
+ - isEventInstanceGroupAllowed
+ */
+ function EventDragging(component, eventPointing) {
+ var _this = _super.call(this, component) || this;
+ _this.isDragging = false;
+ _this.eventPointing = eventPointing;
+ return _this;
+ }
+ EventDragging.prototype.end = function () {
+ if (this.dragListener) {
+ this.dragListener.endInteraction();
+ }
+ };
+ EventDragging.prototype.getSelectionDelay = function () {
+ var delay = this.opt('eventLongPressDelay');
+ if (delay == null) {
+ delay = this.opt('longPressDelay'); // fallback
+ }
+ return delay;
+ };
+ EventDragging.prototype.bindToEl = function (el) {
+ var component = this.component;
+ component.bindSegHandlerToEl(el, 'mousedown', this.handleMousedown.bind(this));
+ component.bindSegHandlerToEl(el, 'touchstart', this.handleTouchStart.bind(this));
+ };
+ EventDragging.prototype.handleMousedown = function (seg, ev) {
+ if (!this.component.shouldIgnoreMouse() &&
+ this.component.canStartDrag(seg, ev)) {
+ this.buildDragListener(seg).startInteraction(ev, { distance: 5 });
+ }
+ };
+ EventDragging.prototype.handleTouchStart = function (seg, ev) {
+ var component = this.component;
+ var settings = {
+ delay: this.view.isEventDefSelected(seg.footprint.eventDef) ? // already selected?
+ 0 : this.getSelectionDelay()
+ };
+ if (component.canStartDrag(seg, ev)) {
+ this.buildDragListener(seg).startInteraction(ev, settings);
+ }
+ else if (component.canStartSelection(seg, ev)) {
+ this.buildSelectListener(seg).startInteraction(ev, settings);
+ }
+ };
+ // seg isn't draggable, but let's use a generic DragListener
+ // simply for the delay, so it can be selected.
+ // Has side effect of setting/unsetting `dragListener`
+ EventDragging.prototype.buildSelectListener = function (seg) {
+ var _this = this;
+ var view = this.view;
+ var eventDef = seg.footprint.eventDef;
+ var eventInstance = seg.footprint.eventInstance; // null for inverse-background events
+ if (this.dragListener) {
+ return this.dragListener;
+ }
+ var dragListener = this.dragListener = new DragListener_1.default({
+ dragStart: function (ev) {
+ if (dragListener.isTouch &&
+ !view.isEventDefSelected(eventDef) &&
+ eventInstance) {
+ // if not previously selected, will fire after a delay. then, select the event
+ view.selectEventInstance(eventInstance);
+ }
+ },
+ interactionEnd: function (ev) {
+ _this.dragListener = null;
+ }
+ });
+ return dragListener;
+ };
+ // Builds a listener that will track user-dragging on an event segment.
+ // Generic enough to work with any type of Grid.
+ // Has side effect of setting/unsetting `dragListener`
+ EventDragging.prototype.buildDragListener = function (seg) {
+ var _this = this;
+ var component = this.component;
+ var view = this.view;
+ var calendar = view.calendar;
+ var eventManager = calendar.eventManager;
+ var el = seg.el;
+ var eventDef = seg.footprint.eventDef;
+ var eventInstance = seg.footprint.eventInstance; // null for inverse-background events
+ var isDragging;
+ var mouseFollower; // A clone of the original element that will move with the mouse
+ var eventDefMutation;
+ if (this.dragListener) {
+ return this.dragListener;
+ }
+ // Tracks mouse movement over the *view's* coordinate map. Allows dragging and dropping between subcomponents
+ // of the view.
+ var dragListener = this.dragListener = new HitDragListener_1.default(view, {
+ scroll: this.opt('dragScroll'),
+ subjectEl: el,
+ subjectCenter: true,
+ interactionStart: function (ev) {
+ seg.component = component; // for renderDrag
+ isDragging = false;
+ mouseFollower = new MouseFollower_1.default(seg.el, {
+ additionalClass: 'fc-dragging',
+ parentEl: view.el,
+ opacity: dragListener.isTouch ? null : _this.opt('dragOpacity'),
+ revertDuration: _this.opt('dragRevertDuration'),
+ zIndex: 2 // one above the .fc-view
+ });
+ mouseFollower.hide(); // don't show until we know this is a real drag
+ mouseFollower.start(ev);
+ },
+ dragStart: function (ev) {
+ if (dragListener.isTouch &&
+ !view.isEventDefSelected(eventDef) &&
+ eventInstance) {
+ // if not previously selected, will fire after a delay. then, select the event
+ view.selectEventInstance(eventInstance);
+ }
+ isDragging = true;
+ // ensure a mouseout on the manipulated event has been reported
+ _this.eventPointing.handleMouseout(seg, ev);
+ _this.segDragStart(seg, ev);
+ view.hideEventsWithId(seg.footprint.eventDef.id);
+ },
+ hitOver: function (hit, isOrig, origHit) {
+ var isAllowed = true;
+ var origFootprint;
+ var footprint;
+ var mutatedEventInstanceGroup;
+ // starting hit could be forced (DayGrid.limit)
+ if (seg.hit) {
+ origHit = seg.hit;
+ }
+ // hit might not belong to this grid, so query origin grid
+ origFootprint = origHit.component.getSafeHitFootprint(origHit);
+ footprint = hit.component.getSafeHitFootprint(hit);
+ if (origFootprint && footprint) {
+ eventDefMutation = _this.computeEventDropMutation(origFootprint, footprint, eventDef);
+ if (eventDefMutation) {
+ mutatedEventInstanceGroup = eventManager.buildMutatedEventInstanceGroup(eventDef.id, eventDefMutation);
+ isAllowed = component.isEventInstanceGroupAllowed(mutatedEventInstanceGroup);
+ }
+ else {
+ isAllowed = false;
+ }
+ }
+ else {
+ isAllowed = false;
+ }
+ if (!isAllowed) {
+ eventDefMutation = null;
+ util_1.disableCursor();
+ }
+ // if a valid drop location, have the subclass render a visual indication
+ if (eventDefMutation &&
+ view.renderDrag(// truthy if rendered something
+ component.eventRangesToEventFootprints(mutatedEventInstanceGroup.sliceRenderRanges(component.dateProfile.renderUnzonedRange, calendar)), seg, dragListener.isTouch)) {
+ mouseFollower.hide(); // if the subclass is already using a mock event "helper", hide our own
+ }
+ else {
+ mouseFollower.show(); // otherwise, have the helper follow the mouse (no snapping)
+ }
+ if (isOrig) {
+ // needs to have moved hits to be a valid drop
+ eventDefMutation = null;
+ }
+ },
+ hitOut: function () {
+ view.unrenderDrag(seg); // unrender whatever was done in renderDrag
+ mouseFollower.show(); // show in case we are moving out of all hits
+ eventDefMutation = null;
+ },
+ hitDone: function () {
+ util_1.enableCursor();
+ },
+ interactionEnd: function (ev) {
+ delete seg.component; // prevent side effects
+ // do revert animation if hasn't changed. calls a callback when finished (whether animation or not)
+ mouseFollower.stop(!eventDefMutation, function () {
+ if (isDragging) {
+ view.unrenderDrag(seg);
+ _this.segDragStop(seg, ev);
+ }
+ view.showEventsWithId(seg.footprint.eventDef.id);
+ if (eventDefMutation) {
+ // no need to re-show original, will rerender all anyways. esp important if eventRenderWait
+ view.reportEventDrop(eventInstance, eventDefMutation, el, ev);
+ }
+ });
+ _this.dragListener = null;
+ }
+ });
+ return dragListener;
+ };
+ // Called before event segment dragging starts
+ EventDragging.prototype.segDragStart = function (seg, ev) {
+ this.isDragging = true;
+ this.component.publiclyTrigger('eventDragStart', {
+ context: seg.el[0],
+ args: [
+ seg.footprint.getEventLegacy(),
+ ev,
+ {},
+ this.view
+ ]
+ });
+ };
+ // Called after event segment dragging stops
+ EventDragging.prototype.segDragStop = function (seg, ev) {
+ this.isDragging = false;
+ this.component.publiclyTrigger('eventDragStop', {
+ context: seg.el[0],
+ args: [
+ seg.footprint.getEventLegacy(),
+ ev,
+ {},
+ this.view
+ ]
+ });
+ };
+ // DOES NOT consider overlap/constraint
+ EventDragging.prototype.computeEventDropMutation = function (startFootprint, endFootprint, eventDef) {
+ var eventDefMutation = new EventDefMutation_1.default();
+ eventDefMutation.setDateMutation(this.computeEventDateMutation(startFootprint, endFootprint));
+ return eventDefMutation;
+ };
+ EventDragging.prototype.computeEventDateMutation = function (startFootprint, endFootprint) {
+ var date0 = startFootprint.unzonedRange.getStart();
+ var date1 = endFootprint.unzonedRange.getStart();
+ var clearEnd = false;
+ var forceTimed = false;
+ var forceAllDay = false;
+ var dateDelta;
+ var dateMutation;
+ if (startFootprint.isAllDay !== endFootprint.isAllDay) {
+ clearEnd = true;
+ if (endFootprint.isAllDay) {
+ forceAllDay = true;
+ date0.stripTime();
+ }
+ else {
+ forceTimed = true;
+ }
+ }
+ dateDelta = this.component.diffDates(date1, date0);
+ dateMutation = new EventDefDateMutation_1.default();
+ dateMutation.clearEnd = clearEnd;
+ dateMutation.forceTimed = forceTimed;
+ dateMutation.forceAllDay = forceAllDay;
+ dateMutation.setDateDelta(dateDelta);
+ return dateMutation;
+ };
+ return EventDragging;
+}(Interaction_1.default));
+exports.default = EventDragging;
+
+
+/***/ }),
+/* 236 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var util_1 = __webpack_require__(4);
+var HitDragListener_1 = __webpack_require__(17);
+var ComponentFootprint_1 = __webpack_require__(12);
+var UnzonedRange_1 = __webpack_require__(5);
+var Interaction_1 = __webpack_require__(14);
+var DateSelecting = /** @class */ (function (_super) {
+ tslib_1.__extends(DateSelecting, _super);
+ /*
+ component must implement:
+ - bindDateHandlerToEl
+ - getSafeHitFootprint
+ - renderHighlight
+ - unrenderHighlight
+ */
+ function DateSelecting(component) {
+ var _this = _super.call(this, component) || this;
+ _this.dragListener = _this.buildDragListener();
+ return _this;
+ }
+ DateSelecting.prototype.end = function () {
+ this.dragListener.endInteraction();
+ };
+ DateSelecting.prototype.getDelay = function () {
+ var delay = this.opt('selectLongPressDelay');
+ if (delay == null) {
+ delay = this.opt('longPressDelay'); // fallback
+ }
+ return delay;
+ };
+ DateSelecting.prototype.bindToEl = function (el) {
+ var _this = this;
+ var component = this.component;
+ var dragListener = this.dragListener;
+ component.bindDateHandlerToEl(el, 'mousedown', function (ev) {
+ if (_this.opt('selectable') && !component.shouldIgnoreMouse()) {
+ dragListener.startInteraction(ev, {
+ distance: _this.opt('selectMinDistance')
+ });
+ }
+ });
+ component.bindDateHandlerToEl(el, 'touchstart', function (ev) {
+ if (_this.opt('selectable') && !component.shouldIgnoreTouch()) {
+ dragListener.startInteraction(ev, {
+ delay: _this.getDelay()
+ });
+ }
+ });
+ util_1.preventSelection(el);
+ };
+ // Creates a listener that tracks the user's drag across day elements, for day selecting.
+ DateSelecting.prototype.buildDragListener = function () {
+ var _this = this;
+ var component = this.component;
+ var selectionFootprint; // null if invalid selection
+ var dragListener = new HitDragListener_1.default(component, {
+ scroll: this.opt('dragScroll'),
+ interactionStart: function () {
+ selectionFootprint = null;
+ },
+ dragStart: function (ev) {
+ _this.view.unselect(ev); // since we could be rendering a new selection, we want to clear any old one
+ },
+ hitOver: function (hit, isOrig, origHit) {
+ var origHitFootprint;
+ var hitFootprint;
+ if (origHit) { // click needs to have started on a hit
+ origHitFootprint = component.getSafeHitFootprint(origHit);
+ hitFootprint = component.getSafeHitFootprint(hit);
+ if (origHitFootprint && hitFootprint) {
+ selectionFootprint = _this.computeSelection(origHitFootprint, hitFootprint);
+ }
+ else {
+ selectionFootprint = null;
+ }
+ if (selectionFootprint) {
+ component.renderSelectionFootprint(selectionFootprint);
+ }
+ else if (selectionFootprint === false) {
+ util_1.disableCursor();
+ }
+ }
+ },
+ hitOut: function () {
+ selectionFootprint = null;
+ component.unrenderSelection();
+ },
+ hitDone: function () {
+ util_1.enableCursor();
+ },
+ interactionEnd: function (ev, isCancelled) {
+ if (!isCancelled && selectionFootprint) {
+ // the selection will already have been rendered. just report it
+ _this.view.reportSelection(selectionFootprint, ev);
+ }
+ }
+ });
+ return dragListener;
+ };
+ // Given the first and last date-spans of a selection, returns another date-span object.
+ // Subclasses can override and provide additional data in the span object. Will be passed to renderSelectionFootprint().
+ // Will return false if the selection is invalid and this should be indicated to the user.
+ // Will return null/undefined if a selection invalid but no error should be reported.
+ DateSelecting.prototype.computeSelection = function (footprint0, footprint1) {
+ var wholeFootprint = this.computeSelectionFootprint(footprint0, footprint1);
+ if (wholeFootprint && !this.isSelectionFootprintAllowed(wholeFootprint)) {
+ return false;
+ }
+ return wholeFootprint;
+ };
+ // Given two spans, must return the combination of the two.
+ // TODO: do this separation of concerns (combining VS validation) for event dnd/resize too.
+ // Assumes both footprints are non-open-ended.
+ DateSelecting.prototype.computeSelectionFootprint = function (footprint0, footprint1) {
+ var ms = [
+ footprint0.unzonedRange.startMs,
+ footprint0.unzonedRange.endMs,
+ footprint1.unzonedRange.startMs,
+ footprint1.unzonedRange.endMs
+ ];
+ ms.sort(util_1.compareNumbers);
+ return new ComponentFootprint_1.default(new UnzonedRange_1.default(ms[0], ms[3]), footprint0.isAllDay);
+ };
+ DateSelecting.prototype.isSelectionFootprintAllowed = function (componentFootprint) {
+ return this.component.dateProfile.validUnzonedRange.containsRange(componentFootprint.unzonedRange) &&
+ this.view.calendar.constraints.isSelectionFootprintAllowed(componentFootprint);
+ };
+ return DateSelecting;
+}(Interaction_1.default));
+exports.default = DateSelecting;
+
+
+/***/ }),
+/* 237 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var HitDragListener_1 = __webpack_require__(17);
+var Interaction_1 = __webpack_require__(14);
+var DateClicking = /** @class */ (function (_super) {
+ tslib_1.__extends(DateClicking, _super);
+ /*
+ component must implement:
+ - bindDateHandlerToEl
+ - getSafeHitFootprint
+ - getHitEl
+ */
+ function DateClicking(component) {
+ var _this = _super.call(this, component) || this;
+ _this.dragListener = _this.buildDragListener();
+ return _this;
+ }
+ DateClicking.prototype.end = function () {
+ this.dragListener.endInteraction();
+ };
+ DateClicking.prototype.bindToEl = function (el) {
+ var component = this.component;
+ var dragListener = this.dragListener;
+ component.bindDateHandlerToEl(el, 'mousedown', function (ev) {
+ if (!component.shouldIgnoreMouse()) {
+ dragListener.startInteraction(ev);
+ }
+ });
+ component.bindDateHandlerToEl(el, 'touchstart', function (ev) {
+ if (!component.shouldIgnoreTouch()) {
+ dragListener.startInteraction(ev);
+ }
+ });
+ };
+ // Creates a listener that tracks the user's drag across day elements, for day clicking.
+ DateClicking.prototype.buildDragListener = function () {
+ var _this = this;
+ var component = this.component;
+ var dayClickHit; // null if invalid dayClick
+ var dragListener = new HitDragListener_1.default(component, {
+ scroll: this.opt('dragScroll'),
+ interactionStart: function () {
+ dayClickHit = dragListener.origHit;
+ },
+ hitOver: function (hit, isOrig, origHit) {
+ // if user dragged to another cell at any point, it can no longer be a dayClick
+ if (!isOrig) {
+ dayClickHit = null;
+ }
+ },
+ hitOut: function () {
+ dayClickHit = null;
+ },
+ interactionEnd: function (ev, isCancelled) {
+ var componentFootprint;
+ if (!isCancelled && dayClickHit) {
+ componentFootprint = component.getSafeHitFootprint(dayClickHit);
+ if (componentFootprint) {
+ _this.view.triggerDayClick(componentFootprint, component.getHitEl(dayClickHit), ev);
+ }
+ }
+ }
+ });
+ // because dragListener won't be called with any time delay, "dragging" will begin immediately,
+ // which will kill any touchmoving/scrolling. Prevent this.
+ dragListener.shouldCancelTouchScroll = false;
+ dragListener.scrollAlwaysKills = true;
+ return dragListener;
+ };
+ return DateClicking;
+}(Interaction_1.default));
+exports.default = DateClicking;
+
+
+/***/ }),
+/* 238 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var moment = __webpack_require__(0);
+var $ = __webpack_require__(3);
+var util_1 = __webpack_require__(4);
+var Scroller_1 = __webpack_require__(41);
+var View_1 = __webpack_require__(43);
+var TimeGrid_1 = __webpack_require__(239);
+var DayGrid_1 = __webpack_require__(66);
+var AGENDA_ALL_DAY_EVENT_LIMIT = 5;
+var agendaTimeGridMethods;
+var agendaDayGridMethods;
+/* An abstract class for all agenda-related views. Displays one more columns with time slots running vertically.
+----------------------------------------------------------------------------------------------------------------------*/
+// Is a manager for the TimeGrid subcomponent and possibly the DayGrid subcomponent (if allDaySlot is on).
+// Responsible for managing width/height.
+var AgendaView = /** @class */ (function (_super) {
+ tslib_1.__extends(AgendaView, _super);
+ function AgendaView(calendar, viewSpec) {
+ var _this = _super.call(this, calendar, viewSpec) || this;
+ _this.usesMinMaxTime = true; // indicates that minTime/maxTime affects rendering
+ _this.timeGrid = _this.instantiateTimeGrid();
+ _this.addChild(_this.timeGrid);
+ if (_this.opt('allDaySlot')) { // should we display the "all-day" area?
+ _this.dayGrid = _this.instantiateDayGrid(); // the all-day subcomponent of this view
+ _this.addChild(_this.dayGrid);
+ }
+ _this.scroller = new Scroller_1.default({
+ overflowX: 'hidden',
+ overflowY: 'auto'
+ });
+ return _this;
+ }
+ // Instantiates the TimeGrid object this view needs. Draws from this.timeGridClass
+ AgendaView.prototype.instantiateTimeGrid = function () {
+ var timeGrid = new this.timeGridClass(this);
+ util_1.copyOwnProps(agendaTimeGridMethods, timeGrid);
+ return timeGrid;
+ };
+ // Instantiates the DayGrid object this view might need. Draws from this.dayGridClass
+ AgendaView.prototype.instantiateDayGrid = function () {
+ var dayGrid = new this.dayGridClass(this);
+ util_1.copyOwnProps(agendaDayGridMethods, dayGrid);
+ return dayGrid;
+ };
+ /* Rendering
+ ------------------------------------------------------------------------------------------------------------------*/
+ AgendaView.prototype.renderSkeleton = function () {
+ var timeGridWrapEl;
+ var timeGridEl;
+ this.el.addClass('fc-agenda-view').html(this.renderSkeletonHtml());
+ this.scroller.render();
+ timeGridWrapEl = this.scroller.el.addClass('fc-time-grid-container');
+ timeGridEl = $('
').appendTo(timeGridWrapEl);
+ this.el.find('.fc-body > tr > td').append(timeGridWrapEl);
+ this.timeGrid.headContainerEl = this.el.find('.fc-head-container');
+ this.timeGrid.setElement(timeGridEl);
+ if (this.dayGrid) {
+ this.dayGrid.setElement(this.el.find('.fc-day-grid'));
+ // have the day-grid extend it's coordinate area over the
dividing the two grids
+ this.dayGrid.bottomCoordPadding = this.dayGrid.el.next('hr').outerHeight();
+ }
+ };
+ AgendaView.prototype.unrenderSkeleton = function () {
+ this.timeGrid.removeElement();
+ if (this.dayGrid) {
+ this.dayGrid.removeElement();
+ }
+ this.scroller.destroy();
+ };
+ // Builds the HTML skeleton for the view.
+ // The day-grid and time-grid components will render inside containers defined by this HTML.
+ AgendaView.prototype.renderSkeletonHtml = function () {
+ var theme = this.calendar.theme;
+ return '' +
+ '
' +
+ (this.opt('columnHeader') ?
+ '' +
+ '' +
+ '' +
+ '
' +
+ '' :
+ '') +
+ '' +
+ '' +
+ '' +
+ (this.dayGrid ?
+ '' +
+ '' :
+ '') +
+ ' | ' +
+ '
' +
+ '' +
+ '
';
+ };
+ // Generates an HTML attribute string for setting the width of the axis, if it is known
+ AgendaView.prototype.axisStyleAttr = function () {
+ if (this.axisWidth != null) {
+ return 'style="width:' + this.axisWidth + 'px"';
+ }
+ return '';
+ };
+ /* Now Indicator
+ ------------------------------------------------------------------------------------------------------------------*/
+ AgendaView.prototype.getNowIndicatorUnit = function () {
+ return this.timeGrid.getNowIndicatorUnit();
+ };
+ /* Dimensions
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Adjusts the vertical dimensions of the view to the specified values
+ AgendaView.prototype.updateSize = function (totalHeight, isAuto, isResize) {
+ var eventLimit;
+ var scrollerHeight;
+ var scrollbarWidths;
+ _super.prototype.updateSize.call(this, totalHeight, isAuto, isResize);
+ // make all axis cells line up, and record the width so newly created axis cells will have it
+ this.axisWidth = util_1.matchCellWidths(this.el.find('.fc-axis'));
+ // hack to give the view some height prior to timeGrid's columns being rendered
+ // TODO: separate setting height from scroller VS timeGrid.
+ if (!this.timeGrid.colEls) {
+ if (!isAuto) {
+ scrollerHeight = this.computeScrollerHeight(totalHeight);
+ this.scroller.setHeight(scrollerHeight);
+ }
+ return;
+ }
+ // set of fake row elements that must compensate when scroller has scrollbars
+ var noScrollRowEls = this.el.find('.fc-row:not(.fc-scroller *)');
+ // reset all dimensions back to the original state
+ this.timeGrid.bottomRuleEl.hide(); // .show() will be called later if this
is necessary
+ this.scroller.clear(); // sets height to 'auto' and clears overflow
+ util_1.uncompensateScroll(noScrollRowEls);
+ // limit number of events in the all-day area
+ if (this.dayGrid) {
+ this.dayGrid.removeSegPopover(); // kill the "more" popover if displayed
+ eventLimit = this.opt('eventLimit');
+ if (eventLimit && typeof eventLimit !== 'number') {
+ eventLimit = AGENDA_ALL_DAY_EVENT_LIMIT; // make sure "auto" goes to a real number
+ }
+ if (eventLimit) {
+ this.dayGrid.limitRows(eventLimit);
+ }
+ }
+ if (!isAuto) { // should we force dimensions of the scroll container?
+ scrollerHeight = this.computeScrollerHeight(totalHeight);
+ this.scroller.setHeight(scrollerHeight);
+ scrollbarWidths = this.scroller.getScrollbarWidths();
+ if (scrollbarWidths.left || scrollbarWidths.right) { // using scrollbars?
+ // make the all-day and header rows lines up
+ util_1.compensateScroll(noScrollRowEls, scrollbarWidths);
+ // the scrollbar compensation might have changed text flow, which might affect height, so recalculate
+ // and reapply the desired height to the scroller.
+ scrollerHeight = this.computeScrollerHeight(totalHeight);
+ this.scroller.setHeight(scrollerHeight);
+ }
+ // guarantees the same scrollbar widths
+ this.scroller.lockOverflow(scrollbarWidths);
+ // if there's any space below the slats, show the horizontal rule.
+ // this won't cause any new overflow, because lockOverflow already called.
+ if (this.timeGrid.getTotalSlatHeight() < scrollerHeight) {
+ this.timeGrid.bottomRuleEl.show();
+ }
+ }
+ };
+ // given a desired total height of the view, returns what the height of the scroller should be
+ AgendaView.prototype.computeScrollerHeight = function (totalHeight) {
+ return totalHeight -
+ util_1.subtractInnerElHeight(this.el, this.scroller.el); // everything that's NOT the scroller
+ };
+ /* Scroll
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Computes the initial pre-configured scroll state prior to allowing the user to change it
+ AgendaView.prototype.computeInitialDateScroll = function () {
+ var scrollTime = moment.duration(this.opt('scrollTime'));
+ var top = this.timeGrid.computeTimeTop(scrollTime);
+ // zoom can give weird floating-point values. rather scroll a little bit further
+ top = Math.ceil(top);
+ if (top) {
+ top++; // to overcome top border that slots beyond the first have. looks better
+ }
+ return { top: top };
+ };
+ AgendaView.prototype.queryDateScroll = function () {
+ return { top: this.scroller.getScrollTop() };
+ };
+ AgendaView.prototype.applyDateScroll = function (scroll) {
+ if (scroll.top !== undefined) {
+ this.scroller.setScrollTop(scroll.top);
+ }
+ };
+ /* Hit Areas
+ ------------------------------------------------------------------------------------------------------------------*/
+ // forward all hit-related method calls to the grids (dayGrid might not be defined)
+ AgendaView.prototype.getHitFootprint = function (hit) {
+ // TODO: hit.component is set as a hack to identify where the hit came from
+ return hit.component.getHitFootprint(hit);
+ };
+ AgendaView.prototype.getHitEl = function (hit) {
+ // TODO: hit.component is set as a hack to identify where the hit came from
+ return hit.component.getHitEl(hit);
+ };
+ /* Event Rendering
+ ------------------------------------------------------------------------------------------------------------------*/
+ AgendaView.prototype.executeEventRender = function (eventsPayload) {
+ var dayEventsPayload = {};
+ var timedEventsPayload = {};
+ var id;
+ var eventInstanceGroup;
+ // separate the events into all-day and timed
+ for (id in eventsPayload) {
+ eventInstanceGroup = eventsPayload[id];
+ if (eventInstanceGroup.getEventDef().isAllDay()) {
+ dayEventsPayload[id] = eventInstanceGroup;
+ }
+ else {
+ timedEventsPayload[id] = eventInstanceGroup;
+ }
+ }
+ this.timeGrid.executeEventRender(timedEventsPayload);
+ if (this.dayGrid) {
+ this.dayGrid.executeEventRender(dayEventsPayload);
+ }
+ };
+ /* Dragging/Resizing Routing
+ ------------------------------------------------------------------------------------------------------------------*/
+ // A returned value of `true` signals that a mock "helper" event has been rendered.
+ AgendaView.prototype.renderDrag = function (eventFootprints, seg, isTouch) {
+ var groups = groupEventFootprintsByAllDay(eventFootprints);
+ var renderedHelper = false;
+ renderedHelper = this.timeGrid.renderDrag(groups.timed, seg, isTouch);
+ if (this.dayGrid) {
+ renderedHelper = this.dayGrid.renderDrag(groups.allDay, seg, isTouch) || renderedHelper;
+ }
+ return renderedHelper;
+ };
+ AgendaView.prototype.renderEventResize = function (eventFootprints, seg, isTouch) {
+ var groups = groupEventFootprintsByAllDay(eventFootprints);
+ this.timeGrid.renderEventResize(groups.timed, seg, isTouch);
+ if (this.dayGrid) {
+ this.dayGrid.renderEventResize(groups.allDay, seg, isTouch);
+ }
+ };
+ /* Selection
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Renders a visual indication of a selection
+ AgendaView.prototype.renderSelectionFootprint = function (componentFootprint) {
+ if (!componentFootprint.isAllDay) {
+ this.timeGrid.renderSelectionFootprint(componentFootprint);
+ }
+ else if (this.dayGrid) {
+ this.dayGrid.renderSelectionFootprint(componentFootprint);
+ }
+ };
+ return AgendaView;
+}(View_1.default));
+exports.default = AgendaView;
+AgendaView.prototype.timeGridClass = TimeGrid_1.default;
+AgendaView.prototype.dayGridClass = DayGrid_1.default;
+// Will customize the rendering behavior of the AgendaView's timeGrid
+agendaTimeGridMethods = {
+ // Generates the HTML that will go before the day-of week header cells
+ renderHeadIntroHtml: function () {
+ var view = this.view;
+ var calendar = view.calendar;
+ var weekStart = calendar.msToUtcMoment(this.dateProfile.renderUnzonedRange.startMs, true);
+ var weekText;
+ if (this.opt('weekNumbers')) {
+ weekText = weekStart.format(this.opt('smallWeekFormat'));
+ return '' +
+ '';
+ }
+ else {
+ return '';
+ }
+ },
+ // Generates the HTML that goes before the bg of the TimeGrid slot area. Long vertical column.
+ renderBgIntroHtml: function () {
+ var view = this.view;
+ return '
| ';
+ },
+ // Generates the HTML that goes before all other types of cells.
+ // Affects content-skeleton, helper-skeleton, highlight-skeleton for both the time-grid and day-grid.
+ renderIntroHtml: function () {
+ var view = this.view;
+ return '
| ';
+ }
+};
+// Will customize the rendering behavior of the AgendaView's dayGrid
+agendaDayGridMethods = {
+ // Generates the HTML that goes before the all-day cells
+ renderBgIntroHtml: function () {
+ var view = this.view;
+ return '' +
+ '
' +
+ '' + // needed for matchCellWidths
+ view.getAllDayHtml() +
+ '' +
+ ' | ';
+ },
+ // Generates the HTML that goes before all other types of cells.
+ // Affects content-skeleton, helper-skeleton, highlight-skeleton for both the time-grid and day-grid.
+ renderIntroHtml: function () {
+ var view = this.view;
+ return '
| ';
+ }
+};
+function groupEventFootprintsByAllDay(eventFootprints) {
+ var allDay = [];
+ var timed = [];
+ var i;
+ for (i = 0; i < eventFootprints.length; i++) {
+ if (eventFootprints[i].componentFootprint.isAllDay) {
+ allDay.push(eventFootprints[i]);
+ }
+ else {
+ timed.push(eventFootprints[i]);
+ }
+ }
+ return { allDay: allDay, timed: timed };
+}
+
+
+/***/ }),
+/* 239 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var moment = __webpack_require__(0);
+var util_1 = __webpack_require__(4);
+var InteractiveDateComponent_1 = __webpack_require__(42);
+var BusinessHourRenderer_1 = __webpack_require__(61);
+var StandardInteractionsMixin_1 = __webpack_require__(65);
+var DayTableMixin_1 = __webpack_require__(60);
+var CoordCache_1 = __webpack_require__(58);
+var UnzonedRange_1 = __webpack_require__(5);
+var ComponentFootprint_1 = __webpack_require__(12);
+var TimeGridEventRenderer_1 = __webpack_require__(240);
+var TimeGridHelperRenderer_1 = __webpack_require__(241);
+var TimeGridFillRenderer_1 = __webpack_require__(242);
+/* A component that renders one or more columns of vertical time slots
+----------------------------------------------------------------------------------------------------------------------*/
+// We mixin DayTable, even though there is only a single row of days
+// potential nice values for the slot-duration and interval-duration
+// from largest to smallest
+var AGENDA_STOCK_SUB_DURATIONS = [
+ { hours: 1 },
+ { minutes: 30 },
+ { minutes: 15 },
+ { seconds: 30 },
+ { seconds: 15 }
+];
+var TimeGrid = /** @class */ (function (_super) {
+ tslib_1.__extends(TimeGrid, _super);
+ function TimeGrid(view) {
+ var _this = _super.call(this, view) || this;
+ _this.processOptions();
+ return _this;
+ }
+ // Slices up the given span (unzoned start/end with other misc data) into an array of segments
+ TimeGrid.prototype.componentFootprintToSegs = function (componentFootprint) {
+ var segs = this.sliceRangeByTimes(componentFootprint.unzonedRange);
+ var i;
+ for (i = 0; i < segs.length; i++) {
+ if (this.isRTL) {
+ segs[i].col = this.daysPerRow - 1 - segs[i].dayIndex;
+ }
+ else {
+ segs[i].col = segs[i].dayIndex;
+ }
+ }
+ return segs;
+ };
+ /* Date Handling
+ ------------------------------------------------------------------------------------------------------------------*/
+ TimeGrid.prototype.sliceRangeByTimes = function (unzonedRange) {
+ var segs = [];
+ var segRange;
+ var dayIndex;
+ for (dayIndex = 0; dayIndex < this.daysPerRow; dayIndex++) {
+ segRange = unzonedRange.intersect(this.dayRanges[dayIndex]);
+ if (segRange) {
+ segs.push({
+ startMs: segRange.startMs,
+ endMs: segRange.endMs,
+ isStart: segRange.isStart,
+ isEnd: segRange.isEnd,
+ dayIndex: dayIndex
+ });
+ }
+ }
+ return segs;
+ };
+ /* Options
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Parses various options into properties of this object
+ TimeGrid.prototype.processOptions = function () {
+ var slotDuration = this.opt('slotDuration');
+ var snapDuration = this.opt('snapDuration');
+ var input;
+ slotDuration = moment.duration(slotDuration);
+ snapDuration = snapDuration ? moment.duration(snapDuration) : slotDuration;
+ this.slotDuration = slotDuration;
+ this.snapDuration = snapDuration;
+ this.snapsPerSlot = slotDuration / snapDuration; // TODO: ensure an integer multiple?
+ // might be an array value (for TimelineView).
+ // if so, getting the most granular entry (the last one probably).
+ input = this.opt('slotLabelFormat');
+ if ($.isArray(input)) {
+ input = input[input.length - 1];
+ }
+ this.labelFormat = input ||
+ this.opt('smallTimeFormat'); // the computed default
+ input = this.opt('slotLabelInterval');
+ this.labelInterval = input ?
+ moment.duration(input) :
+ this.computeLabelInterval(slotDuration);
+ };
+ // Computes an automatic value for slotLabelInterval
+ TimeGrid.prototype.computeLabelInterval = function (slotDuration) {
+ var i;
+ var labelInterval;
+ var slotsPerLabel;
+ // find the smallest stock label interval that results in more than one slots-per-label
+ for (i = AGENDA_STOCK_SUB_DURATIONS.length - 1; i >= 0; i--) {
+ labelInterval = moment.duration(AGENDA_STOCK_SUB_DURATIONS[i]);
+ slotsPerLabel = util_1.divideDurationByDuration(labelInterval, slotDuration);
+ if (util_1.isInt(slotsPerLabel) && slotsPerLabel > 1) {
+ return labelInterval;
+ }
+ }
+ return moment.duration(slotDuration); // fall back. clone
+ };
+ /* Date Rendering
+ ------------------------------------------------------------------------------------------------------------------*/
+ TimeGrid.prototype.renderDates = function (dateProfile) {
+ this.dateProfile = dateProfile;
+ this.updateDayTable();
+ this.renderSlats();
+ this.renderColumns();
+ };
+ TimeGrid.prototype.unrenderDates = function () {
+ // this.unrenderSlats(); // don't need this because repeated .html() calls clear
+ this.unrenderColumns();
+ };
+ TimeGrid.prototype.renderSkeleton = function () {
+ var theme = this.view.calendar.theme;
+ this.el.html('
' +
+ '
' +
+ '');
+ this.bottomRuleEl = this.el.find('hr');
+ };
+ TimeGrid.prototype.renderSlats = function () {
+ var theme = this.view.calendar.theme;
+ this.slatContainerEl = this.el.find('> .fc-slats')
+ .html(// avoids needing ::unrenderSlats()
+ '
' +
+ this.renderSlatRowHtml() +
+ '
');
+ this.slatEls = this.slatContainerEl.find('tr');
+ this.slatCoordCache = new CoordCache_1.default({
+ els: this.slatEls,
+ isVertical: true
+ });
+ };
+ // Generates the HTML for the horizontal "slats" that run width-wise. Has a time axis on a side. Depends on RTL.
+ TimeGrid.prototype.renderSlatRowHtml = function () {
+ var view = this.view;
+ var calendar = view.calendar;
+ var theme = calendar.theme;
+ var isRTL = this.isRTL;
+ var dateProfile = this.dateProfile;
+ var html = '';
+ var slotTime = moment.duration(+dateProfile.minTime); // wish there was .clone() for durations
+ var slotIterator = moment.duration(0);
+ var slotDate; // will be on the view's first day, but we only care about its time
+ var isLabeled;
+ var axisHtml;
+ // Calculate the time for each slot
+ while (slotTime < dateProfile.maxTime) {
+ slotDate = calendar.msToUtcMoment(dateProfile.renderUnzonedRange.startMs).time(slotTime);
+ isLabeled = util_1.isInt(util_1.divideDurationByDuration(slotIterator, this.labelInterval));
+ axisHtml =
+ '
' +
+ (isLabeled ?
+ '' + // for matchCellWidths
+ util_1.htmlEscape(slotDate.format(this.labelFormat)) +
+ '' :
+ '') +
+ ' | ';
+ html +=
+ '
' +
+ (!isRTL ? axisHtml : '') +
+ ' | ' +
+ (isRTL ? axisHtml : '') +
+ '
';
+ slotTime.add(this.slotDuration);
+ slotIterator.add(this.slotDuration);
+ }
+ return html;
+ };
+ TimeGrid.prototype.renderColumns = function () {
+ var dateProfile = this.dateProfile;
+ var theme = this.view.calendar.theme;
+ this.dayRanges = this.dayDates.map(function (dayDate) {
+ return new UnzonedRange_1.default(dayDate.clone().add(dateProfile.minTime), dayDate.clone().add(dateProfile.maxTime));
+ });
+ if (this.headContainerEl) {
+ this.headContainerEl.html(this.renderHeadHtml());
+ }
+ this.el.find('> .fc-bg').html('
' +
+ this.renderBgTrHtml(0) + // row=0
+ '
');
+ this.colEls = this.el.find('.fc-day, .fc-disabled-day');
+ this.colCoordCache = new CoordCache_1.default({
+ els: this.colEls,
+ isHorizontal: true
+ });
+ this.renderContentSkeleton();
+ };
+ TimeGrid.prototype.unrenderColumns = function () {
+ this.unrenderContentSkeleton();
+ };
+ /* Content Skeleton
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Renders the DOM that the view's content will live in
+ TimeGrid.prototype.renderContentSkeleton = function () {
+ var cellHtml = '';
+ var i;
+ var skeletonEl;
+ for (i = 0; i < this.colCnt; i++) {
+ cellHtml +=
+ '
' +
+ '' +
+ ' ' +
+ ' ' +
+ ' ' +
+ ' ' +
+ ' ' +
+ ' ' +
+ ' | ';
+ }
+ skeletonEl = this.contentSkeletonEl = $('
' +
+ '
' +
+ '' + cellHtml + '
' +
+ '
' +
+ '
');
+ this.colContainerEls = skeletonEl.find('.fc-content-col');
+ this.helperContainerEls = skeletonEl.find('.fc-helper-container');
+ this.fgContainerEls = skeletonEl.find('.fc-event-container:not(.fc-helper-container)');
+ this.bgContainerEls = skeletonEl.find('.fc-bgevent-container');
+ this.highlightContainerEls = skeletonEl.find('.fc-highlight-container');
+ this.businessContainerEls = skeletonEl.find('.fc-business-container');
+ this.bookendCells(skeletonEl.find('tr')); // TODO: do this on string level
+ this.el.append(skeletonEl);
+ };
+ TimeGrid.prototype.unrenderContentSkeleton = function () {
+ if (this.contentSkeletonEl) { // defensive :(
+ this.contentSkeletonEl.remove();
+ this.contentSkeletonEl = null;
+ this.colContainerEls = null;
+ this.helperContainerEls = null;
+ this.fgContainerEls = null;
+ this.bgContainerEls = null;
+ this.highlightContainerEls = null;
+ this.businessContainerEls = null;
+ }
+ };
+ // Given a flat array of segments, return an array of sub-arrays, grouped by each segment's col
+ TimeGrid.prototype.groupSegsByCol = function (segs) {
+ var segsByCol = [];
+ var i;
+ for (i = 0; i < this.colCnt; i++) {
+ segsByCol.push([]);
+ }
+ for (i = 0; i < segs.length; i++) {
+ segsByCol[segs[i].col].push(segs[i]);
+ }
+ return segsByCol;
+ };
+ // Given segments grouped by column, insert the segments' elements into a parallel array of container
+ // elements, each living within a column.
+ TimeGrid.prototype.attachSegsByCol = function (segsByCol, containerEls) {
+ var col;
+ var segs;
+ var i;
+ for (col = 0; col < this.colCnt; col++) { // iterate each column grouping
+ segs = segsByCol[col];
+ for (i = 0; i < segs.length; i++) {
+ containerEls.eq(col).append(segs[i].el);
+ }
+ }
+ };
+ /* Now Indicator
+ ------------------------------------------------------------------------------------------------------------------*/
+ TimeGrid.prototype.getNowIndicatorUnit = function () {
+ return 'minute'; // will refresh on the minute
+ };
+ TimeGrid.prototype.renderNowIndicator = function (date) {
+ // HACK: if date columns not ready for some reason (scheduler)
+ if (!this.colContainerEls) {
+ return;
+ }
+ // seg system might be overkill, but it handles scenario where line needs to be rendered
+ // more than once because of columns with the same date (resources columns for example)
+ var segs = this.componentFootprintToSegs(new ComponentFootprint_1.default(new UnzonedRange_1.default(date, date.valueOf() + 1), // protect against null range
+ false // all-day
+ ));
+ var top = this.computeDateTop(date, date);
+ var nodes = [];
+ var i;
+ // render lines within the columns
+ for (i = 0; i < segs.length; i++) {
+ nodes.push($('
')
+ .css('top', top)
+ .appendTo(this.colContainerEls.eq(segs[i].col))[0]);
+ }
+ // render an arrow over the axis
+ if (segs.length > 0) { // is the current time in view?
+ nodes.push($('
')
+ .css('top', top)
+ .appendTo(this.el.find('.fc-content-skeleton'))[0]);
+ }
+ this.nowIndicatorEls = $(nodes);
+ };
+ TimeGrid.prototype.unrenderNowIndicator = function () {
+ if (this.nowIndicatorEls) {
+ this.nowIndicatorEls.remove();
+ this.nowIndicatorEls = null;
+ }
+ };
+ /* Coordinates
+ ------------------------------------------------------------------------------------------------------------------*/
+ TimeGrid.prototype.updateSize = function (totalHeight, isAuto, isResize) {
+ _super.prototype.updateSize.call(this, totalHeight, isAuto, isResize);
+ this.slatCoordCache.build();
+ if (isResize) {
+ this.updateSegVerticals([].concat(this.eventRenderer.getSegs(), this.businessSegs || []));
+ }
+ };
+ TimeGrid.prototype.getTotalSlatHeight = function () {
+ return this.slatContainerEl.outerHeight();
+ };
+ // Computes the top coordinate, relative to the bounds of the grid, of the given date.
+ // `ms` can be a millisecond UTC time OR a UTC moment.
+ // A `startOfDayDate` must be given for avoiding ambiguity over how to treat midnight.
+ TimeGrid.prototype.computeDateTop = function (ms, startOfDayDate) {
+ return this.computeTimeTop(moment.duration(ms - startOfDayDate.clone().stripTime()));
+ };
+ // Computes the top coordinate, relative to the bounds of the grid, of the given time (a Duration).
+ TimeGrid.prototype.computeTimeTop = function (time) {
+ var len = this.slatEls.length;
+ var dateProfile = this.dateProfile;
+ var slatCoverage = (time - dateProfile.minTime) / this.slotDuration; // floating-point value of # of slots covered
+ var slatIndex;
+ var slatRemainder;
+ // compute a floating-point number for how many slats should be progressed through.
+ // from 0 to number of slats (inclusive)
+ // constrained because minTime/maxTime might be customized.
+ slatCoverage = Math.max(0, slatCoverage);
+ slatCoverage = Math.min(len, slatCoverage);
+ // an integer index of the furthest whole slat
+ // from 0 to number slats (*exclusive*, so len-1)
+ slatIndex = Math.floor(slatCoverage);
+ slatIndex = Math.min(slatIndex, len - 1);
+ // how much further through the slatIndex slat (from 0.0-1.0) must be covered in addition.
+ // could be 1.0 if slatCoverage is covering *all* the slots
+ slatRemainder = slatCoverage - slatIndex;
+ return this.slatCoordCache.getTopPosition(slatIndex) +
+ this.slatCoordCache.getHeight(slatIndex) * slatRemainder;
+ };
+ // Refreshes the CSS top/bottom coordinates for each segment element.
+ // Works when called after initial render, after a window resize/zoom for example.
+ TimeGrid.prototype.updateSegVerticals = function (segs) {
+ this.computeSegVerticals(segs);
+ this.assignSegVerticals(segs);
+ };
+ // For each segment in an array, computes and assigns its top and bottom properties
+ TimeGrid.prototype.computeSegVerticals = function (segs) {
+ var eventMinHeight = this.opt('agendaEventMinHeight');
+ var i;
+ var seg;
+ var dayDate;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ dayDate = this.dayDates[seg.dayIndex];
+ seg.top = this.computeDateTop(seg.startMs, dayDate);
+ seg.bottom = Math.max(seg.top + eventMinHeight, this.computeDateTop(seg.endMs, dayDate));
+ }
+ };
+ // Given segments that already have their top/bottom properties computed, applies those values to
+ // the segments' elements.
+ TimeGrid.prototype.assignSegVerticals = function (segs) {
+ var i;
+ var seg;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ seg.el.css(this.generateSegVerticalCss(seg));
+ }
+ };
+ // Generates an object with CSS properties for the top/bottom coordinates of a segment element
+ TimeGrid.prototype.generateSegVerticalCss = function (seg) {
+ return {
+ top: seg.top,
+ bottom: -seg.bottom // flipped because needs to be space beyond bottom edge of event container
+ };
+ };
+ /* Hit System
+ ------------------------------------------------------------------------------------------------------------------*/
+ TimeGrid.prototype.prepareHits = function () {
+ this.colCoordCache.build();
+ this.slatCoordCache.build();
+ };
+ TimeGrid.prototype.releaseHits = function () {
+ this.colCoordCache.clear();
+ // NOTE: don't clear slatCoordCache because we rely on it for computeTimeTop
+ };
+ TimeGrid.prototype.queryHit = function (leftOffset, topOffset) {
+ var snapsPerSlot = this.snapsPerSlot;
+ var colCoordCache = this.colCoordCache;
+ var slatCoordCache = this.slatCoordCache;
+ if (colCoordCache.isLeftInBounds(leftOffset) && slatCoordCache.isTopInBounds(topOffset)) {
+ var colIndex = colCoordCache.getHorizontalIndex(leftOffset);
+ var slatIndex = slatCoordCache.getVerticalIndex(topOffset);
+ if (colIndex != null && slatIndex != null) {
+ var slatTop = slatCoordCache.getTopOffset(slatIndex);
+ var slatHeight = slatCoordCache.getHeight(slatIndex);
+ var partial = (topOffset - slatTop) / slatHeight; // floating point number between 0 and 1
+ var localSnapIndex = Math.floor(partial * snapsPerSlot); // the snap # relative to start of slat
+ var snapIndex = slatIndex * snapsPerSlot + localSnapIndex;
+ var snapTop = slatTop + (localSnapIndex / snapsPerSlot) * slatHeight;
+ var snapBottom = slatTop + ((localSnapIndex + 1) / snapsPerSlot) * slatHeight;
+ return {
+ col: colIndex,
+ snap: snapIndex,
+ component: this,
+ left: colCoordCache.getLeftOffset(colIndex),
+ right: colCoordCache.getRightOffset(colIndex),
+ top: snapTop,
+ bottom: snapBottom
+ };
+ }
+ }
+ };
+ TimeGrid.prototype.getHitFootprint = function (hit) {
+ var start = this.getCellDate(0, hit.col); // row=0
+ var time = this.computeSnapTime(hit.snap); // pass in the snap-index
+ var end;
+ start.time(time);
+ end = start.clone().add(this.snapDuration);
+ return new ComponentFootprint_1.default(new UnzonedRange_1.default(start, end), false // all-day?
+ );
+ };
+ // Given a row number of the grid, representing a "snap", returns a time (Duration) from its start-of-day
+ TimeGrid.prototype.computeSnapTime = function (snapIndex) {
+ return moment.duration(this.dateProfile.minTime + this.snapDuration * snapIndex);
+ };
+ TimeGrid.prototype.getHitEl = function (hit) {
+ return this.colEls.eq(hit.col);
+ };
+ /* Event Drag Visualization
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Renders a visual indication of an event being dragged over the specified date(s).
+ // A returned value of `true` signals that a mock "helper" event has been rendered.
+ TimeGrid.prototype.renderDrag = function (eventFootprints, seg, isTouch) {
+ var i;
+ if (seg) { // if there is event information for this drag, render a helper event
+ if (eventFootprints.length) {
+ this.helperRenderer.renderEventDraggingFootprints(eventFootprints, seg, isTouch);
+ // signal that a helper has been rendered
+ return true;
+ }
+ }
+ else { // otherwise, just render a highlight
+ for (i = 0; i < eventFootprints.length; i++) {
+ this.renderHighlight(eventFootprints[i].componentFootprint);
+ }
+ }
+ };
+ // Unrenders any visual indication of an event being dragged
+ TimeGrid.prototype.unrenderDrag = function () {
+ this.unrenderHighlight();
+ this.helperRenderer.unrender();
+ };
+ /* Event Resize Visualization
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Renders a visual indication of an event being resized
+ TimeGrid.prototype.renderEventResize = function (eventFootprints, seg, isTouch) {
+ this.helperRenderer.renderEventResizingFootprints(eventFootprints, seg, isTouch);
+ };
+ // Unrenders any visual indication of an event being resized
+ TimeGrid.prototype.unrenderEventResize = function () {
+ this.helperRenderer.unrender();
+ };
+ /* Selection
+ ------------------------------------------------------------------------------------------------------------------*/
+ // Renders a visual indication of a selection. Overrides the default, which was to simply render a highlight.
+ TimeGrid.prototype.renderSelectionFootprint = function (componentFootprint) {
+ if (this.opt('selectHelper')) { // this setting signals that a mock helper event should be rendered
+ this.helperRenderer.renderComponentFootprint(componentFootprint);
+ }
+ else {
+ this.renderHighlight(componentFootprint);
+ }
+ };
+ // Unrenders any visual indication of a selection
+ TimeGrid.prototype.unrenderSelection = function () {
+ this.helperRenderer.unrender();
+ this.unrenderHighlight();
+ };
+ return TimeGrid;
+}(InteractiveDateComponent_1.default));
+exports.default = TimeGrid;
+TimeGrid.prototype.eventRendererClass = TimeGridEventRenderer_1.default;
+TimeGrid.prototype.businessHourRendererClass = BusinessHourRenderer_1.default;
+TimeGrid.prototype.helperRendererClass = TimeGridHelperRenderer_1.default;
+TimeGrid.prototype.fillRendererClass = TimeGridFillRenderer_1.default;
+StandardInteractionsMixin_1.default.mixInto(TimeGrid);
+DayTableMixin_1.default.mixInto(TimeGrid);
+
+
+/***/ }),
+/* 240 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var util_1 = __webpack_require__(4);
+var EventRenderer_1 = __webpack_require__(44);
+/*
+Only handles foreground segs.
+Does not own rendering. Use for low-level util methods by TimeGrid.
+*/
+var TimeGridEventRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(TimeGridEventRenderer, _super);
+ function TimeGridEventRenderer(timeGrid, fillRenderer) {
+ var _this = _super.call(this, timeGrid, fillRenderer) || this;
+ _this.timeGrid = timeGrid;
+ return _this;
+ }
+ TimeGridEventRenderer.prototype.renderFgSegs = function (segs) {
+ this.renderFgSegsIntoContainers(segs, this.timeGrid.fgContainerEls);
+ };
+ // Given an array of foreground segments, render a DOM element for each, computes position,
+ // and attaches to the column inner-container elements.
+ TimeGridEventRenderer.prototype.renderFgSegsIntoContainers = function (segs, containerEls) {
+ var segsByCol;
+ var col;
+ segsByCol = this.timeGrid.groupSegsByCol(segs);
+ for (col = 0; col < this.timeGrid.colCnt; col++) {
+ this.updateFgSegCoords(segsByCol[col]);
+ }
+ this.timeGrid.attachSegsByCol(segsByCol, containerEls);
+ };
+ TimeGridEventRenderer.prototype.unrenderFgSegs = function () {
+ if (this.fgSegs) { // hack
+ this.fgSegs.forEach(function (seg) {
+ seg.el.remove();
+ });
+ }
+ };
+ // Computes a default event time formatting string if `timeFormat` is not explicitly defined
+ TimeGridEventRenderer.prototype.computeEventTimeFormat = function () {
+ return this.opt('noMeridiemTimeFormat'); // like "6:30" (no AM/PM)
+ };
+ // Computes a default `displayEventEnd` value if one is not expliclty defined
+ TimeGridEventRenderer.prototype.computeDisplayEventEnd = function () {
+ return true;
+ };
+ // Renders the HTML for a single event segment's default rendering
+ TimeGridEventRenderer.prototype.fgSegHtml = function (seg, disableResizing) {
+ var view = this.view;
+ var calendar = view.calendar;
+ var componentFootprint = seg.footprint.componentFootprint;
+ var isAllDay = componentFootprint.isAllDay;
+ var eventDef = seg.footprint.eventDef;
+ var isDraggable = view.isEventDefDraggable(eventDef);
+ var isResizableFromStart = !disableResizing && seg.isStart && view.isEventDefResizableFromStart(eventDef);
+ var isResizableFromEnd = !disableResizing && seg.isEnd && view.isEventDefResizableFromEnd(eventDef);
+ var classes = this.getSegClasses(seg, isDraggable, isResizableFromStart || isResizableFromEnd);
+ var skinCss = util_1.cssToStr(this.getSkinCss(eventDef));
+ var timeText;
+ var fullTimeText; // more verbose time text. for the print stylesheet
+ var startTimeText; // just the start time text
+ classes.unshift('fc-time-grid-event', 'fc-v-event');
+ // if the event appears to span more than one day...
+ if (view.isMultiDayRange(componentFootprint.unzonedRange)) {
+ // Don't display time text on segments that run entirely through a day.
+ // That would appear as midnight-midnight and would look dumb.
+ // Otherwise, display the time text for the *segment's* times (like 6pm-midnight or midnight-10am)
+ if (seg.isStart || seg.isEnd) {
+ var zonedStart = calendar.msToMoment(seg.startMs);
+ var zonedEnd = calendar.msToMoment(seg.endMs);
+ timeText = this._getTimeText(zonedStart, zonedEnd, isAllDay);
+ fullTimeText = this._getTimeText(zonedStart, zonedEnd, isAllDay, 'LT');
+ startTimeText = this._getTimeText(zonedStart, zonedEnd, isAllDay, null, false); // displayEnd=false
+ }
+ }
+ else {
+ // Display the normal time text for the *event's* times
+ timeText = this.getTimeText(seg.footprint);
+ fullTimeText = this.getTimeText(seg.footprint, 'LT');
+ startTimeText = this.getTimeText(seg.footprint, null, false); // displayEnd=false
+ }
+ return '
' +
+ '' +
+ (timeText ?
+ '
' +
+ '' + util_1.htmlEscape(timeText) + '' +
+ '
' :
+ '') +
+ (eventDef.title ?
+ '
' +
+ util_1.htmlEscape(eventDef.title) +
+ '
' :
+ '') +
+ '
' +
+ '' +
+ /* TODO: write CSS for this
+ (isResizableFromStart ?
+ '' :
+ ''
+ ) +
+ */
+ (isResizableFromEnd ?
+ '' :
+ '') +
+ '';
+ };
+ // Given segments that are assumed to all live in the *same column*,
+ // compute their verical/horizontal coordinates and assign to their elements.
+ TimeGridEventRenderer.prototype.updateFgSegCoords = function (segs) {
+ this.timeGrid.computeSegVerticals(segs); // horizontals relies on this
+ this.computeFgSegHorizontals(segs); // compute horizontal coordinates, z-index's, and reorder the array
+ this.timeGrid.assignSegVerticals(segs);
+ this.assignFgSegHorizontals(segs);
+ };
+ // Given an array of segments that are all in the same column, sets the backwardCoord and forwardCoord on each.
+ // NOTE: Also reorders the given array by date!
+ TimeGridEventRenderer.prototype.computeFgSegHorizontals = function (segs) {
+ var levels;
+ var level0;
+ var i;
+ this.sortEventSegs(segs); // order by certain criteria
+ levels = buildSlotSegLevels(segs);
+ computeForwardSlotSegs(levels);
+ if ((level0 = levels[0])) {
+ for (i = 0; i < level0.length; i++) {
+ computeSlotSegPressures(level0[i]);
+ }
+ for (i = 0; i < level0.length; i++) {
+ this.computeFgSegForwardBack(level0[i], 0, 0);
+ }
+ }
+ };
+ // Calculate seg.forwardCoord and seg.backwardCoord for the segment, where both values range
+ // from 0 to 1. If the calendar is left-to-right, the seg.backwardCoord maps to "left" and
+ // seg.forwardCoord maps to "right" (via percentage). Vice-versa if the calendar is right-to-left.
+ //
+ // The segment might be part of a "series", which means consecutive segments with the same pressure
+ // who's width is unknown until an edge has been hit. `seriesBackwardPressure` is the number of
+ // segments behind this one in the current series, and `seriesBackwardCoord` is the starting
+ // coordinate of the first segment in the series.
+ TimeGridEventRenderer.prototype.computeFgSegForwardBack = function (seg, seriesBackwardPressure, seriesBackwardCoord) {
+ var forwardSegs = seg.forwardSegs;
+ var i;
+ if (seg.forwardCoord === undefined) { // not already computed
+ if (!forwardSegs.length) {
+ // if there are no forward segments, this segment should butt up against the edge
+ seg.forwardCoord = 1;
+ }
+ else {
+ // sort highest pressure first
+ this.sortForwardSegs(forwardSegs);
+ // this segment's forwardCoord will be calculated from the backwardCoord of the
+ // highest-pressure forward segment.
+ this.computeFgSegForwardBack(forwardSegs[0], seriesBackwardPressure + 1, seriesBackwardCoord);
+ seg.forwardCoord = forwardSegs[0].backwardCoord;
+ }
+ // calculate the backwardCoord from the forwardCoord. consider the series
+ seg.backwardCoord = seg.forwardCoord -
+ (seg.forwardCoord - seriesBackwardCoord) / // available width for series
+ (seriesBackwardPressure + 1); // # of segments in the series
+ // use this segment's coordinates to computed the coordinates of the less-pressurized
+ // forward segments
+ for (i = 0; i < forwardSegs.length; i++) {
+ this.computeFgSegForwardBack(forwardSegs[i], 0, seg.forwardCoord);
+ }
+ }
+ };
+ TimeGridEventRenderer.prototype.sortForwardSegs = function (forwardSegs) {
+ forwardSegs.sort(util_1.proxy(this, 'compareForwardSegs'));
+ };
+ // A cmp function for determining which forward segment to rely on more when computing coordinates.
+ TimeGridEventRenderer.prototype.compareForwardSegs = function (seg1, seg2) {
+ // put higher-pressure first
+ return seg2.forwardPressure - seg1.forwardPressure ||
+ // put segments that are closer to initial edge first (and favor ones with no coords yet)
+ (seg1.backwardCoord || 0) - (seg2.backwardCoord || 0) ||
+ // do normal sorting...
+ this.compareEventSegs(seg1, seg2);
+ };
+ // Given foreground event segments that have already had their position coordinates computed,
+ // assigns position-related CSS values to their elements.
+ TimeGridEventRenderer.prototype.assignFgSegHorizontals = function (segs) {
+ var i;
+ var seg;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ seg.el.css(this.generateFgSegHorizontalCss(seg));
+ // if the event is short that the title will be cut off,
+ // attach a className that condenses the title into the time area.
+ if (seg.footprint.eventDef.title && seg.bottom - seg.top < 30) {
+ seg.el.addClass('fc-short'); // TODO: "condensed" is a better name
+ }
+ }
+ };
+ // Generates an object with CSS properties/values that should be applied to an event segment element.
+ // Contains important positioning-related properties that should be applied to any event element, customized or not.
+ TimeGridEventRenderer.prototype.generateFgSegHorizontalCss = function (seg) {
+ var shouldOverlap = this.opt('slotEventOverlap');
+ var backwardCoord = seg.backwardCoord; // the left side if LTR. the right side if RTL. floating-point
+ var forwardCoord = seg.forwardCoord; // the right side if LTR. the left side if RTL. floating-point
+ var props = this.timeGrid.generateSegVerticalCss(seg); // get top/bottom first
+ var isRTL = this.timeGrid.isRTL;
+ var left; // amount of space from left edge, a fraction of the total width
+ var right; // amount of space from right edge, a fraction of the total width
+ if (shouldOverlap) {
+ // double the width, but don't go beyond the maximum forward coordinate (1.0)
+ forwardCoord = Math.min(1, backwardCoord + (forwardCoord - backwardCoord) * 2);
+ }
+ if (isRTL) {
+ left = 1 - forwardCoord;
+ right = backwardCoord;
+ }
+ else {
+ left = backwardCoord;
+ right = 1 - forwardCoord;
+ }
+ props.zIndex = seg.level + 1; // convert from 0-base to 1-based
+ props.left = left * 100 + '%';
+ props.right = right * 100 + '%';
+ if (shouldOverlap && seg.forwardPressure) {
+ // add padding to the edge so that forward stacked events don't cover the resizer's icon
+ props[isRTL ? 'marginLeft' : 'marginRight'] = 10 * 2; // 10 is a guesstimate of the icon's width
+ }
+ return props;
+ };
+ return TimeGridEventRenderer;
+}(EventRenderer_1.default));
+exports.default = TimeGridEventRenderer;
+// Builds an array of segments "levels". The first level will be the leftmost tier of segments if the calendar is
+// left-to-right, or the rightmost if the calendar is right-to-left. Assumes the segments are already ordered by date.
+function buildSlotSegLevels(segs) {
+ var levels = [];
+ var i;
+ var seg;
+ var j;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ // go through all the levels and stop on the first level where there are no collisions
+ for (j = 0; j < levels.length; j++) {
+ if (!computeSlotSegCollisions(seg, levels[j]).length) {
+ break;
+ }
+ }
+ seg.level = j;
+ (levels[j] || (levels[j] = [])).push(seg);
+ }
+ return levels;
+}
+// For every segment, figure out the other segments that are in subsequent
+// levels that also occupy the same vertical space. Accumulate in seg.forwardSegs
+function computeForwardSlotSegs(levels) {
+ var i;
+ var level;
+ var j;
+ var seg;
+ var k;
+ for (i = 0; i < levels.length; i++) {
+ level = levels[i];
+ for (j = 0; j < level.length; j++) {
+ seg = level[j];
+ seg.forwardSegs = [];
+ for (k = i + 1; k < levels.length; k++) {
+ computeSlotSegCollisions(seg, levels[k], seg.forwardSegs);
+ }
+ }
+ }
+}
+// Figure out which path forward (via seg.forwardSegs) results in the longest path until
+// the furthest edge is reached. The number of segments in this path will be seg.forwardPressure
+function computeSlotSegPressures(seg) {
+ var forwardSegs = seg.forwardSegs;
+ var forwardPressure = 0;
+ var i;
+ var forwardSeg;
+ if (seg.forwardPressure === undefined) { // not already computed
+ for (i = 0; i < forwardSegs.length; i++) {
+ forwardSeg = forwardSegs[i];
+ // figure out the child's maximum forward path
+ computeSlotSegPressures(forwardSeg);
+ // either use the existing maximum, or use the child's forward pressure
+ // plus one (for the forwardSeg itself)
+ forwardPressure = Math.max(forwardPressure, 1 + forwardSeg.forwardPressure);
+ }
+ seg.forwardPressure = forwardPressure;
+ }
+}
+// Find all the segments in `otherSegs` that vertically collide with `seg`.
+// Append into an optionally-supplied `results` array and return.
+function computeSlotSegCollisions(seg, otherSegs, results) {
+ if (results === void 0) { results = []; }
+ for (var i = 0; i < otherSegs.length; i++) {
+ if (isSlotSegCollision(seg, otherSegs[i])) {
+ results.push(otherSegs[i]);
+ }
+ }
+ return results;
+}
+// Do these segments occupy the same vertical space?
+function isSlotSegCollision(seg1, seg2) {
+ return seg1.bottom > seg2.top && seg1.top < seg2.bottom;
+}
+
+
+/***/ }),
+/* 241 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var HelperRenderer_1 = __webpack_require__(63);
+var TimeGridHelperRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(TimeGridHelperRenderer, _super);
+ function TimeGridHelperRenderer() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ TimeGridHelperRenderer.prototype.renderSegs = function (segs, sourceSeg) {
+ var helperNodes = [];
+ var i;
+ var seg;
+ var sourceEl;
+ // TODO: not good to call eventRenderer this way
+ this.eventRenderer.renderFgSegsIntoContainers(segs, this.component.helperContainerEls);
+ // Try to make the segment that is in the same row as sourceSeg look the same
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ if (sourceSeg && sourceSeg.col === seg.col) {
+ sourceEl = sourceSeg.el;
+ seg.el.css({
+ left: sourceEl.css('left'),
+ right: sourceEl.css('right'),
+ 'margin-left': sourceEl.css('margin-left'),
+ 'margin-right': sourceEl.css('margin-right')
+ });
+ }
+ helperNodes.push(seg.el[0]);
+ }
+ return $(helperNodes); // must return the elements rendered
+ };
+ return TimeGridHelperRenderer;
+}(HelperRenderer_1.default));
+exports.default = TimeGridHelperRenderer;
+
+
+/***/ }),
+/* 242 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var FillRenderer_1 = __webpack_require__(62);
+var TimeGridFillRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(TimeGridFillRenderer, _super);
+ function TimeGridFillRenderer() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ TimeGridFillRenderer.prototype.attachSegEls = function (type, segs) {
+ var timeGrid = this.component;
+ var containerEls;
+ // TODO: more efficient lookup
+ if (type === 'bgEvent') {
+ containerEls = timeGrid.bgContainerEls;
+ }
+ else if (type === 'businessHours') {
+ containerEls = timeGrid.businessContainerEls;
+ }
+ else if (type === 'highlight') {
+ containerEls = timeGrid.highlightContainerEls;
+ }
+ timeGrid.updateSegVerticals(segs);
+ timeGrid.attachSegsByCol(timeGrid.groupSegsByCol(segs), containerEls);
+ return segs.map(function (seg) {
+ return seg.el[0];
+ });
+ };
+ return TimeGridFillRenderer;
+}(FillRenderer_1.default));
+exports.default = TimeGridFillRenderer;
+
+
+/***/ }),
+/* 243 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var util_1 = __webpack_require__(4);
+var EventRenderer_1 = __webpack_require__(44);
+/* Event-rendering methods for the DayGrid class
+----------------------------------------------------------------------------------------------------------------------*/
+var DayGridEventRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(DayGridEventRenderer, _super);
+ function DayGridEventRenderer(dayGrid, fillRenderer) {
+ var _this = _super.call(this, dayGrid, fillRenderer) || this;
+ _this.dayGrid = dayGrid;
+ return _this;
+ }
+ DayGridEventRenderer.prototype.renderBgRanges = function (eventRanges) {
+ // don't render timed background events
+ eventRanges = $.grep(eventRanges, function (eventRange) {
+ return eventRange.eventDef.isAllDay();
+ });
+ _super.prototype.renderBgRanges.call(this, eventRanges);
+ };
+ // Renders the given foreground event segments onto the grid
+ DayGridEventRenderer.prototype.renderFgSegs = function (segs) {
+ var rowStructs = this.rowStructs = this.renderSegRows(segs);
+ // append to each row's content skeleton
+ this.dayGrid.rowEls.each(function (i, rowNode) {
+ $(rowNode).find('.fc-content-skeleton > table').append(rowStructs[i].tbodyEl);
+ });
+ };
+ // Unrenders all currently rendered foreground event segments
+ DayGridEventRenderer.prototype.unrenderFgSegs = function () {
+ var rowStructs = this.rowStructs || [];
+ var rowStruct;
+ while ((rowStruct = rowStructs.pop())) {
+ rowStruct.tbodyEl.remove();
+ }
+ this.rowStructs = null;
+ };
+ // Uses the given events array to generate
elements that should be appended to each row's content skeleton.
+ // Returns an array of rowStruct objects (see the bottom of `renderSegRow`).
+ // PRECONDITION: each segment shoud already have a rendered and assigned `.el`
+ DayGridEventRenderer.prototype.renderSegRows = function (segs) {
+ var rowStructs = [];
+ var segRows;
+ var row;
+ segRows = this.groupSegRows(segs); // group into nested arrays
+ // iterate each row of segment groupings
+ for (row = 0; row < segRows.length; row++) {
+ rowStructs.push(this.renderSegRow(row, segRows[row]));
+ }
+ return rowStructs;
+ };
+ // Given a row # and an array of segments all in the same row, render a element, a skeleton that contains
+ // the segments. Returns object with a bunch of internal data about how the render was calculated.
+ // NOTE: modifies rowSegs
+ DayGridEventRenderer.prototype.renderSegRow = function (row, rowSegs) {
+ var colCnt = this.dayGrid.colCnt;
+ var segLevels = this.buildSegLevels(rowSegs); // group into sub-arrays of levels
+ var levelCnt = Math.max(1, segLevels.length); // ensure at least one level
+ var tbody = $('');
+ var segMatrix = []; // lookup for which segments are rendered into which level+col cells
+ var cellMatrix = []; // lookup for all elements of the level+col matrix
+ var loneCellMatrix = []; // lookup for | elements that only take up a single column
+ var i;
+ var levelSegs;
+ var col;
+ var tr;
+ var j;
+ var seg;
+ var td;
+ // populates empty cells from the current column (`col`) to `endCol`
+ function emptyCellsUntil(endCol) {
+ while (col < endCol) {
+ // try to grab a cell from the level above and extend its rowspan. otherwise, create a fresh cell
+ td = (loneCellMatrix[i - 1] || [])[col];
+ if (td) {
+ td.attr('rowspan', parseInt(td.attr('rowspan') || 1, 10) + 1);
+ }
+ else {
+ td = $(' | ');
+ tr.append(td);
+ }
+ cellMatrix[i][col] = td;
+ loneCellMatrix[i][col] = td;
+ col++;
+ }
+ }
+ for (i = 0; i < levelCnt; i++) { // iterate through all levels
+ levelSegs = segLevels[i];
+ col = 0;
+ tr = $(' | ');
+ segMatrix.push([]);
+ cellMatrix.push([]);
+ loneCellMatrix.push([]);
+ // levelCnt might be 1 even though there are no actual levels. protect against this.
+ // this single empty row is useful for styling.
+ if (levelSegs) {
+ for (j = 0; j < levelSegs.length; j++) { // iterate through segments in level
+ seg = levelSegs[j];
+ emptyCellsUntil(seg.leftCol);
+ // create a container that occupies or more columns. append the event element.
+ td = $('').append(seg.el);
+ if (seg.leftCol !== seg.rightCol) {
+ td.attr('colspan', seg.rightCol - seg.leftCol + 1);
+ }
+ else { // a single-column segment
+ loneCellMatrix[i][col] = td;
+ }
+ while (col <= seg.rightCol) {
+ cellMatrix[i][col] = td;
+ segMatrix[i][col] = seg;
+ col++;
+ }
+ tr.append(td);
+ }
+ }
+ emptyCellsUntil(colCnt); // finish off the row
+ this.dayGrid.bookendCells(tr);
+ tbody.append(tr);
+ }
+ return {
+ row: row,
+ tbodyEl: tbody,
+ cellMatrix: cellMatrix,
+ segMatrix: segMatrix,
+ segLevels: segLevels,
+ segs: rowSegs
+ };
+ };
+ // Stacks a flat array of segments, which are all assumed to be in the same row, into subarrays of vertical levels.
+ // NOTE: modifies segs
+ DayGridEventRenderer.prototype.buildSegLevels = function (segs) {
+ var levels = [];
+ var i;
+ var seg;
+ var j;
+ // Give preference to elements with certain criteria, so they have
+ // a chance to be closer to the top.
+ this.sortEventSegs(segs);
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ // loop through levels, starting with the topmost, until the segment doesn't collide with other segments
+ for (j = 0; j < levels.length; j++) {
+ if (!isDaySegCollision(seg, levels[j])) {
+ break;
+ }
+ }
+ // `j` now holds the desired subrow index
+ seg.level = j;
+ // create new level array if needed and append segment
+ (levels[j] || (levels[j] = [])).push(seg);
+ }
+ // order segments left-to-right. very important if calendar is RTL
+ for (j = 0; j < levels.length; j++) {
+ levels[j].sort(compareDaySegCols);
+ }
+ return levels;
+ };
+ // Given a flat array of segments, return an array of sub-arrays, grouped by each segment's row
+ DayGridEventRenderer.prototype.groupSegRows = function (segs) {
+ var segRows = [];
+ var i;
+ for (i = 0; i < this.dayGrid.rowCnt; i++) {
+ segRows.push([]);
+ }
+ for (i = 0; i < segs.length; i++) {
+ segRows[segs[i].row].push(segs[i]);
+ }
+ return segRows;
+ };
+ // Computes a default event time formatting string if `timeFormat` is not explicitly defined
+ DayGridEventRenderer.prototype.computeEventTimeFormat = function () {
+ return this.opt('extraSmallTimeFormat'); // like "6p" or "6:30p"
+ };
+ // Computes a default `displayEventEnd` value if one is not expliclty defined
+ DayGridEventRenderer.prototype.computeDisplayEventEnd = function () {
+ return this.dayGrid.colCnt === 1; // we'll likely have space if there's only one day
+ };
+ // Builds the HTML to be used for the default element for an individual segment
+ DayGridEventRenderer.prototype.fgSegHtml = function (seg, disableResizing) {
+ var view = this.view;
+ var eventDef = seg.footprint.eventDef;
+ var isAllDay = seg.footprint.componentFootprint.isAllDay;
+ var isDraggable = view.isEventDefDraggable(eventDef);
+ var isResizableFromStart = !disableResizing && isAllDay &&
+ seg.isStart && view.isEventDefResizableFromStart(eventDef);
+ var isResizableFromEnd = !disableResizing && isAllDay &&
+ seg.isEnd && view.isEventDefResizableFromEnd(eventDef);
+ var classes = this.getSegClasses(seg, isDraggable, isResizableFromStart || isResizableFromEnd);
+ var skinCss = util_1.cssToStr(this.getSkinCss(eventDef));
+ var timeHtml = '';
+ var timeText;
+ var titleHtml;
+ classes.unshift('fc-day-grid-event', 'fc-h-event');
+ // Only display a timed events time if it is the starting segment
+ if (seg.isStart) {
+ timeText = this.getTimeText(seg.footprint);
+ if (timeText) {
+ timeHtml = '' + util_1.htmlEscape(timeText) + '';
+ }
+ }
+ titleHtml =
+ '' +
+ (util_1.htmlEscape(eventDef.title || '') || ' ') + // we always want one line of height
+ '';
+ return '' +
+ ' ' +
+ (this.dayGrid.isRTL ?
+ titleHtml + ' ' + timeHtml : // put a natural space in between
+ timeHtml + ' ' + titleHtml //
+ ) +
+ ' ' +
+ (isResizableFromStart ?
+ '' :
+ '') +
+ (isResizableFromEnd ?
+ '' :
+ '') +
+ '';
+ };
+ return DayGridEventRenderer;
+}(EventRenderer_1.default));
+exports.default = DayGridEventRenderer;
+// Computes whether two segments' columns collide. They are assumed to be in the same row.
+function isDaySegCollision(seg, otherSegs) {
+ var i;
+ var otherSeg;
+ for (i = 0; i < otherSegs.length; i++) {
+ otherSeg = otherSegs[i];
+ if (otherSeg.leftCol <= seg.rightCol &&
+ otherSeg.rightCol >= seg.leftCol) {
+ return true;
+ }
+ }
+ return false;
+}
+// A cmp function for determining the leftmost event
+function compareDaySegCols(a, b) {
+ return a.leftCol - b.leftCol;
+}
+
+
+/***/ }),
+/* 244 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var HelperRenderer_1 = __webpack_require__(63);
+var DayGridHelperRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(DayGridHelperRenderer, _super);
+ function DayGridHelperRenderer() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ // Renders a mock "helper" event. `sourceSeg` is the associated internal segment object. It can be null.
+ DayGridHelperRenderer.prototype.renderSegs = function (segs, sourceSeg) {
+ var helperNodes = [];
+ var rowStructs;
+ // TODO: not good to call eventRenderer this way
+ rowStructs = this.eventRenderer.renderSegRows(segs);
+ // inject each new event skeleton into each associated row
+ this.component.rowEls.each(function (row, rowNode) {
+ var rowEl = $(rowNode); // the .fc-row
+ var skeletonEl = $(''); // will be absolutely positioned
+ var skeletonTopEl;
+ var skeletonTop;
+ // If there is an original segment, match the top position. Otherwise, put it at the row's top level
+ if (sourceSeg && sourceSeg.row === row) {
+ skeletonTop = sourceSeg.el.position().top;
+ }
+ else {
+ skeletonTopEl = rowEl.find('.fc-content-skeleton tbody');
+ if (!skeletonTopEl.length) { // when no events
+ skeletonTopEl = rowEl.find('.fc-content-skeleton table');
+ }
+ skeletonTop = skeletonTopEl.position().top;
+ }
+ skeletonEl.css('top', skeletonTop)
+ .find('table')
+ .append(rowStructs[row].tbodyEl);
+ rowEl.append(skeletonEl);
+ helperNodes.push(skeletonEl[0]);
+ });
+ return $(helperNodes); // must return the elements rendered
+ };
+ return DayGridHelperRenderer;
+}(HelperRenderer_1.default));
+exports.default = DayGridHelperRenderer;
+
+
+/***/ }),
+/* 245 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var FillRenderer_1 = __webpack_require__(62);
+var DayGridFillRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(DayGridFillRenderer, _super);
+ function DayGridFillRenderer() {
+ var _this = _super !== null && _super.apply(this, arguments) || this;
+ _this.fillSegTag = 'td'; // override the default tag name
+ return _this;
+ }
+ DayGridFillRenderer.prototype.attachSegEls = function (type, segs) {
+ var nodes = [];
+ var i;
+ var seg;
+ var skeletonEl;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ skeletonEl = this.renderFillRow(type, seg);
+ this.component.rowEls.eq(seg.row).append(skeletonEl);
+ nodes.push(skeletonEl[0]);
+ }
+ return nodes;
+ };
+ // Generates the HTML needed for one row of a fill. Requires the seg's el to be rendered.
+ DayGridFillRenderer.prototype.renderFillRow = function (type, seg) {
+ var colCnt = this.component.colCnt;
+ var startCol = seg.leftCol;
+ var endCol = seg.rightCol + 1;
+ var className;
+ var skeletonEl;
+ var trEl;
+ if (type === 'businessHours') {
+ className = 'bgevent';
+ }
+ else {
+ className = type.toLowerCase();
+ }
+ skeletonEl = $('');
+ trEl = skeletonEl.find('tr');
+ if (startCol > 0) {
+ trEl.append(
+ // will create (startCol + 1) td's
+ new Array(startCol + 1).join(' | | '));
+ }
+ trEl.append(seg.el.attr('colspan', endCol - startCol));
+ if (endCol < colCnt) {
+ trEl.append(
+ // will create (colCnt - endCol) td's
+ new Array(colCnt - endCol + 1).join(' | '));
+ }
+ this.component.bookendCells(trEl);
+ return skeletonEl;
+ };
+ return DayGridFillRenderer;
+}(FillRenderer_1.default));
+exports.default = DayGridFillRenderer;
+
+
+/***/ }),
+/* 246 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var moment = __webpack_require__(0);
+var util_1 = __webpack_require__(4);
+var BasicView_1 = __webpack_require__(67);
+var MonthViewDateProfileGenerator_1 = __webpack_require__(247);
+/* A month view with day cells running in rows (one-per-week) and columns
+----------------------------------------------------------------------------------------------------------------------*/
+var MonthView = /** @class */ (function (_super) {
+ tslib_1.__extends(MonthView, _super);
+ function MonthView() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ // Overrides the default BasicView behavior to have special multi-week auto-height logic
+ MonthView.prototype.setGridHeight = function (height, isAuto) {
+ // if auto, make the height of each row the height that it would be if there were 6 weeks
+ if (isAuto) {
+ height *= this.dayGrid.rowCnt / 6;
+ }
+ util_1.distributeHeight(this.dayGrid.rowEls, height, !isAuto); // if auto, don't compensate for height-hogging rows
+ };
+ MonthView.prototype.isDateInOtherMonth = function (date, dateProfile) {
+ return date.month() !== moment.utc(dateProfile.currentUnzonedRange.startMs).month(); // TODO: optimize
+ };
+ return MonthView;
+}(BasicView_1.default));
+exports.default = MonthView;
+MonthView.prototype.dateProfileGeneratorClass = MonthViewDateProfileGenerator_1.default;
+
+
+/***/ }),
+/* 247 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var BasicViewDateProfileGenerator_1 = __webpack_require__(68);
+var UnzonedRange_1 = __webpack_require__(5);
+var MonthViewDateProfileGenerator = /** @class */ (function (_super) {
+ tslib_1.__extends(MonthViewDateProfileGenerator, _super);
+ function MonthViewDateProfileGenerator() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ // Computes the date range that will be rendered.
+ MonthViewDateProfileGenerator.prototype.buildRenderRange = function (currentUnzonedRange, currentRangeUnit, isRangeAllDay) {
+ var renderUnzonedRange = _super.prototype.buildRenderRange.call(this, currentUnzonedRange, currentRangeUnit, isRangeAllDay);
+ var start = this.msToUtcMoment(renderUnzonedRange.startMs, isRangeAllDay);
+ var end = this.msToUtcMoment(renderUnzonedRange.endMs, isRangeAllDay);
+ var rowCnt;
+ // ensure 6 weeks
+ if (this.opt('fixedWeekCount')) {
+ rowCnt = Math.ceil(// could be partial weeks due to hiddenDays
+ end.diff(start, 'weeks', true) // dontRound=true
+ );
+ end.add(6 - rowCnt, 'weeks');
+ }
+ return new UnzonedRange_1.default(start, end);
+ };
+ return MonthViewDateProfileGenerator;
+}(BasicViewDateProfileGenerator_1.default));
+exports.default = MonthViewDateProfileGenerator;
+
+
+/***/ }),
+/* 248 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var util_1 = __webpack_require__(4);
+var UnzonedRange_1 = __webpack_require__(5);
+var View_1 = __webpack_require__(43);
+var Scroller_1 = __webpack_require__(41);
+var ListEventRenderer_1 = __webpack_require__(249);
+var ListEventPointing_1 = __webpack_require__(250);
+/*
+Responsible for the scroller, and forwarding event-related actions into the "grid".
+*/
+var ListView = /** @class */ (function (_super) {
+ tslib_1.__extends(ListView, _super);
+ function ListView(calendar, viewSpec) {
+ var _this = _super.call(this, calendar, viewSpec) || this;
+ _this.segSelector = '.fc-list-item'; // which elements accept event actions
+ _this.scroller = new Scroller_1.default({
+ overflowX: 'hidden',
+ overflowY: 'auto'
+ });
+ return _this;
+ }
+ ListView.prototype.renderSkeleton = function () {
+ this.el.addClass('fc-list-view ' +
+ this.calendar.theme.getClass('listView'));
+ this.scroller.render();
+ this.scroller.el.appendTo(this.el);
+ this.contentEl = this.scroller.scrollEl; // shortcut
+ };
+ ListView.prototype.unrenderSkeleton = function () {
+ this.scroller.destroy(); // will remove the Grid too
+ };
+ ListView.prototype.updateSize = function (totalHeight, isAuto, isResize) {
+ _super.prototype.updateSize.call(this, totalHeight, isAuto, isResize);
+ this.scroller.clear(); // sets height to 'auto' and clears overflow
+ if (!isAuto) {
+ this.scroller.setHeight(this.computeScrollerHeight(totalHeight));
+ }
+ };
+ ListView.prototype.computeScrollerHeight = function (totalHeight) {
+ return totalHeight -
+ util_1.subtractInnerElHeight(this.el, this.scroller.el); // everything that's NOT the scroller
+ };
+ ListView.prototype.renderDates = function (dateProfile) {
+ var calendar = this.calendar;
+ var dayStart = calendar.msToUtcMoment(dateProfile.renderUnzonedRange.startMs, true);
+ var viewEnd = calendar.msToUtcMoment(dateProfile.renderUnzonedRange.endMs, true);
+ var dayDates = [];
+ var dayRanges = [];
+ while (dayStart < viewEnd) {
+ dayDates.push(dayStart.clone());
+ dayRanges.push(new UnzonedRange_1.default(dayStart, dayStart.clone().add(1, 'day')));
+ dayStart.add(1, 'day');
+ }
+ this.dayDates = dayDates;
+ this.dayRanges = dayRanges;
+ // all real rendering happens in EventRenderer
+ };
+ // slices by day
+ ListView.prototype.componentFootprintToSegs = function (footprint) {
+ var dayRanges = this.dayRanges;
+ var dayIndex;
+ var segRange;
+ var seg;
+ var segs = [];
+ for (dayIndex = 0; dayIndex < dayRanges.length; dayIndex++) {
+ segRange = footprint.unzonedRange.intersect(dayRanges[dayIndex]);
+ if (segRange) {
+ seg = {
+ startMs: segRange.startMs,
+ endMs: segRange.endMs,
+ isStart: segRange.isStart,
+ isEnd: segRange.isEnd,
+ dayIndex: dayIndex
+ };
+ segs.push(seg);
+ // detect when footprint won't go fully into the next day,
+ // and mutate the latest seg to the be the end.
+ if (!seg.isEnd && !footprint.isAllDay &&
+ dayIndex + 1 < dayRanges.length &&
+ footprint.unzonedRange.endMs < dayRanges[dayIndex + 1].startMs + this.nextDayThreshold) {
+ seg.endMs = footprint.unzonedRange.endMs;
+ seg.isEnd = true;
+ break;
+ }
+ }
+ }
+ return segs;
+ };
+ ListView.prototype.renderEmptyMessage = function () {
+ this.contentEl.html('' + // TODO: try less wraps
+ '
' +
+ '
' +
+ util_1.htmlEscape(this.opt('noEventsMessage')) +
+ '
' +
+ '
' +
+ '
');
+ };
+ // render the event segments in the view
+ ListView.prototype.renderSegList = function (allSegs) {
+ var segsByDay = this.groupSegsByDay(allSegs); // sparse array
+ var dayIndex;
+ var daySegs;
+ var i;
+ var tableEl = $('');
+ var tbodyEl = tableEl.find('tbody');
+ for (dayIndex = 0; dayIndex < segsByDay.length; dayIndex++) {
+ daySegs = segsByDay[dayIndex];
+ if (daySegs) { // sparse array, so might be undefined
+ // append a day header
+ tbodyEl.append(this.dayHeaderHtml(this.dayDates[dayIndex]));
+ this.eventRenderer.sortEventSegs(daySegs);
+ for (i = 0; i < daySegs.length; i++) {
+ tbodyEl.append(daySegs[i].el); // append event row
+ }
+ }
+ }
+ this.contentEl.empty().append(tableEl);
+ };
+ // Returns a sparse array of arrays, segs grouped by their dayIndex
+ ListView.prototype.groupSegsByDay = function (segs) {
+ var segsByDay = []; // sparse array
+ var i;
+ var seg;
+ for (i = 0; i < segs.length; i++) {
+ seg = segs[i];
+ (segsByDay[seg.dayIndex] || (segsByDay[seg.dayIndex] = []))
+ .push(seg);
+ }
+ return segsByDay;
+ };
+ // generates the HTML for the day headers that live amongst the event rows
+ ListView.prototype.dayHeaderHtml = function (dayDate) {
+ var mainFormat = this.opt('listDayFormat');
+ var altFormat = this.opt('listDayAltFormat');
+ return '
' +
+ '' +
+ '
';
+ };
+ return ListView;
+}(View_1.default));
+exports.default = ListView;
+ListView.prototype.eventRendererClass = ListEventRenderer_1.default;
+ListView.prototype.eventPointingClass = ListEventPointing_1.default;
+
+
+/***/ }),
+/* 249 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var util_1 = __webpack_require__(4);
+var EventRenderer_1 = __webpack_require__(44);
+var ListEventRenderer = /** @class */ (function (_super) {
+ tslib_1.__extends(ListEventRenderer, _super);
+ function ListEventRenderer() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ ListEventRenderer.prototype.renderFgSegs = function (segs) {
+ if (!segs.length) {
+ this.component.renderEmptyMessage();
+ }
+ else {
+ this.component.renderSegList(segs);
+ }
+ };
+ // generates the HTML for a single event row
+ ListEventRenderer.prototype.fgSegHtml = function (seg) {
+ var view = this.view;
+ var calendar = view.calendar;
+ var theme = calendar.theme;
+ var eventFootprint = seg.footprint;
+ var eventDef = eventFootprint.eventDef;
+ var componentFootprint = eventFootprint.componentFootprint;
+ var url = eventDef.url;
+ var classes = ['fc-list-item'].concat(this.getClasses(eventDef));
+ var bgColor = this.getBgColor(eventDef);
+ var timeHtml;
+ if (componentFootprint.isAllDay) {
+ timeHtml = view.getAllDayHtml();
+ }
+ else if (view.isMultiDayRange(componentFootprint.unzonedRange)) {
+ if (seg.isStart || seg.isEnd) { // outer segment that probably lasts part of the day
+ timeHtml = util_1.htmlEscape(this._getTimeText(calendar.msToMoment(seg.startMs), calendar.msToMoment(seg.endMs), componentFootprint.isAllDay));
+ }
+ else { // inner segment that lasts the whole day
+ timeHtml = view.getAllDayHtml();
+ }
+ }
+ else {
+ // Display the normal time text for the *event's* times
+ timeHtml = util_1.htmlEscape(this.getTimeText(eventFootprint));
+ }
+ if (url) {
+ classes.push('fc-has-url');
+ }
+ return '' +
+ (this.displayEventTime ?
+ '' +
+ (timeHtml || '') +
+ ' | ' :
+ '') +
+ '' +
+ '' +
+ ' | ' +
+ '' +
+ '' +
+ util_1.htmlEscape(eventDef.title || '') +
+ '' +
+ ' | ' +
+ '
';
+ };
+ // like "4:00am"
+ ListEventRenderer.prototype.computeEventTimeFormat = function () {
+ return this.opt('mediumTimeFormat');
+ };
+ return ListEventRenderer;
+}(EventRenderer_1.default));
+exports.default = ListEventRenderer;
+
+
+/***/ }),
+/* 250 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var tslib_1 = __webpack_require__(2);
+var $ = __webpack_require__(3);
+var EventPointing_1 = __webpack_require__(64);
+var ListEventPointing = /** @class */ (function (_super) {
+ tslib_1.__extends(ListEventPointing, _super);
+ function ListEventPointing() {
+ return _super !== null && _super.apply(this, arguments) || this;
+ }
+ // for events with a url, the whole should be clickable,
+ // but it's impossible to wrap with an tag. simulate this.
+ ListEventPointing.prototype.handleClick = function (seg, ev) {
+ var url;
+ _super.prototype.handleClick.call(this, seg, ev); // might prevent the default action
+ // not clicking on or within an with an href
+ if (!$(ev.target).closest('a[href]').length) {
+ url = seg.footprint.eventDef.url;
+ if (url && !ev.isDefaultPrevented()) { // jsEvent not cancelled in handler
+ window.location.href = url; // simulate link click
+ }
+ }
+ };
+ return ListEventPointing;
+}(EventPointing_1.default));
+exports.default = ListEventPointing;
+
+
+/***/ }),
+/* 251 */,
+/* 252 */,
+/* 253 */,
+/* 254 */,
+/* 255 */,
+/* 256 */
+/***/ (function(module, exports, __webpack_require__) {
+
+var $ = __webpack_require__(3);
+var exportHooks = __webpack_require__(18);
+var util_1 = __webpack_require__(4);
+var Calendar_1 = __webpack_require__(232);
+// for intentional side-effects
+__webpack_require__(11);
+__webpack_require__(49);
+__webpack_require__(260);
+__webpack_require__(261);
+__webpack_require__(264);
+__webpack_require__(265);
+__webpack_require__(266);
+__webpack_require__(267);
+$.fullCalendar = exportHooks;
+$.fn.fullCalendar = function (options) {
+ var args = Array.prototype.slice.call(arguments, 1); // for a possible method call
+ var res = this; // what this function will return (this jQuery object by default)
+ this.each(function (i, _element) {
+ var element = $(_element);
+ var calendar = element.data('fullCalendar'); // get the existing calendar object (if any)
+ var singleRes; // the returned value of this single method call
+ // a method call
+ if (typeof options === 'string') {
+ if (options === 'getCalendar') {
+ if (!i) { // first element only
+ res = calendar;
+ }
+ }
+ else if (options === 'destroy') { // don't warn if no calendar object
+ if (calendar) {
+ calendar.destroy();
+ element.removeData('fullCalendar');
+ }
+ }
+ else if (!calendar) {
+ util_1.warn('Attempting to call a FullCalendar method on an element with no calendar.');
+ }
+ else if ($.isFunction(calendar[options])) {
+ singleRes = calendar[options].apply(calendar, args);
+ if (!i) {
+ res = singleRes; // record the first method call result
+ }
+ if (options === 'destroy') { // for the destroy method, must remove Calendar object data
+ element.removeData('fullCalendar');
+ }
+ }
+ else {
+ util_1.warn("'" + options + "' is an unknown FullCalendar method.");
+ }
+ }
+ else if (!calendar) { // don't initialize twice
+ calendar = new Calendar_1.default(element, options);
+ element.data('fullCalendar', calendar);
+ calendar.render();
+ }
+ });
+ return res;
+};
+module.exports = exportHooks;
+
+
+/***/ }),
+/* 257 */
+/***/ (function(module, exports, __webpack_require__) {
+
+Object.defineProperty(exports, "__esModule", { value: true });
+var $ = __webpack_require__(3);
+var util_1 = __webpack_require__(4);
+/* Toolbar with buttons and title
+----------------------------------------------------------------------------------------------------------------------*/
+var Toolbar = /** @class */ (function () {
+ function Toolbar(calendar, toolbarOptions) {
+ this.el = null; // mirrors local `el`
+ this.viewsWithButtons = [];
+ this.calendar = calendar;
+ this.toolbarOptions = toolbarOptions;
+ }
+ // method to update toolbar-specific options, not calendar-wide options
+ Toolbar.prototype.setToolbarOptions = function (newToolbarOptions) {
+ this.toolbarOptions = newToolbarOptions;
+ };
+ // can be called repeatedly and will rerender
+ Toolbar.prototype.render = function () {
+ var sections = this.toolbarOptions.layout;
+ var el = this.el;
+ if (sections) {
+ if (!el) {
+ el = this.el = $(""},e.prototype.getIsNumbersVisible=function(){return this.getIsDayNumbersVisible()||this.cellWeekNumbersVisible},e.prototype.getIsDayNumbersVisible=function(){return this.rowCnt>1},e.prototype.renderNumberTrHtml=function(t){return""+(this.isRTL?"":this.renderNumberIntroHtml(t))+this.renderNumberCellsHtml(t)+(this.isRTL?this.renderNumberIntroHtml(t):"")+"
"},e.prototype.renderNumberIntroHtml=function(t){return this.renderIntroHtml()},e.prototype.renderNumberCellsHtml=function(t){var e,n,r=[];for(e=0;e",this.cellWeekNumbersVisible&&t.day()===n&&(i+=r.buildGotoAnchorHtml({date:t,type:"week"},{class:"fc-week-number"},t.format("w"))),s&&(i+=r.buildGotoAnchorHtml(t,{class:"fc-day-number"},t.format("D"))),i+=""):" | "},e.prototype.prepareHits=function(){this.colCoordCache.build(),this.rowCoordCache.build(),this.rowCoordCache.bottoms[this.rowCnt-1]+=this.bottomCoordPadding},e.prototype.releaseHits=function(){this.colCoordCache.clear(),this.rowCoordCache.clear()},e.prototype.queryHit=function(t,e){if(this.colCoordCache.isLeftInBounds(t)&&this.rowCoordCache.isTopInBounds(e)){var n=this.colCoordCache.getHorizontalIndex(t),r=this.rowCoordCache.getVerticalIndex(e);if(null!=r&&null!=n)return this.getCellHit(r,n)}},e.prototype.getHitFootprint=function(t){var e=this.getCellRange(t.row,t.col);return new u.default(new l.default(e.start,e.end),!0)},e.prototype.getHitEl=function(t){return this.getCellEl(t.row,t.col)},e.prototype.getCellHit=function(t,e){return{row:t,col:e,component:this,left:this.colCoordCache.getLeftOffset(e),right:this.colCoordCache.getRightOffset(e),top:this.rowCoordCache.getTopOffset(t),bottom:this.rowCoordCache.getBottomOffset(t)}},e.prototype.getCellEl=function(t,e){return this.cellEls.eq(t*this.colCnt+e)},e.prototype.executeEventUnrender=function(){this.removeSegPopover(),t.prototype.executeEventUnrender.call(this)},e.prototype.getOwnEventSegs=function(){return t.prototype.getOwnEventSegs.call(this).concat(this.popoverSegs||[])},e.prototype.renderDrag=function(t,e,n){var r;for(r=0;r td > :first-child").each(e),r.position().top+o>a)return n;return!1},e.prototype.limitRow=function(t,e){var n,r,o,s,a,l,u,d,c,p,h,f,g,v,y,m=this,b=this.eventRenderer.rowStructs[t],w=[],D=0,E=function(n){for(;D").append(y),c.append(v),w.push(v[0])),D++};if(e&&e').attr("rowspan",p),l=d[f],y=this.renderMoreLink(t,a.leftCol+f,[a].concat(l)),v=i("").append(y),g.append(v),h.push(g[0]),w.push(g[0]);c.addClass("fc-limited").after(i(h)),o.push(c[0])}}E(this.colCnt),b.moreEls=i(w),b.limitedEls=i(o)}},e.prototype.unlimitRow=function(t){var e=this.eventRenderer.rowStructs[t];e.moreEls&&(e.moreEls.remove(),e.moreEls=null),e.limitedEls&&(e.limitedEls.removeClass("fc-limited"),e.limitedEls=null)},e.prototype.renderMoreLink=function(t,e,n){var r=this,o=this.view;return i('
').text(this.getMoreLinkText(n.length)).on("click",function(s){var a=r.opt("eventLimitClick"),l=r.getCellDate(t,e),u=i(s.currentTarget),d=r.getCellEl(t,e),c=r.getCellSegs(t,e),p=r.resliceDaySegs(c,l),h=r.resliceDaySegs(n,l);"function"==typeof a&&(a=r.publiclyTrigger("eventLimitClick",{context:o,args:[{date:l.clone(),dayEl:d,moreEl:u,segs:p,hiddenSegs:h},s,o]})),"popover"===a?r.showSegPopover(t,e,u,p):"string"==typeof a&&o.calendar.zoomTo(l,a)})},e.prototype.showSegPopover=function(t,e,n,r){var i,o,s=this,l=this.view,u=n.parent();i=1===this.rowCnt?l.el:this.rowEls.eq(t),o={className:"fc-more-popover "+l.calendar.theme.getClass("popover"),content:this.renderSegPopoverContent(t,e,r),parentEl:l.el,top:i.offset().top,autoHide:!0,viewportConstrain:this.opt("popoverViewportConstrain"),hide:function(){s.popoverSegs&&s.triggerBeforeEventSegsDestroyed(s.popoverSegs),s.segPopover.removeElement(),s.segPopover=null,s.popoverSegs=null}},this.isRTL?o.right=u.offset().left+u.outerWidth()+1:o.left=u.offset().left-1,this.segPopover=new a.default(o),this.segPopover.show(),this.bindAllSegHandlersToEl(this.segPopover.el),this.triggerAfterEventSegsRendered(r)},e.prototype.renderSegPopoverContent=function(t,e,n){var r,s=this.view,a=s.calendar.theme,l=this.getCellDate(t,e).format(this.opt("dayPopoverFormat")),u=i(''),d=u.find(".fc-event-container");for(n=this.eventRenderer.renderFgSegEls(n,!0),this.popoverSegs=n,r=0;r"+s.htmlEscape(this.opt("weekNumberTitle"))+"":""},e.prototype.renderNumberIntroHtml=function(t){var e=this.view,n=this.getCellDate(t,0);return this.colWeekNumbersVisible?'"+e.buildGotoAnchorHtml({date:n,type:"week",forceOff:1===this.colCnt},n.format("w"))+" | ":""},e.prototype.renderBgIntroHtml=function(){var t=this.view;return this.colWeekNumbersVisible?' | ":""},e.prototype.renderIntroHtml=function(){var t=this.view;return this.colWeekNumbersVisible?' | ":""},e.prototype.getIsNumbersVisible=function(){return d.default.prototype.getIsNumbersVisible.apply(this,arguments)||this.colWeekNumbersVisible},e}(t)}Object.defineProperty(e,"__esModule",{value:!0});var i=n(2),o=n(3),s=n(4),a=n(41),l=n(43),u=n(68),d=n(66),c=function(t){function e(e,n){var r=t.call(this,e,n)||this;return r.dayGrid=r.instantiateDayGrid(),r.dayGrid.isRigid=r.hasRigidRows(),r.opt("weekNumbers")&&(r.opt("weekNumbersWithinDays")?(r.dayGrid.cellWeekNumbersVisible=!0,r.dayGrid.colWeekNumbersVisible=!1):(r.dayGrid.cellWeekNumbersVisible=!1,r.dayGrid.colWeekNumbersVisible=!0)),r.addChild(r.dayGrid),r.scroller=new a.default({overflowX:"hidden",overflowY:"auto"}),r}return i.__extends(e,t),e.prototype.instantiateDayGrid=function(){return new(r(this.dayGridClass))(this)},e.prototype.executeDateRender=function(e){this.dayGrid.breakOnWeeks=/year|month|week/.test(e.currentRangeUnit),t.prototype.executeDateRender.call(this,e)},e.prototype.renderSkeleton=function(){var t,e;this.el.addClass("fc-basic-view").html(this.renderSkeletonHtml()),this.scroller.render(),t=this.scroller.el.addClass("fc-day-grid-container"),e=o('').appendTo(t),this.el.find(".fc-body > tr > td").append(t),this.dayGrid.headContainerEl=this.el.find(".fc-head-container"),this.dayGrid.setElement(e)},e.prototype.unrenderSkeleton=function(){this.dayGrid.removeElement(),this.scroller.destroy()},e.prototype.renderSkeletonHtml=function(){var t=this.calendar.theme;return'
'+(this.opt("columnHeader")?' |
':"")+' |
'},e.prototype.weekNumberStyleAttr=function(){return null!=this.weekNumberWidth?'style="width:'+this.weekNumberWidth+'px"':""},e.prototype.hasRigidRows=function(){var t=this.opt("eventLimit");return t&&"number"!=typeof t},e.prototype.updateSize=function(e,n,r){var i,o,a=this.opt("eventLimit"),l=this.dayGrid.headContainerEl.find(".fc-row");if(!this.dayGrid.rowEls)return void(n||(i=this.computeScrollerHeight(e),this.scroller.setHeight(i)));t.prototype.updateSize.call(this,e,n,r),this.dayGrid.colWeekNumbersVisible&&(this.weekNumberWidth=s.matchCellWidths(this.el.find(".fc-week-number"))),this.scroller.clear(),s.uncompensateScroll(l),this.dayGrid.removeSegPopover(),a&&"number"==typeof a&&this.dayGrid.limitRows(a),i=this.computeScrollerHeight(e),this.setGridHeight(i,n),a&&"number"!=typeof a&&this.dayGrid.limitRows(a),n||(this.scroller.setHeight(i),o=this.scroller.getScrollbarWidths(),(o.left||o.right)&&(s.compensateScroll(l,o),i=this.computeScrollerHeight(e),this.scroller.setHeight(i)),this.scroller.lockOverflow(o))},e.prototype.computeScrollerHeight=function(t){return t-s.subtractInnerElHeight(this.el,this.scroller.el)},e.prototype.setGridHeight=function(t,e){e?s.undistributeHeight(this.dayGrid.rowEls):s.distributeHeight(this.dayGrid.rowEls,t,!0)},e.prototype.computeInitialDateScroll=function(){return{top:0}},e.prototype.queryDateScroll=function(){return{top:this.scroller.getScrollTop()}},e.prototype.applyDateScroll=function(t){void 0!==t.top&&this.scroller.setScrollTop(t.top)},e}(l.default);e.default=c,c.prototype.dateProfileGeneratorClass=u.default,c.prototype.dayGridClass=d.default},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(5),o=n(55),s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.buildRenderRange=function(e,n,r){var o=t.prototype.buildRenderRange.call(this,e,n,r),s=this.msToUtcMoment(o.startMs,r),a=this.msToUtcMoment(o.endMs,r);return/^(year|month)$/.test(n)&&(s.startOf("week"),a.weekday()&&a.add(1,"week").startOf("week")),new i.default(s,a)},e}(o.default);e.default=s},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){function r(t,e,n){var r;for(r=0;r
').addClass(e.className||"").css({top:0,left:0}).append(e.content).appendTo(e.parentEl),this.el.on("click",".fc-close",function(){t.hide()}),e.autoHide&&this.listenTo(r(document),"mousedown",this.documentMousedown)},t.prototype.documentMousedown=function(t){this.el&&!r(t.target).closest(this.el).length&&this.hide()},t.prototype.removeElement=function(){this.hide(),this.el&&(this.el.remove(),this.el=null),this.stopListeningTo(r(document),"mousedown")},t.prototype.position=function(){var t,e,n,o,s,a=this.options,l=this.el.offsetParent().offset(),u=this.el.outerWidth(),d=this.el.outerHeight(),c=r(window),p=i.getScrollParent(this.el);o=a.top||0,s=void 0!==a.left?a.left:void 0!==a.right?a.right-u:0,p.is(window)||p.is(document)?(p=c,t=0,e=0):(n=p.offset(),t=n.top,e=n.left),t+=c.scrollTop(),e+=c.scrollLeft(),!1!==a.viewportConstrain&&(o=Math.min(o,t+p.outerHeight()-d-this.margin),o=Math.max(o,t+this.margin),s=Math.min(s,e+p.outerWidth()-u-this.margin),s=Math.max(s,e+this.margin)),this.el.css({top:o-l.top,left:s-l.left})},t.prototype.trigger=function(t){this.options[t]&&this.options[t].apply(this,Array.prototype.slice.call(arguments,1))},t}();e.default=s,o.default.mixInto(s)},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(13),i=function(){function t(){this.q=[],this.isPaused=!1,this.isRunning=!1}return t.prototype.queue=function(){for(var t=[],e=0;e=0;e--)if(n=r[e],n.namespace===t.namespace)switch(n.type){case"init":i=!1;case"add":case"remove":r.splice(e,1)}return i&&r.push(t),i},e}(i.default);e.default=o},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(51),o=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.setElement=function(t){this.el=t,this.bindGlobalHandlers(),this.renderSkeleton(),this.set("isInDom",!0)},e.prototype.removeElement=function(){this.unset("isInDom"),this.unrenderSkeleton(),this.unbindGlobalHandlers(),this.el.remove()},e.prototype.bindGlobalHandlers=function(){},e.prototype.unbindGlobalHandlers=function(){},e.prototype.renderSkeleton=function(){},e.prototype.unrenderSkeleton=function(){},e}(i.default);e.default=o},function(t,e,n){function r(t){var e,n,r,i=[];for(e in t)for(n=t[e].eventInstances,r=0;r'+n+"":""+n+""},e.prototype.getAllDayHtml=function(){return this.opt("allDayHtml")||a.htmlEscape(this.opt("allDayText"))},e.prototype.getDayClasses=function(t,e){var n,r=this._getView(),i=[];return this.dateProfile.activeUnzonedRange.containsDate(t)?(i.push("fc-"+a.dayIDs[t.day()]),r.isDateInOtherMonth(t,this.dateProfile)&&i.push("fc-other-month"),n=r.calendar.getNow(),t.isSame(n,"day")?(i.push("fc-today"),!0!==e&&i.push(r.calendar.theme.getClass("today"))):t=this.nextDayThreshold&&o.add(1,"days"),o<=n&&(o=n.clone().add(1,"days")),{start:n,end:o}},e.prototype.isMultiDayRange=function(t){var e=this.computeDayRange(t);return e.end.diff(e.start,"days")>1},e.guid=0,e}(d.default);e.default=p},function(t,e,n){function r(t,e){return null==e?t:i.isFunction(e)?t.filter(e):(e+="",t.filter(function(t){return t.id==e||t._id===e}))}Object.defineProperty(e,"__esModule",{value:!0});var i=n(3),o=n(0),s=n(4),a=n(33),l=n(225),u=n(23),d=n(13),c=n(7),p=n(257),h=n(258),f=n(259),g=n(217),v=n(32),y=n(11),m=n(5),b=n(12),w=n(16),D=n(220),E=n(218),S=n(38),C=n(36),R=n(9),T=n(39),M=n(6),I=n(57),H=function(){function t(t,e){this.loadingLevel=0,this.ignoreUpdateViewSize=0,this.freezeContentHeightDepth=0,u.default.needed(),this.el=t,this.viewsByType={},this.optionsManager=new h.default(this,e),this.viewSpecManager=new f.default(this.optionsManager,this),this.initMomentInternals(),this.initCurrentDate(),this.initEventManager(),this.constraints=new g.default(this.eventManager,this),this.constructed()}return t.prototype.constructed=function(){},t.prototype.getView=function(){return this.view},t.prototype.publiclyTrigger=function(t,e){var n,r,o=this.opt(t);if(i.isPlainObject(e)?(n=e.context,r=e.args):i.isArray(e)&&(r=e),null==n&&(n=this.el[0]),r||(r=[]),this.triggerWith(t,n,r),o)return o.apply(n,r)},t.prototype.hasPublicHandlers=function(t){return this.hasHandlers(t)||this.opt(t)},t.prototype.option=function(t,e){var n;if("string"==typeof t){if(void 0===e)return this.optionsManager.get(t);n={},n[t]=e,this.optionsManager.add(n)}else"object"==typeof t&&this.optionsManager.add(t)},t.prototype.opt=function(t){return this.optionsManager.get(t)},t.prototype.instantiateView=function(t){var e=this.viewSpecManager.getViewSpec(t);if(!e)throw new Error('View type "'+t+'" is not valid');return new e.class(this,e)},t.prototype.isValidViewType=function(t){return Boolean(this.viewSpecManager.getViewSpec(t))},t.prototype.changeView=function(t,e){e&&(e.start&&e.end?this.optionsManager.recordOverrides({visibleRange:e}):this.currentDate=this.moment(e).stripZone()),this.renderView(t)},t.prototype.zoomTo=function(t,e){var n;e=e||"day",n=this.viewSpecManager.getViewSpec(e)||this.viewSpecManager.getUnitViewSpec(e),this.currentDate=t.clone(),this.renderView(n?n.type:null)},t.prototype.initCurrentDate=function(){var t=this.opt("defaultDate");this.currentDate=null!=t?this.moment(t).stripZone():this.getNow()},t.prototype.prev=function(){var t=this.view,e=t.dateProfileGenerator.buildPrev(t.get("dateProfile"));e.isValid&&(this.currentDate=e.date,this.renderView())},t.prototype.next=function(){var t=this.view,e=t.dateProfileGenerator.buildNext(t.get("dateProfile"));e.isValid&&(this.currentDate=e.date,this.renderView())},t.prototype.prevYear=function(){this.currentDate.add(-1,"years"),this.renderView()},t.prototype.nextYear=function(){this.currentDate.add(1,"years"),this.renderView()},t.prototype.today=function(){this.currentDate=this.getNow(),this.renderView()},t.prototype.gotoDate=function(t){this.currentDate=this.moment(t).stripZone(),this.renderView()},t.prototype.incrementDate=function(t){this.currentDate.add(o.duration(t)),this.renderView()},t.prototype.getDate=function(){return this.applyTimezone(this.currentDate)},t.prototype.pushLoading=function(){this.loadingLevel++||this.publiclyTrigger("loading",[!0,this.view])},t.prototype.popLoading=function(){--this.loadingLevel||this.publiclyTrigger("loading",[!1,this.view])},t.prototype.render=function(){this.contentEl?this.elementVisible()&&(this.calcSize(),this.updateViewSize()):this.initialRender()},t.prototype.initialRender=function(){var t=this,e=this.el;e.addClass("fc"),e.on("click.fc","a[data-goto]",function(e){var n=i(e.currentTarget),r=n.data("goto"),o=t.moment(r.date),a=r.type,l=t.view.opt("navLink"+s.capitaliseFirstLetter(a)+"Click");"function"==typeof l?l(o,e):("string"==typeof l&&(a=l),t.zoomTo(o,a))}),this.optionsManager.watch("settingTheme",["?theme","?themeSystem"],function(n){var r=I.getThemeSystemClass(n.themeSystem||n.theme),i=new r(t.optionsManager),o=i.getClass("widget");t.theme=i,o&&e.addClass(o)},function(){var n=t.theme.getClass("widget");t.theme=null,n&&e.removeClass(n)}),this.optionsManager.watch("settingBusinessHourGenerator",["?businessHours"],function(e){t.businessHourGenerator=new E.default(e.businessHours,t),t.view&&t.view.set("businessHourGenerator",t.businessHourGenerator)},function(){t.businessHourGenerator=null}),this.optionsManager.watch("applyingDirClasses",["?isRTL","?locale"],function(t){e.toggleClass("fc-ltr",!t.isRTL),e.toggleClass("fc-rtl",t.isRTL)}),this.contentEl=i("").prependTo(e),this.initToolbars(),this.renderHeader(),this.renderFooter(),this.renderView(this.opt("defaultView")),this.opt("handleWindowResize")&&i(window).resize(this.windowResizeProxy=s.debounce(this.windowResize.bind(this),this.opt("windowResizeDelay")))},t.prototype.destroy=function(){this.view&&this.clearView(),this.toolbarsManager.proxyCall("removeElement"),this.contentEl.remove(),this.el.removeClass("fc fc-ltr fc-rtl"),this.optionsManager.unwatch("settingTheme"),this.optionsManager.unwatch("settingBusinessHourGenerator"),this.el.off(".fc"),this.windowResizeProxy&&(i(window).unbind("resize",this.windowResizeProxy),this.windowResizeProxy=null),u.default.unneeded()},t.prototype.elementVisible=function(){return this.el.is(":visible")},t.prototype.bindViewHandlers=function(t){var e=this;t.watch("titleForCalendar",["title"],function(n){t===e.view&&e.setToolbarsTitle(n.title)}),t.watch("dateProfileForCalendar",["dateProfile"],function(n){t===e.view&&(e.currentDate=n.dateProfile.date,e.updateToolbarButtons(n.dateProfile))})},t.prototype.unbindViewHandlers=function(t){t.unwatch("titleForCalendar"),t.unwatch("dateProfileForCalendar")},t.prototype.renderView=function(t){var e,n=this.view;this.freezeContentHeight(),n&&t&&n.type!==t&&this.clearView(),!this.view&&t&&(e=this.view=this.viewsByType[t]||(this.viewsByType[t]=this.instantiateView(t)),this.bindViewHandlers(e),e.startBatchRender(),e.setElement(i("
").appendTo(this.contentEl)),this.toolbarsManager.proxyCall("activateButton",t)),this.view&&(this.view.get("businessHourGenerator")!==this.businessHourGenerator&&this.view.set("businessHourGenerator",this.businessHourGenerator),this.view.setDate(this.currentDate),e&&e.stopBatchRender()),this.thawContentHeight()},t.prototype.clearView=function(){var t=this.view;this.toolbarsManager.proxyCall("deactivateButton",t.type),this.unbindViewHandlers(t),t.removeElement(),t.unsetDate(),this.view=null},t.prototype.reinitView=function(){var t=this.view,e=t.queryScroll();this.freezeContentHeight(),this.clearView(),this.calcSize(),this.renderView(t.type),this.view.applyScroll(e),this.thawContentHeight()},t.prototype.getSuggestedViewHeight=function(){return null==this.suggestedViewHeight&&this.calcSize(),this.suggestedViewHeight},t.prototype.isHeightAuto=function(){return"auto"===this.opt("contentHeight")||"auto"===this.opt("height")},t.prototype.updateViewSize=function(t){void 0===t&&(t=!1);var e,n=this.view;if(!this.ignoreUpdateViewSize&&n)return t&&(this.calcSize(),e=n.queryScroll()),this.ignoreUpdateViewSize++,n.updateSize(this.getSuggestedViewHeight(),this.isHeightAuto(),t),this.ignoreUpdateViewSize--,t&&n.applyScroll(e),!0},t.prototype.calcSize=function(){this.elementVisible()&&this._calcSize()},t.prototype._calcSize=function(){var t=this.opt("contentHeight"),e=this.opt("height");this.suggestedViewHeight="number"==typeof t?t:"function"==typeof t?t():"number"==typeof e?e-this.queryToolbarsHeight():"function"==typeof e?e()-this.queryToolbarsHeight():"parent"===e?this.el.parent().height()-this.queryToolbarsHeight():Math.round(this.contentEl.width()/Math.max(this.opt("aspectRatio"),.5))},t.prototype.windowResize=function(t){t.target===window&&this.view&&this.view.isDatesRendered&&this.updateViewSize(!0)&&this.publiclyTrigger("windowResize",[this.view])},t.prototype.freezeContentHeight=function(){this.freezeContentHeightDepth++||this.forceFreezeContentHeight()},t.prototype.forceFreezeContentHeight=function(){this.contentEl.css({width:"100%",height:this.contentEl.height(),overflow:"hidden"})},t.prototype.thawContentHeight=function(){this.freezeContentHeightDepth--,this.contentEl.css({width:"",height:"",overflow:""}),this.freezeContentHeightDepth&&this.forceFreezeContentHeight()},t.prototype.initToolbars=function(){this.header=new p.default(this,this.computeHeaderOptions()),this.footer=new p.default(this,this.computeFooterOptions()),this.toolbarsManager=new l.default([this.header,this.footer])},t.prototype.computeHeaderOptions=function(){return{extraClasses:"fc-header-toolbar",layout:this.opt("header")}},t.prototype.computeFooterOptions=function(){return{extraClasses:"fc-footer-toolbar",layout:this.opt("footer")}},t.prototype.renderHeader=function(){var t=this.header;t.setToolbarOptions(this.computeHeaderOptions()),t.render(),t.el&&this.el.prepend(t.el)},t.prototype.renderFooter=function(){var t=this.footer;t.setToolbarOptions(this.computeFooterOptions()),t.render(),t.el&&this.el.append(t.el)},t.prototype.setToolbarsTitle=function(t){this.toolbarsManager.proxyCall("updateTitle",t)},t.prototype.updateToolbarButtons=function(t){var e=this.getNow(),n=this.view,r=n.dateProfileGenerator.build(e),i=n.dateProfileGenerator.buildPrev(n.get("dateProfile")),o=n.dateProfileGenerator.buildNext(n.get("dateProfile"));this.toolbarsManager.proxyCall(r.isValid&&!t.currentUnzonedRange.containsDate(e)?"enableButton":"disableButton","today"),this.toolbarsManager.proxyCall(i.isValid?"enableButton":"disableButton","prev"),this.toolbarsManager.proxyCall(o.isValid?"enableButton":"disableButton","next")},t.prototype.queryToolbarsHeight=function(){return this.toolbarsManager.items.reduce(function(t,e){return t+(e.el?e.el.outerHeight(!0):0)},0)},t.prototype.select=function(t,e){this.view.select(this.buildSelectFootprint.apply(this,arguments))},t.prototype.unselect=function(){this.view&&this.view.unselect()},t.prototype.buildSelectFootprint=function(t,e){var n,r=this.moment(t).stripZone();return n=e?this.moment(e).stripZone():r.hasTime()?r.clone().add(this.defaultTimedEventDuration):r.clone().add(this.defaultAllDayEventDuration),new b.default(new m.default(r,n),!r.hasTime())},t.prototype.initMomentInternals=function(){var t=this;this.defaultAllDayEventDuration=o.duration(this.opt("defaultAllDayEventDuration")),this.defaultTimedEventDuration=o.duration(this.opt("defaultTimedEventDuration")),this.optionsManager.watch("buildingMomentLocale",["?locale","?monthNames","?monthNamesShort","?dayNames","?dayNamesShort","?firstDay","?weekNumberCalculation"],function(e){var n,r=e.weekNumberCalculation,i=e.firstDay;"iso"===r&&(r="ISO");var o=Object.create(v.getMomentLocaleData(e.locale));e.monthNames&&(o._months=e.monthNames),e.monthNamesShort&&(o._monthsShort=e.monthNamesShort),e.dayNames&&(o._weekdays=e.dayNames),e.dayNamesShort&&(o._weekdaysShort=e.dayNamesShort),null==i&&"ISO"===r&&(i=1),null!=i&&(n=Object.create(o._week),n.dow=i,o._week=n),"ISO"!==r&&"local"!==r&&"function"!=typeof r||(o._fullCalendar_weekCalc=r),t.localeData=o,t.currentDate&&t.localizeMoment(t.currentDate)})},t.prototype.moment=function(){for(var t=[],e=0;e
o.getStart()&&(r=new a.default,r.setEndDelta(l),i=new s.default,i.setDateMutation(r),i)},e}(u.default);e.default=d},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(4),o=n(39),s=n(40),a=n(59),l=n(17),u=n(226),d=n(14),c=function(t){function e(e,n){var r=t.call(this,e)||this;return r.isDragging=!1,r.eventPointing=n,r}return r.__extends(e,t),e.prototype.end=function(){this.dragListener&&this.dragListener.endInteraction()},e.prototype.getSelectionDelay=function(){var t=this.opt("eventLongPressDelay");return null==t&&(t=this.opt("longPressDelay")),t},e.prototype.bindToEl=function(t){var e=this.component;e.bindSegHandlerToEl(t,"mousedown",this.handleMousedown.bind(this)),e.bindSegHandlerToEl(t,"touchstart",this.handleTouchStart.bind(this))},e.prototype.handleMousedown=function(t,e){!this.component.shouldIgnoreMouse()&&this.component.canStartDrag(t,e)&&this.buildDragListener(t).startInteraction(e,{distance:5})},e.prototype.handleTouchStart=function(t,e){var n=this.component,r={delay:this.view.isEventDefSelected(t.footprint.eventDef)?0:this.getSelectionDelay()};n.canStartDrag(t,e)?this.buildDragListener(t).startInteraction(e,r):n.canStartSelection(t,e)&&this.buildSelectListener(t).startInteraction(e,r)},e.prototype.buildSelectListener=function(t){var e=this,n=this.view,r=t.footprint.eventDef,i=t.footprint.eventInstance;if(this.dragListener)return this.dragListener;var o=this.dragListener=new a.default({dragStart:function(t){o.isTouch&&!n.isEventDefSelected(r)&&i&&n.selectEventInstance(i)},interactionEnd:function(t){e.dragListener=null}});return o},e.prototype.buildDragListener=function(t){var e,n,r,o=this,s=this.component,a=this.view,d=a.calendar,c=d.eventManager,p=t.el,h=t.footprint.eventDef,f=t.footprint.eventInstance;if(this.dragListener)return this.dragListener;var g=this.dragListener=new l.default(a,{scroll:this.opt("dragScroll"),subjectEl:p,subjectCenter:!0,interactionStart:function(r){t.component=s,e=!1,n=new u.default(t.el,{additionalClass:"fc-dragging",parentEl:a.el,opacity:g.isTouch?null:o.opt("dragOpacity"),revertDuration:o.opt("dragRevertDuration"),zIndex:2}),n.hide(),n.start(r)},dragStart:function(n){g.isTouch&&!a.isEventDefSelected(h)&&f&&a.selectEventInstance(f),e=!0,o.eventPointing.handleMouseout(t,n),o.segDragStart(t,n),a.hideEventsWithId(t.footprint.eventDef.id)},hitOver:function(e,l,u){var p,f,v,y=!0;t.hit&&(u=t.hit),p=u.component.getSafeHitFootprint(u),f=e.component.getSafeHitFootprint(e),p&&f?(r=o.computeEventDropMutation(p,f,h),r?(v=c.buildMutatedEventInstanceGroup(h.id,r),y=s.isEventInstanceGroupAllowed(v)):y=!1):y=!1,y||(r=null,i.disableCursor()),r&&a.renderDrag(s.eventRangesToEventFootprints(v.sliceRenderRanges(s.dateProfile.renderUnzonedRange,d)),t,g.isTouch)?n.hide():n.show(),l&&(r=null)},hitOut:function(){a.unrenderDrag(t),n.show(),r=null},hitDone:function(){i.enableCursor()},interactionEnd:function(i){delete t.component,n.stop(!r,function(){e&&(a.unrenderDrag(t),o.segDragStop(t,i)),a.showEventsWithId(t.footprint.eventDef.id),r&&a.reportEventDrop(f,r,p,i)}),o.dragListener=null}});return g},e.prototype.segDragStart=function(t,e){this.isDragging=!0,this.component.publiclyTrigger("eventDragStart",{context:t.el[0],args:[t.footprint.getEventLegacy(),e,{},this.view]})},e.prototype.segDragStop=function(t,e){this.isDragging=!1,this.component.publiclyTrigger("eventDragStop",{context:t.el[0],args:[t.footprint.getEventLegacy(),e,{},this.view]})},e.prototype.computeEventDropMutation=function(t,e,n){var r=new o.default;return r.setDateMutation(this.computeEventDateMutation(t,e)),r},e.prototype.computeEventDateMutation=function(t,e){var n,r,i=t.unzonedRange.getStart(),o=e.unzonedRange.getStart(),a=!1,l=!1,u=!1;return t.isAllDay!==e.isAllDay&&(a=!0,e.isAllDay?(u=!0,i.stripTime()):l=!0),n=this.component.diffDates(o,i),r=new s.default,r.clearEnd=a,r.forceTimed=l,r.forceAllDay=u,r.setDateDelta(n),r},e}(d.default);e.default=c},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(4),o=n(17),s=n(12),a=n(5),l=n(14),u=function(t){function e(e){var n=t.call(this,e)||this;return n.dragListener=n.buildDragListener(),n}return r.__extends(e,t),e.prototype.end=function(){this.dragListener.endInteraction()},e.prototype.getDelay=function(){var t=this.opt("selectLongPressDelay");return null==t&&(t=this.opt("longPressDelay")),t},e.prototype.bindToEl=function(t){var e=this,n=this.component,r=this.dragListener;n.bindDateHandlerToEl(t,"mousedown",function(t){e.opt("selectable")&&!n.shouldIgnoreMouse()&&r.startInteraction(t,{distance:e.opt("selectMinDistance")})}),n.bindDateHandlerToEl(t,"touchstart",function(t){e.opt("selectable")&&!n.shouldIgnoreTouch()&&r.startInteraction(t,{delay:e.getDelay()})}),i.preventSelection(t)},e.prototype.buildDragListener=function(){var t,e=this,n=this.component;return new o.default(n,{scroll:this.opt("dragScroll"),interactionStart:function(){t=null},dragStart:function(t){e.view.unselect(t)},hitOver:function(r,o,s){var a,l;s&&(a=n.getSafeHitFootprint(s),l=n.getSafeHitFootprint(r),t=a&&l?e.computeSelection(a,l):null,t?n.renderSelectionFootprint(t):!1===t&&i.disableCursor())},hitOut:function(){t=null,n.unrenderSelection()},hitDone:function(){i.enableCursor()},interactionEnd:function(n,r){!r&&t&&e.view.reportSelection(t,n)}})},e.prototype.computeSelection=function(t,e){var n=this.computeSelectionFootprint(t,e);return!(n&&!this.isSelectionFootprintAllowed(n))&&n},e.prototype.computeSelectionFootprint=function(t,e){var n=[t.unzonedRange.startMs,t.unzonedRange.endMs,e.unzonedRange.startMs,e.unzonedRange.endMs];return n.sort(i.compareNumbers),new s.default(new a.default(n[0],n[3]),t.isAllDay)},e.prototype.isSelectionFootprintAllowed=function(t){return this.component.dateProfile.validUnzonedRange.containsRange(t.unzonedRange)&&this.view.calendar.constraints.isSelectionFootprintAllowed(t)},e}(l.default);e.default=u},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(17),o=n(14),s=function(t){function e(e){var n=t.call(this,e)||this;return n.dragListener=n.buildDragListener(),n}return r.__extends(e,t),e.prototype.end=function(){this.dragListener.endInteraction()},e.prototype.bindToEl=function(t){var e=this.component,n=this.dragListener;e.bindDateHandlerToEl(t,"mousedown",function(t){e.shouldIgnoreMouse()||n.startInteraction(t)}),e.bindDateHandlerToEl(t,"touchstart",function(t){e.shouldIgnoreTouch()||n.startInteraction(t)})},e.prototype.buildDragListener=function(){var t,e=this,n=this.component,r=new i.default(n,{scroll:this.opt("dragScroll"),interactionStart:function(){t=r.origHit},hitOver:function(e,n,r){n||(t=null)},hitOut:function(){t=null},interactionEnd:function(r,i){var o;!i&&t&&(o=n.getSafeHitFootprint(t))&&e.view.triggerDayClick(o,n.getHitEl(t),r)}});return r.shouldCancelTouchScroll=!1,r.scrollAlwaysKills=!0,r},e}(o.default);e.default=s},function(t,e,n){function r(t){var e,n=[],r=[];for(e=0;e').appendTo(t),this.el.find(".fc-body > tr > td").append(t),this.timeGrid.headContainerEl=this.el.find(".fc-head-container"),this.timeGrid.setElement(e),this.dayGrid&&(this.dayGrid.setElement(this.el.find(".fc-day-grid")),this.dayGrid.bottomCoordPadding=this.dayGrid.el.next("hr").outerHeight())},e.prototype.unrenderSkeleton=function(){this.timeGrid.removeElement(),this.dayGrid&&this.dayGrid.removeElement(),this.scroller.destroy()},e.prototype.renderSkeletonHtml=function(){var t=this.calendar.theme;return''+(this.opt("columnHeader")?' |
':"")+''+(this.dayGrid?' ':"")+" |
"},e.prototype.axisStyleAttr=function(){return null!=this.axisWidth?'style="width:'+this.axisWidth+'px"':""},e.prototype.getNowIndicatorUnit=function(){return this.timeGrid.getNowIndicatorUnit()},e.prototype.updateSize=function(e,n,r){var i,o,s;if(t.prototype.updateSize.call(this,e,n,r),this.axisWidth=u.matchCellWidths(this.el.find(".fc-axis")),!this.timeGrid.colEls)return void(n||(o=this.computeScrollerHeight(e),this.scroller.setHeight(o)));var a=this.el.find(".fc-row:not(.fc-scroller *)");this.timeGrid.bottomRuleEl.hide(),this.scroller.clear(),u.uncompensateScroll(a),this.dayGrid&&(this.dayGrid.removeSegPopover(),i=this.opt("eventLimit"),i&&"number"!=typeof i&&(i=5),i&&this.dayGrid.limitRows(i)),n||(o=this.computeScrollerHeight(e),this.scroller.setHeight(o),s=this.scroller.getScrollbarWidths(),(s.left||s.right)&&(u.compensateScroll(a,s),o=this.computeScrollerHeight(e),this.scroller.setHeight(o)),this.scroller.lockOverflow(s),this.timeGrid.getTotalSlatHeight()"+e.buildGotoAnchorHtml({date:r,type:"week",forceOff:this.colCnt>1},u.htmlEscape(t))+""):' | "},renderBgIntroHtml:function(){var t=this.view;return' | "},renderIntroHtml:function(){return' | "}},o={renderBgIntroHtml:function(){var t=this.view;return'"+t.getAllDayHtml()+" | "},renderIntroHtml:function(){return' | "}}},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(3),o=n(0),s=n(4),a=n(42),l=n(61),u=n(65),d=n(60),c=n(58),p=n(5),h=n(12),f=n(240),g=n(241),v=n(242),y=[{hours:1},{minutes:30},{minutes:15},{seconds:30},{seconds:15}],m=function(t){function e(e){var n=t.call(this,e)||this;return n.processOptions(),n}return r.__extends(e,t),e.prototype.componentFootprintToSegs=function(t){var e,n=this.sliceRangeByTimes(t.unzonedRange);for(e=0;e=0;e--)if(n=o.duration(y[e]),r=s.divideDurationByDuration(n,t),s.isInt(r)&&r>1)return n;return o.duration(t)},e.prototype.renderDates=function(t){this.dateProfile=t,this.updateDayTable(),this.renderSlats(),this.renderColumns()},e.prototype.unrenderDates=function(){this.unrenderColumns()},e.prototype.renderSkeleton=function(){var t=this.view.calendar.theme;this.el.html('
'),this.bottomRuleEl=this.el.find("hr")},e.prototype.renderSlats=function(){var t=this.view.calendar.theme;this.slatContainerEl=this.el.find("> .fc-slats").html(''+this.renderSlatRowHtml()+"
"),this.slatEls=this.slatContainerEl.find("tr"),this.slatCoordCache=new c.default({els:this.slatEls,isVertical:!0})},e.prototype.renderSlatRowHtml=function(){for(var t,e,n,r=this.view,i=r.calendar,a=i.theme,l=this.isRTL,u=this.dateProfile,d="",c=o.duration(+u.minTime),p=o.duration(0);c"+(e?""+s.htmlEscape(t.format(this.labelFormat))+"":"")+"",d+='"+(l?"":n)+' | '+(l?n:"")+"
",c.add(this.slotDuration),p.add(this.slotDuration);return d},e.prototype.renderColumns=function(){var t=this.dateProfile,e=this.view.calendar.theme;this.dayRanges=this.dayDates.map(function(e){return new p.default(e.clone().add(t.minTime),e.clone().add(t.maxTime))}),this.headContainerEl&&this.headContainerEl.html(this.renderHeadHtml()),this.el.find("> .fc-bg").html(''+this.renderBgTrHtml(0)+"
"),this.colEls=this.el.find(".fc-day, .fc-disabled-day"),this.colCoordCache=new c.default({els:this.colEls,isHorizontal:!0}),this.renderContentSkeleton()},e.prototype.unrenderColumns=function(){this.unrenderContentSkeleton()},e.prototype.renderContentSkeleton=function(){var t,e,n="";for(t=0;t';e=this.contentSkeletonEl=i('"),this.colContainerEls=e.find(".fc-content-col"),this.helperContainerEls=e.find(".fc-helper-container"),this.fgContainerEls=e.find(".fc-event-container:not(.fc-helper-container)"),this.bgContainerEls=e.find(".fc-bgevent-container"),this.highlightContainerEls=e.find(".fc-highlight-container"),this.businessContainerEls=e.find(".fc-business-container"),this.bookendCells(e.find("tr")),this.el.append(e)},e.prototype.unrenderContentSkeleton=function(){this.contentSkeletonEl&&(this.contentSkeletonEl.remove(),this.contentSkeletonEl=null,this.colContainerEls=null,this.helperContainerEls=null,this.fgContainerEls=null,this.bgContainerEls=null,this.highlightContainerEls=null,this.businessContainerEls=null)},e.prototype.groupSegsByCol=function(t){var e,n=[];for(e=0;e').css("top",r).appendTo(this.colContainerEls.eq(n[e].col))[0]);n.length>0&&o.push(i('
').css("top",r).appendTo(this.el.find(".fc-content-skeleton"))[0]),this.nowIndicatorEls=i(o)}},e.prototype.unrenderNowIndicator=function(){this.nowIndicatorEls&&(this.nowIndicatorEls.remove(),this.nowIndicatorEls=null)},e.prototype.updateSize=function(e,n,r){t.prototype.updateSize.call(this,e,n,r),this.slatCoordCache.build(),r&&this.updateSegVerticals([].concat(this.eventRenderer.getSegs(),this.businessSegs||[]))},e.prototype.getTotalSlatHeight=function(){return this.slatContainerEl.outerHeight()},e.prototype.computeDateTop=function(t,e){return this.computeTimeTop(o.duration(t-e.clone().stripTime()))},e.prototype.computeTimeTop=function(t){var e,n,r=this.slatEls.length,i=this.dateProfile,o=(t-i.minTime)/this.slotDuration;return o=Math.max(0,o),o=Math.min(r,o),e=Math.floor(o),e=Math.min(e,r-1),n=o-e,this.slatCoordCache.getTopPosition(e)+this.slatCoordCache.getHeight(e)*n},e.prototype.updateSegVerticals=function(t){this.computeSegVerticals(t),this.assignSegVerticals(t)},e.prototype.computeSegVerticals=function(t){var e,n,r,i=this.opt("agendaEventMinHeight");for(e=0;e
e.top&&t.top'+(n?'
'+u.htmlEscape(n)+"
":"")+(d.title?'
'+u.htmlEscape(d.title)+"
":"")+'
'+(h?'':"")+""},e.prototype.updateFgSegCoords=function(t){this.timeGrid.computeSegVerticals(t),this.computeFgSegHorizontals(t),this.timeGrid.assignSegVerticals(t),this.assignFgSegHorizontals(t)},e.prototype.computeFgSegHorizontals=function(t){var e,n,s;if(this.sortEventSegs(t),e=r(t),i(e),n=e[0]){for(s=0;s=t.leftCol)return!0;return!1}function i(t,e){return t.leftCol-e.leftCol}Object.defineProperty(e,"__esModule",{value:!0});var o=n(2),s=n(3),a=n(4),l=n(44),u=function(t){function e(e,n){var r=t.call(this,e,n)||this;return r.dayGrid=e,r}return o.__extends(e,t),e.prototype.renderBgRanges=function(e){e=s.grep(e,function(t){return t.eventDef.isAllDay()}),t.prototype.renderBgRanges.call(this,e)},e.prototype.renderFgSegs=function(t){var e=this.rowStructs=this.renderSegRows(t);this.dayGrid.rowEls.each(function(t,n){s(n).find(".fc-content-skeleton > table").append(e[t].tbodyEl)})},e.prototype.unrenderFgSegs=function(){for(var t,e=this.rowStructs||[];t=e.pop();)t.tbodyEl.remove();this.rowStructs=null},e.prototype.renderSegRows=function(t){var e,n,r=[];for(e=this.groupSegRows(t),n=0;n"),a.append(d)),v[r][o]=d,y[r][o]=d,o++}var r,i,o,a,l,u,d,c=this.dayGrid.colCnt,p=this.buildSegLevels(e),h=Math.max(1,p.length),f=s(""),g=[],v=[],y=[];for(r=0;r"),g.push([]),v.push([]),y.push([]),i)for(l=0;l').append(u.el),u.leftCol!==u.rightCol?d.attr("colspan",u.rightCol-u.leftCol+1):y[r][o]=d;o<=u.rightCol;)v[r][o]=d,g[r][o]=u,o++;a.append(d)}n(c),this.dayGrid.bookendCells(a),f.append(a)}return{row:t,tbodyEl:f,cellMatrix:v,segMatrix:g,segLevels:p,segs:e}},e.prototype.buildSegLevels=function(t){var e,n,o,s=[];for(this.sortEventSegs(t),e=0;e'+a.htmlEscape(n)+""),r=''+(a.htmlEscape(o.title||"")||" ")+"",''+(this.dayGrid.isRTL?r+" "+h:h+" "+r)+"
"+(u?'':"")+(d?'':"")+""},e}(l.default);e.default=u},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(3),o=n(63),s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.renderSegs=function(t,e){var n,r=[];return n=this.eventRenderer.renderSegRows(t),this.component.rowEls.each(function(t,o){var s,a,l=i(o),u=i('');e&&e.row===t?a=e.el.position().top:(s=l.find(".fc-content-skeleton tbody"),s.length||(s=l.find(".fc-content-skeleton table")),a=s.position().top),u.css("top",a).find("table").append(n[t].tbodyEl),l.append(u),r.push(u[0])}),i(r)},e}(o.default);e.default=s},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(3),o=n(62),s=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.fillSegTag="td",e}return r.__extends(e,t),e.prototype.attachSegEls=function(t,e){var n,r,i,o=[];for(n=0;n'),o=r.find("tr"),a>0&&o.append(new Array(a+1).join(" | ")),o.append(e.el.attr("colspan",l-a)),l")),this.component.bookendCells(o),r},e}(o.default);e.default=s},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(0),o=n(4),s=n(67),a=n(247),l=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.setGridHeight=function(t,e){e&&(t*=this.dayGrid.rowCnt/6),o.distributeHeight(this.dayGrid.rowEls,t,!e)},e.prototype.isDateInOtherMonth=function(t,e){return t.month()!==i.utc(e.currentUnzonedRange.startMs).month()},e}(s.default);e.default=l,l.prototype.dateProfileGeneratorClass=a.default},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(68),o=n(5),s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.buildRenderRange=function(e,n,r){var i,s=t.prototype.buildRenderRange.call(this,e,n,r),a=this.msToUtcMoment(s.startMs,r),l=this.msToUtcMoment(s.endMs,r);return this.opt("fixedWeekCount")&&(i=Math.ceil(l.diff(a,"weeks",!0)),l.add(6-i,"weeks")),new o.default(a,l)},e}(i.default);e.default=s},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(3),o=n(4),s=n(5),a=n(43),l=n(41),u=n(249),d=n(250),c=function(t){function e(e,n){var r=t.call(this,e,n)||this;return r.segSelector=".fc-list-item",r.scroller=new l.default({overflowX:"hidden",overflowY:"auto"}),r}return r.__extends(e,t),e.prototype.renderSkeleton=function(){this.el.addClass("fc-list-view "+this.calendar.theme.getClass("listView")),this.scroller.render(),this.scroller.el.appendTo(this.el),this.contentEl=this.scroller.scrollEl},e.prototype.unrenderSkeleton=function(){this.scroller.destroy()},e.prototype.updateSize=function(e,n,r){t.prototype.updateSize.call(this,e,n,r),this.scroller.clear(),n||this.scroller.setHeight(this.computeScrollerHeight(e))},e.prototype.computeScrollerHeight=function(t){return t-o.subtractInnerElHeight(this.el,this.scroller.el)},e.prototype.renderDates=function(t){for(var e=this.calendar,n=e.msToUtcMoment(t.renderUnzonedRange.startMs,!0),r=e.msToUtcMoment(t.renderUnzonedRange.endMs,!0),i=[],o=[];n'+o.htmlEscape(this.opt("noEventsMessage"))+"
")},e.prototype.renderSegList=function(t){var e,n,r,o=this.groupSegsByDay(t),s=i(''),a=s.find("tbody");for(e=0;e'+(e?this.buildGotoAnchorHtml(t,{class:"fc-list-heading-main"},o.htmlEscape(t.format(e))):"")+(n?this.buildGotoAnchorHtml(t,{class:"fc-list-heading-alt"},o.htmlEscape(t.format(n))):"")+" | "},e}(a.default);e.default=c,c.prototype.eventRendererClass=u.default,c.prototype.eventPointingClass=d.default},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(4),o=n(44),s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.renderFgSegs=function(t){t.length?this.component.renderSegList(t):this.component.renderEmptyMessage()},e.prototype.fgSegHtml=function(t){var e,n=this.view,r=n.calendar,o=r.theme,s=t.footprint,a=s.eventDef,l=s.componentFootprint,u=a.url,d=["fc-list-item"].concat(this.getClasses(a)),c=this.getBgColor(a);return e=l.isAllDay?n.getAllDayHtml():n.isMultiDayRange(l.unzonedRange)?t.isStart||t.isEnd?i.htmlEscape(this._getTimeText(r.msToMoment(t.startMs),r.msToMoment(t.endMs),l.isAllDay)):n.getAllDayHtml():i.htmlEscape(this.getTimeText(s)),u&&d.push("fc-has-url"),''+(this.displayEventTime?''+(e||"")+" | ":"")+' | "+i.htmlEscape(a.title||"")+" |
"},e.prototype.computeEventTimeFormat=function(){return this.opt("mediumTimeFormat")},e}(o.default);e.default=s},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(2),i=n(3),o=n(64),s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return r.__extends(e,t),e.prototype.handleClick=function(e,n){var r;t.prototype.handleClick.call(this,e,n),i(n.target).closest("a[href]").length||(r=e.footprint.eventDef.url)&&!n.isDefaultPrevented()&&(window.location.href=r)},e}(o.default);e.default=s},,,,,,function(t,e,n){var r=n(3),i=n(18),o=n(4),s=n(232);n(11),n(49),n(260),n(261),n(264),n(265),n(266),n(267),r.fullCalendar=i,r.fn.fullCalendar=function(t){var e=Array.prototype.slice.call(arguments,1),n=this;return this.each(function(i,a){var l,u=r(a),d=u.data("fullCalendar");"string"==typeof t?"getCalendar"===t?i||(n=d):"destroy"===t?d&&(d.destroy(),u.removeData("fullCalendar")):d?r.isFunction(d[t])?(l=d[t].apply(d,e),i||(n=l),"destroy"===t&&u.removeData("fullCalendar")):o.warn("'"+t+"' is an unknown FullCalendar method."):o.warn("Attempting to call a FullCalendar method on an element with no calendar."):d||(d=new s.default(u,t),u.data("fullCalendar",d),d.render())}),n},t.exports=i},function(t,e,n){Object.defineProperty(e,"__esModule",{value:!0});var r=n(3),i=n(4),o=function(){function t(t,e){this.el=null,this.viewsWithButtons=[],this.calendar=t,this.toolbarOptions=e}return t.prototype.setToolbarOptions=function(t){this.toolbarOptions=t},t.prototype.render=function(){var t=this.toolbarOptions.layout,e=this.el;t?(e?e.empty():e=this.el=r("