2024-02-24 00:37:31 +08:00

10543 lines
296 KiB
JavaScript
Raw Blame History

This file contains invisible Unicode characters

This file contains invisible Unicode characters that are indistinguishable to humans but may be processed differently by a computer. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

exports.id = 1423;
exports.ids = [1423];
exports.modules = {
/***/ 41423:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var __webpack_unused_export__;
var React = __webpack_require__(18038);
var ReactDOM = __webpack_require__(98704);
var redux = __webpack_require__(79352);
var reactRedux = __webpack_require__(1560);
var useMemoOne = __webpack_require__(97727);
var cssBoxModel = __webpack_require__(77023);
var memoizeOne = __webpack_require__(7935);
var rafSchd = __webpack_require__(78291);
var _extends = __webpack_require__(59651);
const isProduction$1 = "production" === 'production';
const spacesAndTabs = /[ \t]{2,}/g;
const lineStartWithSpaces = /^[ \t]*/gm;
const clean$2 = value => value.replace(spacesAndTabs, ' ').replace(lineStartWithSpaces, '').trim();
const getDevMessage = message => clean$2(`
%c@hello-pangea/dnd
%c${clean$2(message)}
%c👷 This is a development only message. It will be removed in production builds.
`);
const getFormattedMessage = message => [getDevMessage(message), 'color: #00C584; font-size: 1.2em; font-weight: bold;', 'line-height: 1.5', 'color: #723874;'];
const isDisabledFlag = '__@hello-pangea/dnd-disable-dev-warnings';
function log(type, message) {
if (isProduction$1) {
return;
}
if (typeof window !== 'undefined' && window[isDisabledFlag]) {
return;
}
console[type](...getFormattedMessage(message));
}
const warning = log.bind(null, 'warn');
const error = log.bind(null, 'error');
function noop$2() {}
function getOptions(shared, fromBinding) {
return {
...shared,
...fromBinding
};
}
function bindEvents(el, bindings, sharedOptions) {
const unbindings = bindings.map(binding => {
const options = getOptions(sharedOptions, binding.options);
el.addEventListener(binding.eventName, binding.fn, options);
return function unbind() {
el.removeEventListener(binding.eventName, binding.fn, options);
};
});
return function unbindAll() {
unbindings.forEach(unbind => {
unbind();
});
};
}
const isProduction = "production" === 'production';
const prefix$1 = 'Invariant failed';
class RbdInvariant extends Error {}
RbdInvariant.prototype.toString = function toString() {
return this.message;
};
function invariant(condition, message) {
if (condition) {
return;
}
if (isProduction) {
throw new RbdInvariant(prefix$1);
} else {
throw new RbdInvariant(`${prefix$1}: ${message || ''}`);
}
}
class ErrorBoundary extends React.Component {
constructor(...args) {
super(...args);
this.callbacks = null;
this.unbind = noop$2;
this.onWindowError = event => {
const callbacks = this.getCallbacks();
if (callbacks.isDragging()) {
callbacks.tryAbort();
false ? 0 : void 0;
}
const err = event.error;
if (err instanceof RbdInvariant) {
event.preventDefault();
if (false) {}
}
};
this.getCallbacks = () => {
if (!this.callbacks) {
throw new Error('Unable to find AppCallbacks in <ErrorBoundary/>');
}
return this.callbacks;
};
this.setCallbacks = callbacks => {
this.callbacks = callbacks;
};
}
componentDidMount() {
this.unbind = bindEvents(window, [{
eventName: 'error',
fn: this.onWindowError
}]);
}
componentDidCatch(err) {
if (err instanceof RbdInvariant) {
if (false) {}
this.setState({});
return;
}
throw err;
}
componentWillUnmount() {
this.unbind();
}
render() {
return this.props.children(this.setCallbacks);
}
}
const dragHandleUsageInstructions = `
Press space bar to start a drag.
When dragging you can use the arrow keys to move the item around and escape to cancel.
Some screen readers may require you to be in focus mode or to use your pass through key
`;
const position = index => index + 1;
const onDragStart = start => `
You have lifted an item in position ${position(start.source.index)}
`;
const withLocation = (source, destination) => {
const isInHomeList = source.droppableId === destination.droppableId;
const startPosition = position(source.index);
const endPosition = position(destination.index);
if (isInHomeList) {
return `
You have moved the item from position ${startPosition}
to position ${endPosition}
`;
}
return `
You have moved the item from position ${startPosition}
in list ${source.droppableId}
to list ${destination.droppableId}
in position ${endPosition}
`;
};
const withCombine = (id, source, combine) => {
const inHomeList = source.droppableId === combine.droppableId;
if (inHomeList) {
return `
The item ${id}
has been combined with ${combine.draggableId}`;
}
return `
The item ${id}
in list ${source.droppableId}
has been combined with ${combine.draggableId}
in list ${combine.droppableId}
`;
};
const onDragUpdate = update => {
const location = update.destination;
if (location) {
return withLocation(update.source, location);
}
const combine = update.combine;
if (combine) {
return withCombine(update.draggableId, update.source, combine);
}
return 'You are over an area that cannot be dropped on';
};
const returnedToStart = source => `
The item has returned to its starting position
of ${position(source.index)}
`;
const onDragEnd = result => {
if (result.reason === 'CANCEL') {
return `
Movement cancelled.
${returnedToStart(result.source)}
`;
}
const location = result.destination;
const combine = result.combine;
if (location) {
return `
You have dropped the item.
${withLocation(result.source, location)}
`;
}
if (combine) {
return `
You have dropped the item.
${withCombine(result.draggableId, result.source, combine)}
`;
}
return `
The item has been dropped while not over a drop area.
${returnedToStart(result.source)}
`;
};
const preset = {
dragHandleUsageInstructions,
onDragStart,
onDragUpdate,
onDragEnd
};
var preset$1 = preset;
const origin = {
x: 0,
y: 0
};
const add = (point1, point2) => ({
x: point1.x + point2.x,
y: point1.y + point2.y
});
const subtract = (point1, point2) => ({
x: point1.x - point2.x,
y: point1.y - point2.y
});
const isEqual$1 = (point1, point2) => point1.x === point2.x && point1.y === point2.y;
const negate = point => ({
x: point.x !== 0 ? -point.x : 0,
y: point.y !== 0 ? -point.y : 0
});
const patch = (line, value, otherValue = 0) => {
if (line === 'x') {
return {
x: value,
y: otherValue
};
}
return {
x: otherValue,
y: value
};
};
const distance = (point1, point2) => Math.sqrt((point2.x - point1.x) ** 2 + (point2.y - point1.y) ** 2);
const closest$1 = (target, points) => Math.min(...points.map(point => distance(target, point)));
const apply = fn => point => ({
x: fn(point.x),
y: fn(point.y)
});
var executeClip = ((frame, subject) => {
const result = cssBoxModel.getRect({
top: Math.max(subject.top, frame.top),
right: Math.min(subject.right, frame.right),
bottom: Math.min(subject.bottom, frame.bottom),
left: Math.max(subject.left, frame.left)
});
if (result.width <= 0 || result.height <= 0) {
return null;
}
return result;
});
const offsetByPosition = (spacing, point) => ({
top: spacing.top + point.y,
left: spacing.left + point.x,
bottom: spacing.bottom + point.y,
right: spacing.right + point.x
});
const getCorners = spacing => [{
x: spacing.left,
y: spacing.top
}, {
x: spacing.right,
y: spacing.top
}, {
x: spacing.left,
y: spacing.bottom
}, {
x: spacing.right,
y: spacing.bottom
}];
const noSpacing = {
top: 0,
right: 0,
bottom: 0,
left: 0
};
const scroll$1 = (target, frame) => {
if (!frame) {
return target;
}
return offsetByPosition(target, frame.scroll.diff.displacement);
};
const increase = (target, axis, withPlaceholder) => {
if (withPlaceholder && withPlaceholder.increasedBy) {
return {
...target,
[axis.end]: target[axis.end] + withPlaceholder.increasedBy[axis.line]
};
}
return target;
};
const clip = (target, frame) => {
if (frame && frame.shouldClipSubject) {
return executeClip(frame.pageMarginBox, target);
}
return cssBoxModel.getRect(target);
};
var getSubject = (({
page,
withPlaceholder,
axis,
frame
}) => {
const scrolled = scroll$1(page.marginBox, frame);
const increased = increase(scrolled, axis, withPlaceholder);
const clipped = clip(increased, frame);
return {
page,
withPlaceholder,
active: clipped
};
});
var scrollDroppable = ((droppable, newScroll) => {
!droppable.frame ? false ? 0 : invariant(false) : void 0;
const scrollable = droppable.frame;
const scrollDiff = subtract(newScroll, scrollable.scroll.initial);
const scrollDisplacement = negate(scrollDiff);
const frame = {
...scrollable,
scroll: {
initial: scrollable.scroll.initial,
current: newScroll,
diff: {
value: scrollDiff,
displacement: scrollDisplacement
},
max: scrollable.scroll.max
}
};
const subject = getSubject({
page: droppable.subject.page,
withPlaceholder: droppable.subject.withPlaceholder,
axis: droppable.axis,
frame
});
const result = {
...droppable,
frame,
subject
};
return result;
});
const toDroppableMap = memoizeOne(droppables => droppables.reduce((previous, current) => {
previous[current.descriptor.id] = current;
return previous;
}, {}));
const toDraggableMap = memoizeOne(draggables => draggables.reduce((previous, current) => {
previous[current.descriptor.id] = current;
return previous;
}, {}));
const toDroppableList = memoizeOne(droppables => Object.values(droppables));
const toDraggableList = memoizeOne(draggables => Object.values(draggables));
var getDraggablesInsideDroppable = memoizeOne((droppableId, draggables) => {
const result = toDraggableList(draggables).filter(draggable => droppableId === draggable.descriptor.droppableId).sort((a, b) => a.descriptor.index - b.descriptor.index);
return result;
});
function tryGetDestination(impact) {
if (impact.at && impact.at.type === 'REORDER') {
return impact.at.destination;
}
return null;
}
function tryGetCombine(impact) {
if (impact.at && impact.at.type === 'COMBINE') {
return impact.at.combine;
}
return null;
}
var removeDraggableFromList = memoizeOne((remove, list) => list.filter(item => item.descriptor.id !== remove.descriptor.id));
var moveToNextCombine = (({
isMovingForward,
draggable,
destination,
insideDestination,
previousImpact
}) => {
if (!destination.isCombineEnabled) {
return null;
}
const location = tryGetDestination(previousImpact);
if (!location) {
return null;
}
function getImpact(target) {
const at = {
type: 'COMBINE',
combine: {
draggableId: target,
droppableId: destination.descriptor.id
}
};
return {
...previousImpact,
at
};
}
const all = previousImpact.displaced.all;
const closestId = all.length ? all[0] : null;
if (isMovingForward) {
return closestId ? getImpact(closestId) : null;
}
const withoutDraggable = removeDraggableFromList(draggable, insideDestination);
if (!closestId) {
if (!withoutDraggable.length) {
return null;
}
const last = withoutDraggable[withoutDraggable.length - 1];
return getImpact(last.descriptor.id);
}
const indexOfClosest = withoutDraggable.findIndex(d => d.descriptor.id === closestId);
!(indexOfClosest !== -1) ? false ? 0 : invariant(false) : void 0;
const proposedIndex = indexOfClosest - 1;
if (proposedIndex < 0) {
return null;
}
const before = withoutDraggable[proposedIndex];
return getImpact(before.descriptor.id);
});
var isHomeOf = ((draggable, destination) => draggable.descriptor.droppableId === destination.descriptor.id);
const noDisplacedBy = {
point: origin,
value: 0
};
const emptyGroups = {
invisible: {},
visible: {},
all: []
};
const noImpact = {
displaced: emptyGroups,
displacedBy: noDisplacedBy,
at: null
};
var noImpact$1 = noImpact;
var isWithin = ((lowerBound, upperBound) => value => lowerBound <= value && value <= upperBound);
var isPartiallyVisibleThroughFrame = (frame => {
const isWithinVertical = isWithin(frame.top, frame.bottom);
const isWithinHorizontal = isWithin(frame.left, frame.right);
return subject => {
const isContained = isWithinVertical(subject.top) && isWithinVertical(subject.bottom) && isWithinHorizontal(subject.left) && isWithinHorizontal(subject.right);
if (isContained) {
return true;
}
const isPartiallyVisibleVertically = isWithinVertical(subject.top) || isWithinVertical(subject.bottom);
const isPartiallyVisibleHorizontally = isWithinHorizontal(subject.left) || isWithinHorizontal(subject.right);
const isPartiallyContained = isPartiallyVisibleVertically && isPartiallyVisibleHorizontally;
if (isPartiallyContained) {
return true;
}
const isBiggerVertically = subject.top < frame.top && subject.bottom > frame.bottom;
const isBiggerHorizontally = subject.left < frame.left && subject.right > frame.right;
const isTargetBiggerThanFrame = isBiggerVertically && isBiggerHorizontally;
if (isTargetBiggerThanFrame) {
return true;
}
const isTargetBiggerOnOneAxis = isBiggerVertically && isPartiallyVisibleHorizontally || isBiggerHorizontally && isPartiallyVisibleVertically;
return isTargetBiggerOnOneAxis;
};
});
var isTotallyVisibleThroughFrame = (frame => {
const isWithinVertical = isWithin(frame.top, frame.bottom);
const isWithinHorizontal = isWithin(frame.left, frame.right);
return subject => {
const isContained = isWithinVertical(subject.top) && isWithinVertical(subject.bottom) && isWithinHorizontal(subject.left) && isWithinHorizontal(subject.right);
return isContained;
};
});
const vertical = {
direction: 'vertical',
line: 'y',
crossAxisLine: 'x',
start: 'top',
end: 'bottom',
size: 'height',
crossAxisStart: 'left',
crossAxisEnd: 'right',
crossAxisSize: 'width'
};
const horizontal = {
direction: 'horizontal',
line: 'x',
crossAxisLine: 'y',
start: 'left',
end: 'right',
size: 'width',
crossAxisStart: 'top',
crossAxisEnd: 'bottom',
crossAxisSize: 'height'
};
var isTotallyVisibleThroughFrameOnAxis = (axis => frame => {
const isWithinVertical = isWithin(frame.top, frame.bottom);
const isWithinHorizontal = isWithin(frame.left, frame.right);
return subject => {
if (axis === vertical) {
return isWithinVertical(subject.top) && isWithinVertical(subject.bottom);
}
return isWithinHorizontal(subject.left) && isWithinHorizontal(subject.right);
};
});
const getDroppableDisplaced = (target, destination) => {
const displacement = destination.frame ? destination.frame.scroll.diff.displacement : origin;
return offsetByPosition(target, displacement);
};
const isVisibleInDroppable = (target, destination, isVisibleThroughFrameFn) => {
if (!destination.subject.active) {
return false;
}
return isVisibleThroughFrameFn(destination.subject.active)(target);
};
const isVisibleInViewport = (target, viewport, isVisibleThroughFrameFn) => isVisibleThroughFrameFn(viewport)(target);
const isVisible$1 = ({
target: toBeDisplaced,
destination,
viewport,
withDroppableDisplacement,
isVisibleThroughFrameFn
}) => {
const displacedTarget = withDroppableDisplacement ? getDroppableDisplaced(toBeDisplaced, destination) : toBeDisplaced;
return isVisibleInDroppable(displacedTarget, destination, isVisibleThroughFrameFn) && isVisibleInViewport(displacedTarget, viewport, isVisibleThroughFrameFn);
};
const isPartiallyVisible = args => isVisible$1({
...args,
isVisibleThroughFrameFn: isPartiallyVisibleThroughFrame
});
const isTotallyVisible = args => isVisible$1({
...args,
isVisibleThroughFrameFn: isTotallyVisibleThroughFrame
});
const isTotallyVisibleOnAxis = args => isVisible$1({
...args,
isVisibleThroughFrameFn: isTotallyVisibleThroughFrameOnAxis(args.destination.axis)
});
const getShouldAnimate = (id, last, forceShouldAnimate) => {
if (typeof forceShouldAnimate === 'boolean') {
return forceShouldAnimate;
}
if (!last) {
return true;
}
const {
invisible,
visible
} = last;
if (invisible[id]) {
return false;
}
const previous = visible[id];
return previous ? previous.shouldAnimate : true;
};
function getTarget(draggable, displacedBy) {
const marginBox = draggable.page.marginBox;
const expandBy = {
top: displacedBy.point.y,
right: 0,
bottom: 0,
left: displacedBy.point.x
};
return cssBoxModel.getRect(cssBoxModel.expand(marginBox, expandBy));
}
function getDisplacementGroups({
afterDragging,
destination,
displacedBy,
viewport,
forceShouldAnimate,
last
}) {
return afterDragging.reduce(function process(groups, draggable) {
const target = getTarget(draggable, displacedBy);
const id = draggable.descriptor.id;
groups.all.push(id);
const isVisible = isPartiallyVisible({
target,
destination,
viewport,
withDroppableDisplacement: true
});
if (!isVisible) {
groups.invisible[draggable.descriptor.id] = true;
return groups;
}
const shouldAnimate = getShouldAnimate(id, last, forceShouldAnimate);
const displacement = {
draggableId: id,
shouldAnimate
};
groups.visible[id] = displacement;
return groups;
}, {
all: [],
visible: {},
invisible: {}
});
}
function getIndexOfLastItem(draggables, options) {
if (!draggables.length) {
return 0;
}
const indexOfLastItem = draggables[draggables.length - 1].descriptor.index;
return options.inHomeList ? indexOfLastItem : indexOfLastItem + 1;
}
function goAtEnd({
insideDestination,
inHomeList,
displacedBy,
destination
}) {
const newIndex = getIndexOfLastItem(insideDestination, {
inHomeList
});
return {
displaced: emptyGroups,
displacedBy,
at: {
type: 'REORDER',
destination: {
droppableId: destination.descriptor.id,
index: newIndex
}
}
};
}
function calculateReorderImpact({
draggable,
insideDestination,
destination,
viewport,
displacedBy,
last,
index,
forceShouldAnimate
}) {
const inHomeList = isHomeOf(draggable, destination);
if (index == null) {
return goAtEnd({
insideDestination,
inHomeList,
displacedBy,
destination
});
}
const match = insideDestination.find(item => item.descriptor.index === index);
if (!match) {
return goAtEnd({
insideDestination,
inHomeList,
displacedBy,
destination
});
}
const withoutDragging = removeDraggableFromList(draggable, insideDestination);
const sliceFrom = insideDestination.indexOf(match);
const impacted = withoutDragging.slice(sliceFrom);
const displaced = getDisplacementGroups({
afterDragging: impacted,
destination,
displacedBy,
last,
viewport: viewport.frame,
forceShouldAnimate
});
return {
displaced,
displacedBy,
at: {
type: 'REORDER',
destination: {
droppableId: destination.descriptor.id,
index
}
}
};
}
function didStartAfterCritical(draggableId, afterCritical) {
return Boolean(afterCritical.effected[draggableId]);
}
var fromCombine = (({
isMovingForward,
destination,
draggables,
combine,
afterCritical
}) => {
if (!destination.isCombineEnabled) {
return null;
}
const combineId = combine.draggableId;
const combineWith = draggables[combineId];
const combineWithIndex = combineWith.descriptor.index;
const didCombineWithStartAfterCritical = didStartAfterCritical(combineId, afterCritical);
if (didCombineWithStartAfterCritical) {
if (isMovingForward) {
return combineWithIndex;
}
return combineWithIndex - 1;
}
if (isMovingForward) {
return combineWithIndex + 1;
}
return combineWithIndex;
});
var fromReorder = (({
isMovingForward,
isInHomeList,
insideDestination,
location
}) => {
if (!insideDestination.length) {
return null;
}
const currentIndex = location.index;
const proposedIndex = isMovingForward ? currentIndex + 1 : currentIndex - 1;
const firstIndex = insideDestination[0].descriptor.index;
const lastIndex = insideDestination[insideDestination.length - 1].descriptor.index;
const upperBound = isInHomeList ? lastIndex : lastIndex + 1;
if (proposedIndex < firstIndex) {
return null;
}
if (proposedIndex > upperBound) {
return null;
}
return proposedIndex;
});
var moveToNextIndex = (({
isMovingForward,
isInHomeList,
draggable,
draggables,
destination,
insideDestination,
previousImpact,
viewport,
afterCritical
}) => {
const wasAt = previousImpact.at;
!wasAt ? false ? 0 : invariant(false) : void 0;
if (wasAt.type === 'REORDER') {
const newIndex = fromReorder({
isMovingForward,
isInHomeList,
location: wasAt.destination,
insideDestination
});
if (newIndex == null) {
return null;
}
return calculateReorderImpact({
draggable,
insideDestination,
destination,
viewport,
last: previousImpact.displaced,
displacedBy: previousImpact.displacedBy,
index: newIndex
});
}
const newIndex = fromCombine({
isMovingForward,
destination,
displaced: previousImpact.displaced,
draggables,
combine: wasAt.combine,
afterCritical
});
if (newIndex == null) {
return null;
}
return calculateReorderImpact({
draggable,
insideDestination,
destination,
viewport,
last: previousImpact.displaced,
displacedBy: previousImpact.displacedBy,
index: newIndex
});
});
var getCombinedItemDisplacement = (({
displaced,
afterCritical,
combineWith,
displacedBy
}) => {
const isDisplaced = Boolean(displaced.visible[combineWith] || displaced.invisible[combineWith]);
if (didStartAfterCritical(combineWith, afterCritical)) {
return isDisplaced ? origin : negate(displacedBy.point);
}
return isDisplaced ? displacedBy.point : origin;
});
var whenCombining = (({
afterCritical,
impact,
draggables
}) => {
const combine = tryGetCombine(impact);
!combine ? false ? 0 : invariant(false) : void 0;
const combineWith = combine.draggableId;
const center = draggables[combineWith].page.borderBox.center;
const displaceBy = getCombinedItemDisplacement({
displaced: impact.displaced,
afterCritical,
combineWith,
displacedBy: impact.displacedBy
});
return add(center, displaceBy);
});
const distanceFromStartToBorderBoxCenter = (axis, box) => box.margin[axis.start] + box.borderBox[axis.size] / 2;
const distanceFromEndToBorderBoxCenter = (axis, box) => box.margin[axis.end] + box.borderBox[axis.size] / 2;
const getCrossAxisBorderBoxCenter = (axis, target, isMoving) => target[axis.crossAxisStart] + isMoving.margin[axis.crossAxisStart] + isMoving.borderBox[axis.crossAxisSize] / 2;
const goAfter = ({
axis,
moveRelativeTo,
isMoving
}) => patch(axis.line, moveRelativeTo.marginBox[axis.end] + distanceFromStartToBorderBoxCenter(axis, isMoving), getCrossAxisBorderBoxCenter(axis, moveRelativeTo.marginBox, isMoving));
const goBefore = ({
axis,
moveRelativeTo,
isMoving
}) => patch(axis.line, moveRelativeTo.marginBox[axis.start] - distanceFromEndToBorderBoxCenter(axis, isMoving), getCrossAxisBorderBoxCenter(axis, moveRelativeTo.marginBox, isMoving));
const goIntoStart = ({
axis,
moveInto,
isMoving
}) => patch(axis.line, moveInto.contentBox[axis.start] + distanceFromStartToBorderBoxCenter(axis, isMoving), getCrossAxisBorderBoxCenter(axis, moveInto.contentBox, isMoving));
var whenReordering = (({
impact,
draggable,
draggables,
droppable,
afterCritical
}) => {
const insideDestination = getDraggablesInsideDroppable(droppable.descriptor.id, draggables);
const draggablePage = draggable.page;
const axis = droppable.axis;
if (!insideDestination.length) {
return goIntoStart({
axis,
moveInto: droppable.page,
isMoving: draggablePage
});
}
const {
displaced,
displacedBy
} = impact;
const closestAfter = displaced.all[0];
if (closestAfter) {
const closest = draggables[closestAfter];
if (didStartAfterCritical(closestAfter, afterCritical)) {
return goBefore({
axis,
moveRelativeTo: closest.page,
isMoving: draggablePage
});
}
const withDisplacement = cssBoxModel.offset(closest.page, displacedBy.point);
return goBefore({
axis,
moveRelativeTo: withDisplacement,
isMoving: draggablePage
});
}
const last = insideDestination[insideDestination.length - 1];
if (last.descriptor.id === draggable.descriptor.id) {
return draggablePage.borderBox.center;
}
if (didStartAfterCritical(last.descriptor.id, afterCritical)) {
const page = cssBoxModel.offset(last.page, negate(afterCritical.displacedBy.point));
return goAfter({
axis,
moveRelativeTo: page,
isMoving: draggablePage
});
}
return goAfter({
axis,
moveRelativeTo: last.page,
isMoving: draggablePage
});
});
var withDroppableDisplacement = ((droppable, point) => {
const frame = droppable.frame;
if (!frame) {
return point;
}
return add(point, frame.scroll.diff.displacement);
});
const getResultWithoutDroppableDisplacement = ({
impact,
draggable,
droppable,
draggables,
afterCritical
}) => {
const original = draggable.page.borderBox.center;
const at = impact.at;
if (!droppable) {
return original;
}
if (!at) {
return original;
}
if (at.type === 'REORDER') {
return whenReordering({
impact,
draggable,
draggables,
droppable,
afterCritical
});
}
return whenCombining({
impact,
draggables,
afterCritical
});
};
var getPageBorderBoxCenterFromImpact = (args => {
const withoutDisplacement = getResultWithoutDroppableDisplacement(args);
const droppable = args.droppable;
const withDisplacement = droppable ? withDroppableDisplacement(droppable, withoutDisplacement) : withoutDisplacement;
return withDisplacement;
});
var scrollViewport = ((viewport, newScroll) => {
const diff = subtract(newScroll, viewport.scroll.initial);
const displacement = negate(diff);
const frame = cssBoxModel.getRect({
top: newScroll.y,
bottom: newScroll.y + viewport.frame.height,
left: newScroll.x,
right: newScroll.x + viewport.frame.width
});
const updated = {
frame,
scroll: {
initial: viewport.scroll.initial,
max: viewport.scroll.max,
current: newScroll,
diff: {
value: diff,
displacement
}
}
};
return updated;
});
function getDraggables$1(ids, draggables) {
return ids.map(id => draggables[id]);
}
function tryGetVisible(id, groups) {
for (let i = 0; i < groups.length; i++) {
const displacement = groups[i].visible[id];
if (displacement) {
return displacement;
}
}
return null;
}
var speculativelyIncrease = (({
impact,
viewport,
destination,
draggables,
maxScrollChange
}) => {
const scrolledViewport = scrollViewport(viewport, add(viewport.scroll.current, maxScrollChange));
const scrolledDroppable = destination.frame ? scrollDroppable(destination, add(destination.frame.scroll.current, maxScrollChange)) : destination;
const last = impact.displaced;
const withViewportScroll = getDisplacementGroups({
afterDragging: getDraggables$1(last.all, draggables),
destination,
displacedBy: impact.displacedBy,
viewport: scrolledViewport.frame,
last,
forceShouldAnimate: false
});
const withDroppableScroll = getDisplacementGroups({
afterDragging: getDraggables$1(last.all, draggables),
destination: scrolledDroppable,
displacedBy: impact.displacedBy,
viewport: viewport.frame,
last,
forceShouldAnimate: false
});
const invisible = {};
const visible = {};
const groups = [last, withViewportScroll, withDroppableScroll];
last.all.forEach(id => {
const displacement = tryGetVisible(id, groups);
if (displacement) {
visible[id] = displacement;
return;
}
invisible[id] = true;
});
const newImpact = {
...impact,
displaced: {
all: last.all,
invisible,
visible
}
};
return newImpact;
});
var withViewportDisplacement = ((viewport, point) => add(viewport.scroll.diff.displacement, point));
var getClientFromPageBorderBoxCenter = (({
pageBorderBoxCenter,
draggable,
viewport
}) => {
const withoutPageScrollChange = withViewportDisplacement(viewport, pageBorderBoxCenter);
const offset = subtract(withoutPageScrollChange, draggable.page.borderBox.center);
return add(draggable.client.borderBox.center, offset);
});
var isTotallyVisibleInNewLocation = (({
draggable,
destination,
newPageBorderBoxCenter,
viewport,
withDroppableDisplacement,
onlyOnMainAxis = false
}) => {
const changeNeeded = subtract(newPageBorderBoxCenter, draggable.page.borderBox.center);
const shifted = offsetByPosition(draggable.page.borderBox, changeNeeded);
const args = {
target: shifted,
destination,
withDroppableDisplacement,
viewport
};
return onlyOnMainAxis ? isTotallyVisibleOnAxis(args) : isTotallyVisible(args);
});
var moveToNextPlace = (({
isMovingForward,
draggable,
destination,
draggables,
previousImpact,
viewport,
previousPageBorderBoxCenter,
previousClientSelection,
afterCritical
}) => {
if (!destination.isEnabled) {
return null;
}
const insideDestination = getDraggablesInsideDroppable(destination.descriptor.id, draggables);
const isInHomeList = isHomeOf(draggable, destination);
const impact = moveToNextCombine({
isMovingForward,
draggable,
destination,
insideDestination,
previousImpact
}) || moveToNextIndex({
isMovingForward,
isInHomeList,
draggable,
draggables,
destination,
insideDestination,
previousImpact,
viewport,
afterCritical
});
if (!impact) {
return null;
}
const pageBorderBoxCenter = getPageBorderBoxCenterFromImpact({
impact,
draggable,
droppable: destination,
draggables,
afterCritical
});
const isVisibleInNewLocation = isTotallyVisibleInNewLocation({
draggable,
destination,
newPageBorderBoxCenter: pageBorderBoxCenter,
viewport: viewport.frame,
withDroppableDisplacement: false,
onlyOnMainAxis: true
});
if (isVisibleInNewLocation) {
const clientSelection = getClientFromPageBorderBoxCenter({
pageBorderBoxCenter,
draggable,
viewport
});
return {
clientSelection,
impact,
scrollJumpRequest: null
};
}
const distance = subtract(pageBorderBoxCenter, previousPageBorderBoxCenter);
const cautious = speculativelyIncrease({
impact,
viewport,
destination,
draggables,
maxScrollChange: distance
});
return {
clientSelection: previousClientSelection,
impact: cautious,
scrollJumpRequest: distance
};
});
const getKnownActive = droppable => {
const rect = droppable.subject.active;
!rect ? false ? 0 : invariant(false) : void 0;
return rect;
};
var getBestCrossAxisDroppable = (({
isMovingForward,
pageBorderBoxCenter,
source,
droppables,
viewport
}) => {
const active = source.subject.active;
if (!active) {
return null;
}
const axis = source.axis;
const isBetweenSourceClipped = isWithin(active[axis.start], active[axis.end]);
const candidates = toDroppableList(droppables).filter(droppable => droppable !== source).filter(droppable => droppable.isEnabled).filter(droppable => Boolean(droppable.subject.active)).filter(droppable => isPartiallyVisibleThroughFrame(viewport.frame)(getKnownActive(droppable))).filter(droppable => {
const activeOfTarget = getKnownActive(droppable);
if (isMovingForward) {
return active[axis.crossAxisEnd] < activeOfTarget[axis.crossAxisEnd];
}
return activeOfTarget[axis.crossAxisStart] < active[axis.crossAxisStart];
}).filter(droppable => {
const activeOfTarget = getKnownActive(droppable);
const isBetweenDestinationClipped = isWithin(activeOfTarget[axis.start], activeOfTarget[axis.end]);
return isBetweenSourceClipped(activeOfTarget[axis.start]) || isBetweenSourceClipped(activeOfTarget[axis.end]) || isBetweenDestinationClipped(active[axis.start]) || isBetweenDestinationClipped(active[axis.end]);
}).sort((a, b) => {
const first = getKnownActive(a)[axis.crossAxisStart];
const second = getKnownActive(b)[axis.crossAxisStart];
if (isMovingForward) {
return first - second;
}
return second - first;
}).filter((droppable, index, array) => getKnownActive(droppable)[axis.crossAxisStart] === getKnownActive(array[0])[axis.crossAxisStart]);
if (!candidates.length) {
return null;
}
if (candidates.length === 1) {
return candidates[0];
}
const contains = candidates.filter(droppable => {
const isWithinDroppable = isWithin(getKnownActive(droppable)[axis.start], getKnownActive(droppable)[axis.end]);
return isWithinDroppable(pageBorderBoxCenter[axis.line]);
});
if (contains.length === 1) {
return contains[0];
}
if (contains.length > 1) {
return contains.sort((a, b) => getKnownActive(a)[axis.start] - getKnownActive(b)[axis.start])[0];
}
return candidates.sort((a, b) => {
const first = closest$1(pageBorderBoxCenter, getCorners(getKnownActive(a)));
const second = closest$1(pageBorderBoxCenter, getCorners(getKnownActive(b)));
if (first !== second) {
return first - second;
}
return getKnownActive(a)[axis.start] - getKnownActive(b)[axis.start];
})[0];
});
const getCurrentPageBorderBoxCenter = (draggable, afterCritical) => {
const original = draggable.page.borderBox.center;
return didStartAfterCritical(draggable.descriptor.id, afterCritical) ? subtract(original, afterCritical.displacedBy.point) : original;
};
const getCurrentPageBorderBox = (draggable, afterCritical) => {
const original = draggable.page.borderBox;
return didStartAfterCritical(draggable.descriptor.id, afterCritical) ? offsetByPosition(original, negate(afterCritical.displacedBy.point)) : original;
};
var getClosestDraggable = (({
pageBorderBoxCenter,
viewport,
destination,
insideDestination,
afterCritical
}) => {
const sorted = insideDestination.filter(draggable => isTotallyVisible({
target: getCurrentPageBorderBox(draggable, afterCritical),
destination,
viewport: viewport.frame,
withDroppableDisplacement: true
})).sort((a, b) => {
const distanceToA = distance(pageBorderBoxCenter, withDroppableDisplacement(destination, getCurrentPageBorderBoxCenter(a, afterCritical)));
const distanceToB = distance(pageBorderBoxCenter, withDroppableDisplacement(destination, getCurrentPageBorderBoxCenter(b, afterCritical)));
if (distanceToA < distanceToB) {
return -1;
}
if (distanceToB < distanceToA) {
return 1;
}
return a.descriptor.index - b.descriptor.index;
});
return sorted[0] || null;
});
var getDisplacedBy = memoizeOne(function getDisplacedBy(axis, displaceBy) {
const displacement = displaceBy[axis.line];
return {
value: displacement,
point: patch(axis.line, displacement)
};
});
const getRequiredGrowthForPlaceholder = (droppable, placeholderSize, draggables) => {
const axis = droppable.axis;
if (droppable.descriptor.mode === 'virtual') {
return patch(axis.line, placeholderSize[axis.line]);
}
const availableSpace = droppable.subject.page.contentBox[axis.size];
const insideDroppable = getDraggablesInsideDroppable(droppable.descriptor.id, draggables);
const spaceUsed = insideDroppable.reduce((sum, dimension) => sum + dimension.client.marginBox[axis.size], 0);
const requiredSpace = spaceUsed + placeholderSize[axis.line];
const needsToGrowBy = requiredSpace - availableSpace;
if (needsToGrowBy <= 0) {
return null;
}
return patch(axis.line, needsToGrowBy);
};
const withMaxScroll = (frame, max) => ({
...frame,
scroll: {
...frame.scroll,
max
}
});
const addPlaceholder = (droppable, draggable, draggables) => {
const frame = droppable.frame;
!!isHomeOf(draggable, droppable) ? false ? 0 : invariant(false) : void 0;
!!droppable.subject.withPlaceholder ? false ? 0 : invariant(false) : void 0;
const placeholderSize = getDisplacedBy(droppable.axis, draggable.displaceBy).point;
const requiredGrowth = getRequiredGrowthForPlaceholder(droppable, placeholderSize, draggables);
const added = {
placeholderSize,
increasedBy: requiredGrowth,
oldFrameMaxScroll: droppable.frame ? droppable.frame.scroll.max : null
};
if (!frame) {
const subject = getSubject({
page: droppable.subject.page,
withPlaceholder: added,
axis: droppable.axis,
frame: droppable.frame
});
return {
...droppable,
subject
};
}
const maxScroll = requiredGrowth ? add(frame.scroll.max, requiredGrowth) : frame.scroll.max;
const newFrame = withMaxScroll(frame, maxScroll);
const subject = getSubject({
page: droppable.subject.page,
withPlaceholder: added,
axis: droppable.axis,
frame: newFrame
});
return {
...droppable,
subject,
frame: newFrame
};
};
const removePlaceholder = droppable => {
const added = droppable.subject.withPlaceholder;
!added ? false ? 0 : invariant(false) : void 0;
const frame = droppable.frame;
if (!frame) {
const subject = getSubject({
page: droppable.subject.page,
axis: droppable.axis,
frame: null,
withPlaceholder: null
});
return {
...droppable,
subject
};
}
const oldMaxScroll = added.oldFrameMaxScroll;
!oldMaxScroll ? false ? 0 : invariant(false) : void 0;
const newFrame = withMaxScroll(frame, oldMaxScroll);
const subject = getSubject({
page: droppable.subject.page,
axis: droppable.axis,
frame: newFrame,
withPlaceholder: null
});
return {
...droppable,
subject,
frame: newFrame
};
};
var moveToNewDroppable = (({
previousPageBorderBoxCenter,
moveRelativeTo,
insideDestination,
draggable,
draggables,
destination,
viewport,
afterCritical
}) => {
if (!moveRelativeTo) {
if (insideDestination.length) {
return null;
}
const proposed = {
displaced: emptyGroups,
displacedBy: noDisplacedBy,
at: {
type: 'REORDER',
destination: {
droppableId: destination.descriptor.id,
index: 0
}
}
};
const proposedPageBorderBoxCenter = getPageBorderBoxCenterFromImpact({
impact: proposed,
draggable,
droppable: destination,
draggables,
afterCritical
});
const withPlaceholder = isHomeOf(draggable, destination) ? destination : addPlaceholder(destination, draggable, draggables);
const isVisibleInNewLocation = isTotallyVisibleInNewLocation({
draggable,
destination: withPlaceholder,
newPageBorderBoxCenter: proposedPageBorderBoxCenter,
viewport: viewport.frame,
withDroppableDisplacement: false,
onlyOnMainAxis: true
});
return isVisibleInNewLocation ? proposed : null;
}
const isGoingBeforeTarget = Boolean(previousPageBorderBoxCenter[destination.axis.line] <= moveRelativeTo.page.borderBox.center[destination.axis.line]);
const proposedIndex = (() => {
const relativeTo = moveRelativeTo.descriptor.index;
if (moveRelativeTo.descriptor.id === draggable.descriptor.id) {
return relativeTo;
}
if (isGoingBeforeTarget) {
return relativeTo;
}
return relativeTo + 1;
})();
const displacedBy = getDisplacedBy(destination.axis, draggable.displaceBy);
return calculateReorderImpact({
draggable,
insideDestination,
destination,
viewport,
displacedBy,
last: emptyGroups,
index: proposedIndex
});
});
var moveCrossAxis = (({
isMovingForward,
previousPageBorderBoxCenter,
draggable,
isOver,
draggables,
droppables,
viewport,
afterCritical
}) => {
const destination = getBestCrossAxisDroppable({
isMovingForward,
pageBorderBoxCenter: previousPageBorderBoxCenter,
source: isOver,
droppables,
viewport
});
if (!destination) {
return null;
}
const insideDestination = getDraggablesInsideDroppable(destination.descriptor.id, draggables);
const moveRelativeTo = getClosestDraggable({
pageBorderBoxCenter: previousPageBorderBoxCenter,
viewport,
destination,
insideDestination,
afterCritical
});
const impact = moveToNewDroppable({
previousPageBorderBoxCenter,
destination,
draggable,
draggables,
moveRelativeTo,
insideDestination,
viewport,
afterCritical
});
if (!impact) {
return null;
}
const pageBorderBoxCenter = getPageBorderBoxCenterFromImpact({
impact,
draggable,
droppable: destination,
draggables,
afterCritical
});
const clientSelection = getClientFromPageBorderBoxCenter({
pageBorderBoxCenter,
draggable,
viewport
});
return {
clientSelection,
impact,
scrollJumpRequest: null
};
});
var whatIsDraggedOver = (impact => {
const at = impact.at;
if (!at) {
return null;
}
if (at.type === 'REORDER') {
return at.destination.droppableId;
}
return at.combine.droppableId;
});
const getDroppableOver$1 = (impact, droppables) => {
const id = whatIsDraggedOver(impact);
return id ? droppables[id] : null;
};
var moveInDirection = (({
state,
type
}) => {
const isActuallyOver = getDroppableOver$1(state.impact, state.dimensions.droppables);
const isMainAxisMovementAllowed = Boolean(isActuallyOver);
const home = state.dimensions.droppables[state.critical.droppable.id];
const isOver = isActuallyOver || home;
const direction = isOver.axis.direction;
const isMovingOnMainAxis = direction === 'vertical' && (type === 'MOVE_UP' || type === 'MOVE_DOWN') || direction === 'horizontal' && (type === 'MOVE_LEFT' || type === 'MOVE_RIGHT');
if (isMovingOnMainAxis && !isMainAxisMovementAllowed) {
return null;
}
const isMovingForward = type === 'MOVE_DOWN' || type === 'MOVE_RIGHT';
const draggable = state.dimensions.draggables[state.critical.draggable.id];
const previousPageBorderBoxCenter = state.current.page.borderBoxCenter;
const {
draggables,
droppables
} = state.dimensions;
return isMovingOnMainAxis ? moveToNextPlace({
isMovingForward,
previousPageBorderBoxCenter,
draggable,
destination: isOver,
draggables,
viewport: state.viewport,
previousClientSelection: state.current.client.selection,
previousImpact: state.impact,
afterCritical: state.afterCritical
}) : moveCrossAxis({
isMovingForward,
previousPageBorderBoxCenter,
draggable,
isOver,
draggables,
droppables,
viewport: state.viewport,
afterCritical: state.afterCritical
});
});
function isMovementAllowed(state) {
return state.phase === 'DRAGGING' || state.phase === 'COLLECTING';
}
function isPositionInFrame(frame) {
const isWithinVertical = isWithin(frame.top, frame.bottom);
const isWithinHorizontal = isWithin(frame.left, frame.right);
return function run(point) {
return isWithinVertical(point.y) && isWithinHorizontal(point.x);
};
}
function getHasOverlap(first, second) {
return first.left < second.right && first.right > second.left && first.top < second.bottom && first.bottom > second.top;
}
function getFurthestAway({
pageBorderBox,
draggable,
candidates
}) {
const startCenter = draggable.page.borderBox.center;
const sorted = candidates.map(candidate => {
const axis = candidate.axis;
const target = patch(candidate.axis.line, pageBorderBox.center[axis.line], candidate.page.borderBox.center[axis.crossAxisLine]);
return {
id: candidate.descriptor.id,
distance: distance(startCenter, target)
};
}).sort((a, b) => b.distance - a.distance);
return sorted[0] ? sorted[0].id : null;
}
function getDroppableOver({
pageBorderBox,
draggable,
droppables
}) {
const candidates = toDroppableList(droppables).filter(item => {
if (!item.isEnabled) {
return false;
}
const active = item.subject.active;
if (!active) {
return false;
}
if (!getHasOverlap(pageBorderBox, active)) {
return false;
}
if (isPositionInFrame(active)(pageBorderBox.center)) {
return true;
}
const axis = item.axis;
const childCenter = active.center[axis.crossAxisLine];
const crossAxisStart = pageBorderBox[axis.crossAxisStart];
const crossAxisEnd = pageBorderBox[axis.crossAxisEnd];
const isContained = isWithin(active[axis.crossAxisStart], active[axis.crossAxisEnd]);
const isStartContained = isContained(crossAxisStart);
const isEndContained = isContained(crossAxisEnd);
if (!isStartContained && !isEndContained) {
return true;
}
if (isStartContained) {
return crossAxisStart < childCenter;
}
return crossAxisEnd > childCenter;
});
if (!candidates.length) {
return null;
}
if (candidates.length === 1) {
return candidates[0].descriptor.id;
}
return getFurthestAway({
pageBorderBox,
draggable,
candidates
});
}
const offsetRectByPosition = (rect, point) => cssBoxModel.getRect(offsetByPosition(rect, point));
var withDroppableScroll = ((droppable, area) => {
const frame = droppable.frame;
if (!frame) {
return area;
}
return offsetRectByPosition(area, frame.scroll.diff.value);
});
function getIsDisplaced({
displaced,
id
}) {
return Boolean(displaced.visible[id] || displaced.invisible[id]);
}
function atIndex({
draggable,
closest,
inHomeList
}) {
if (!closest) {
return null;
}
if (!inHomeList) {
return closest.descriptor.index;
}
if (closest.descriptor.index > draggable.descriptor.index) {
return closest.descriptor.index - 1;
}
return closest.descriptor.index;
}
var getReorderImpact = (({
pageBorderBoxWithDroppableScroll: targetRect,
draggable,
destination,
insideDestination,
last,
viewport,
afterCritical
}) => {
const axis = destination.axis;
const displacedBy = getDisplacedBy(destination.axis, draggable.displaceBy);
const displacement = displacedBy.value;
const targetStart = targetRect[axis.start];
const targetEnd = targetRect[axis.end];
const withoutDragging = removeDraggableFromList(draggable, insideDestination);
const closest = withoutDragging.find(child => {
const id = child.descriptor.id;
const childCenter = child.page.borderBox.center[axis.line];
const didStartAfterCritical$1 = didStartAfterCritical(id, afterCritical);
const isDisplaced = getIsDisplaced({
displaced: last,
id
});
if (didStartAfterCritical$1) {
if (isDisplaced) {
return targetEnd <= childCenter;
}
return targetStart < childCenter - displacement;
}
if (isDisplaced) {
return targetEnd <= childCenter + displacement;
}
return targetStart < childCenter;
}) || null;
const newIndex = atIndex({
draggable,
closest,
inHomeList: isHomeOf(draggable, destination)
});
return calculateReorderImpact({
draggable,
insideDestination,
destination,
viewport,
last,
displacedBy,
index: newIndex
});
});
const combineThresholdDivisor = 4;
var getCombineImpact = (({
draggable,
pageBorderBoxWithDroppableScroll: targetRect,
previousImpact,
destination,
insideDestination,
afterCritical
}) => {
if (!destination.isCombineEnabled) {
return null;
}
const axis = destination.axis;
const displacedBy = getDisplacedBy(destination.axis, draggable.displaceBy);
const displacement = displacedBy.value;
const targetStart = targetRect[axis.start];
const targetEnd = targetRect[axis.end];
const withoutDragging = removeDraggableFromList(draggable, insideDestination);
const combineWith = withoutDragging.find(child => {
const id = child.descriptor.id;
const childRect = child.page.borderBox;
const childSize = childRect[axis.size];
const threshold = childSize / combineThresholdDivisor;
const didStartAfterCritical$1 = didStartAfterCritical(id, afterCritical);
const isDisplaced = getIsDisplaced({
displaced: previousImpact.displaced,
id
});
if (didStartAfterCritical$1) {
if (isDisplaced) {
return targetEnd > childRect[axis.start] + threshold && targetEnd < childRect[axis.end] - threshold;
}
return targetStart > childRect[axis.start] - displacement + threshold && targetStart < childRect[axis.end] - displacement - threshold;
}
if (isDisplaced) {
return targetEnd > childRect[axis.start] + displacement + threshold && targetEnd < childRect[axis.end] + displacement - threshold;
}
return targetStart > childRect[axis.start] + threshold && targetStart < childRect[axis.end] - threshold;
});
if (!combineWith) {
return null;
}
const impact = {
displacedBy,
displaced: previousImpact.displaced,
at: {
type: 'COMBINE',
combine: {
draggableId: combineWith.descriptor.id,
droppableId: destination.descriptor.id
}
}
};
return impact;
});
var getDragImpact = (({
pageOffset,
draggable,
draggables,
droppables,
previousImpact,
viewport,
afterCritical
}) => {
const pageBorderBox = offsetRectByPosition(draggable.page.borderBox, pageOffset);
const destinationId = getDroppableOver({
pageBorderBox,
draggable,
droppables
});
if (!destinationId) {
return noImpact$1;
}
const destination = droppables[destinationId];
const insideDestination = getDraggablesInsideDroppable(destination.descriptor.id, draggables);
const pageBorderBoxWithDroppableScroll = withDroppableScroll(destination, pageBorderBox);
return getCombineImpact({
pageBorderBoxWithDroppableScroll,
draggable,
previousImpact,
destination,
insideDestination,
afterCritical
}) || getReorderImpact({
pageBorderBoxWithDroppableScroll,
draggable,
destination,
insideDestination,
last: previousImpact.displaced,
viewport,
afterCritical
});
});
var patchDroppableMap = ((droppables, updated) => ({
...droppables,
[updated.descriptor.id]: updated
}));
const clearUnusedPlaceholder = ({
previousImpact,
impact,
droppables
}) => {
const last = whatIsDraggedOver(previousImpact);
const now = whatIsDraggedOver(impact);
if (!last) {
return droppables;
}
if (last === now) {
return droppables;
}
const lastDroppable = droppables[last];
if (!lastDroppable.subject.withPlaceholder) {
return droppables;
}
const updated = removePlaceholder(lastDroppable);
return patchDroppableMap(droppables, updated);
};
var recomputePlaceholders = (({
draggable,
draggables,
droppables,
previousImpact,
impact
}) => {
const cleaned = clearUnusedPlaceholder({
previousImpact,
impact,
droppables
});
const isOver = whatIsDraggedOver(impact);
if (!isOver) {
return cleaned;
}
const droppable = droppables[isOver];
if (isHomeOf(draggable, droppable)) {
return cleaned;
}
if (droppable.subject.withPlaceholder) {
return cleaned;
}
const patched = addPlaceholder(droppable, draggable, draggables);
return patchDroppableMap(cleaned, patched);
});
var update = (({
state,
clientSelection: forcedClientSelection,
dimensions: forcedDimensions,
viewport: forcedViewport,
impact: forcedImpact,
scrollJumpRequest
}) => {
const viewport = forcedViewport || state.viewport;
const dimensions = forcedDimensions || state.dimensions;
const clientSelection = forcedClientSelection || state.current.client.selection;
const offset = subtract(clientSelection, state.initial.client.selection);
const client = {
offset,
selection: clientSelection,
borderBoxCenter: add(state.initial.client.borderBoxCenter, offset)
};
const page = {
selection: add(client.selection, viewport.scroll.current),
borderBoxCenter: add(client.borderBoxCenter, viewport.scroll.current),
offset: add(client.offset, viewport.scroll.diff.value)
};
const current = {
client,
page
};
if (state.phase === 'COLLECTING') {
return {
...state,
dimensions,
viewport,
current
};
}
const draggable = dimensions.draggables[state.critical.draggable.id];
const newImpact = forcedImpact || getDragImpact({
pageOffset: page.offset,
draggable,
draggables: dimensions.draggables,
droppables: dimensions.droppables,
previousImpact: state.impact,
viewport,
afterCritical: state.afterCritical
});
const withUpdatedPlaceholders = recomputePlaceholders({
draggable,
impact: newImpact,
previousImpact: state.impact,
draggables: dimensions.draggables,
droppables: dimensions.droppables
});
const result = {
...state,
current,
dimensions: {
draggables: dimensions.draggables,
droppables: withUpdatedPlaceholders
},
impact: newImpact,
viewport,
scrollJumpRequest: scrollJumpRequest || null,
forceShouldAnimate: scrollJumpRequest ? false : null
};
return result;
});
function getDraggables(ids, draggables) {
return ids.map(id => draggables[id]);
}
var recompute = (({
impact,
viewport,
draggables,
destination,
forceShouldAnimate
}) => {
const last = impact.displaced;
const afterDragging = getDraggables(last.all, draggables);
const displaced = getDisplacementGroups({
afterDragging,
destination,
displacedBy: impact.displacedBy,
viewport: viewport.frame,
forceShouldAnimate,
last
});
return {
...impact,
displaced
};
});
var getClientBorderBoxCenter = (({
impact,
draggable,
droppable,
draggables,
viewport,
afterCritical
}) => {
const pageBorderBoxCenter = getPageBorderBoxCenterFromImpact({
impact,
draggable,
draggables,
droppable,
afterCritical
});
return getClientFromPageBorderBoxCenter({
pageBorderBoxCenter,
draggable,
viewport
});
});
var refreshSnap = (({
state,
dimensions: forcedDimensions,
viewport: forcedViewport
}) => {
!(state.movementMode === 'SNAP') ? false ? 0 : invariant(false) : void 0;
const needsVisibilityCheck = state.impact;
const viewport = forcedViewport || state.viewport;
const dimensions = forcedDimensions || state.dimensions;
const {
draggables,
droppables
} = dimensions;
const draggable = draggables[state.critical.draggable.id];
const isOver = whatIsDraggedOver(needsVisibilityCheck);
!isOver ? false ? 0 : invariant(false) : void 0;
const destination = droppables[isOver];
const impact = recompute({
impact: needsVisibilityCheck,
viewport,
destination,
draggables
});
const clientSelection = getClientBorderBoxCenter({
impact,
draggable,
droppable: destination,
draggables,
viewport,
afterCritical: state.afterCritical
});
return update({
impact,
clientSelection,
state,
dimensions,
viewport
});
});
var getHomeLocation = (descriptor => ({
index: descriptor.index,
droppableId: descriptor.droppableId
}));
var getLiftEffect = (({
draggable,
home,
draggables,
viewport
}) => {
const displacedBy = getDisplacedBy(home.axis, draggable.displaceBy);
const insideHome = getDraggablesInsideDroppable(home.descriptor.id, draggables);
const rawIndex = insideHome.indexOf(draggable);
!(rawIndex !== -1) ? false ? 0 : invariant(false) : void 0;
const afterDragging = insideHome.slice(rawIndex + 1);
const effected = afterDragging.reduce((previous, item) => {
previous[item.descriptor.id] = true;
return previous;
}, {});
const afterCritical = {
inVirtualList: home.descriptor.mode === 'virtual',
displacedBy,
effected
};
const displaced = getDisplacementGroups({
afterDragging,
destination: home,
displacedBy,
last: null,
viewport: viewport.frame,
forceShouldAnimate: false
});
const impact = {
displaced,
displacedBy,
at: {
type: 'REORDER',
destination: getHomeLocation(draggable.descriptor)
}
};
return {
impact,
afterCritical
};
});
var patchDimensionMap = ((dimensions, updated) => ({
draggables: dimensions.draggables,
droppables: patchDroppableMap(dimensions.droppables, updated)
}));
const start = key => {
if (false) {}
};
const finish = key => {
if (false) {}
};
var offsetDraggable = (({
draggable,
offset,
initialWindowScroll
}) => {
const client = cssBoxModel.offset(draggable.client, offset);
const page = cssBoxModel.withScroll(client, initialWindowScroll);
const moved = {
...draggable,
placeholder: {
...draggable.placeholder,
client
},
client,
page
};
return moved;
});
var getFrame = (droppable => {
const frame = droppable.frame;
!frame ? false ? 0 : invariant(false) : void 0;
return frame;
});
var adjustAdditionsForScrollChanges = (({
additions,
updatedDroppables,
viewport
}) => {
const windowScrollChange = viewport.scroll.diff.value;
return additions.map(draggable => {
const droppableId = draggable.descriptor.droppableId;
const modified = updatedDroppables[droppableId];
const frame = getFrame(modified);
const droppableScrollChange = frame.scroll.diff.value;
const totalChange = add(windowScrollChange, droppableScrollChange);
const moved = offsetDraggable({
draggable,
offset: totalChange,
initialWindowScroll: viewport.scroll.initial
});
return moved;
});
});
const timingsKey = 'Processing dynamic changes';
var publishWhileDraggingInVirtual = (({
state,
published
}) => {
start(timingsKey);
const withScrollChange = published.modified.map(update => {
const existing = state.dimensions.droppables[update.droppableId];
const scrolled = scrollDroppable(existing, update.scroll);
return scrolled;
});
const droppables = {
...state.dimensions.droppables,
...toDroppableMap(withScrollChange)
};
const updatedAdditions = toDraggableMap(adjustAdditionsForScrollChanges({
additions: published.additions,
updatedDroppables: droppables,
viewport: state.viewport
}));
const draggables = {
...state.dimensions.draggables,
...updatedAdditions
};
published.removals.forEach(id => {
delete draggables[id];
});
const dimensions = {
droppables,
draggables
};
const wasOverId = whatIsDraggedOver(state.impact);
const wasOver = wasOverId ? dimensions.droppables[wasOverId] : null;
const draggable = dimensions.draggables[state.critical.draggable.id];
const home = dimensions.droppables[state.critical.droppable.id];
const {
impact: onLiftImpact,
afterCritical
} = getLiftEffect({
draggable,
home,
draggables,
viewport: state.viewport
});
const previousImpact = wasOver && wasOver.isCombineEnabled ? state.impact : onLiftImpact;
const impact = getDragImpact({
pageOffset: state.current.page.offset,
draggable: dimensions.draggables[state.critical.draggable.id],
draggables: dimensions.draggables,
droppables: dimensions.droppables,
previousImpact,
viewport: state.viewport,
afterCritical
});
finish(timingsKey);
const draggingState = {
...state,
phase: 'DRAGGING',
impact,
onLiftImpact,
dimensions,
afterCritical,
forceShouldAnimate: false
};
if (state.phase === 'COLLECTING') {
return draggingState;
}
const dropPending = {
...draggingState,
phase: 'DROP_PENDING',
reason: state.reason,
isWaiting: false
};
return dropPending;
});
const isSnapping = state => state.movementMode === 'SNAP';
const postDroppableChange = (state, updated, isEnabledChanging) => {
const dimensions = patchDimensionMap(state.dimensions, updated);
if (!isSnapping(state) || isEnabledChanging) {
return update({
state,
dimensions
});
}
return refreshSnap({
state,
dimensions
});
};
function removeScrollJumpRequest(state) {
if (state.isDragging && state.movementMode === 'SNAP') {
return {
...state,
scrollJumpRequest: null
};
}
return state;
}
const idle$2 = {
phase: 'IDLE',
completed: null,
shouldFlush: false
};
var reducer = ((state = idle$2, action) => {
if (action.type === 'FLUSH') {
return {
...idle$2,
shouldFlush: true
};
}
if (action.type === 'INITIAL_PUBLISH') {
!(state.phase === 'IDLE') ? false ? 0 : invariant(false) : void 0;
const {
critical,
clientSelection,
viewport,
dimensions,
movementMode
} = action.payload;
const draggable = dimensions.draggables[critical.draggable.id];
const home = dimensions.droppables[critical.droppable.id];
const client = {
selection: clientSelection,
borderBoxCenter: draggable.client.borderBox.center,
offset: origin
};
const initial = {
client,
page: {
selection: add(client.selection, viewport.scroll.initial),
borderBoxCenter: add(client.selection, viewport.scroll.initial),
offset: add(client.selection, viewport.scroll.diff.value)
}
};
const isWindowScrollAllowed = toDroppableList(dimensions.droppables).every(item => !item.isFixedOnPage);
const {
impact,
afterCritical
} = getLiftEffect({
draggable,
home,
draggables: dimensions.draggables,
viewport
});
const result = {
phase: 'DRAGGING',
isDragging: true,
critical,
movementMode,
dimensions,
initial,
current: initial,
isWindowScrollAllowed,
impact,
afterCritical,
onLiftImpact: impact,
viewport,
scrollJumpRequest: null,
forceShouldAnimate: null
};
return result;
}
if (action.type === 'COLLECTION_STARTING') {
if (state.phase === 'COLLECTING' || state.phase === 'DROP_PENDING') {
return state;
}
!(state.phase === 'DRAGGING') ? false ? 0 : invariant(false) : void 0;
const result = {
...state,
phase: 'COLLECTING'
};
return result;
}
if (action.type === 'PUBLISH_WHILE_DRAGGING') {
!(state.phase === 'COLLECTING' || state.phase === 'DROP_PENDING') ? false ? 0 : invariant(false) : void 0;
return publishWhileDraggingInVirtual({
state,
published: action.payload
});
}
if (action.type === 'MOVE') {
if (state.phase === 'DROP_PENDING') {
return state;
}
!isMovementAllowed(state) ? false ? 0 : invariant(false) : void 0;
const {
client: clientSelection
} = action.payload;
if (isEqual$1(clientSelection, state.current.client.selection)) {
return state;
}
return update({
state,
clientSelection,
impact: isSnapping(state) ? state.impact : null
});
}
if (action.type === 'UPDATE_DROPPABLE_SCROLL') {
if (state.phase === 'DROP_PENDING') {
return removeScrollJumpRequest(state);
}
if (state.phase === 'COLLECTING') {
return removeScrollJumpRequest(state);
}
!isMovementAllowed(state) ? false ? 0 : invariant(false) : void 0;
const {
id,
newScroll
} = action.payload;
const target = state.dimensions.droppables[id];
if (!target) {
return state;
}
const scrolled = scrollDroppable(target, newScroll);
return postDroppableChange(state, scrolled, false);
}
if (action.type === 'UPDATE_DROPPABLE_IS_ENABLED') {
if (state.phase === 'DROP_PENDING') {
return state;
}
!isMovementAllowed(state) ? false ? 0 : invariant(false) : void 0;
const {
id,
isEnabled
} = action.payload;
const target = state.dimensions.droppables[id];
!target ? false ? 0 : invariant(false) : void 0;
!(target.isEnabled !== isEnabled) ? false ? 0 : invariant(false) : void 0;
const updated = {
...target,
isEnabled
};
return postDroppableChange(state, updated, true);
}
if (action.type === 'UPDATE_DROPPABLE_IS_COMBINE_ENABLED') {
if (state.phase === 'DROP_PENDING') {
return state;
}
!isMovementAllowed(state) ? false ? 0 : invariant(false) : void 0;
const {
id,
isCombineEnabled
} = action.payload;
const target = state.dimensions.droppables[id];
!target ? false ? 0 : invariant(false) : void 0;
!(target.isCombineEnabled !== isCombineEnabled) ? false ? 0 : invariant(false) : void 0;
const updated = {
...target,
isCombineEnabled
};
return postDroppableChange(state, updated, true);
}
if (action.type === 'MOVE_BY_WINDOW_SCROLL') {
if (state.phase === 'DROP_PENDING' || state.phase === 'DROP_ANIMATING') {
return state;
}
!isMovementAllowed(state) ? false ? 0 : invariant(false) : void 0;
!state.isWindowScrollAllowed ? false ? 0 : invariant(false) : void 0;
const newScroll = action.payload.newScroll;
if (isEqual$1(state.viewport.scroll.current, newScroll)) {
return removeScrollJumpRequest(state);
}
const viewport = scrollViewport(state.viewport, newScroll);
if (isSnapping(state)) {
return refreshSnap({
state,
viewport
});
}
return update({
state,
viewport
});
}
if (action.type === 'UPDATE_VIEWPORT_MAX_SCROLL') {
if (!isMovementAllowed(state)) {
return state;
}
const maxScroll = action.payload.maxScroll;
if (isEqual$1(maxScroll, state.viewport.scroll.max)) {
return state;
}
const withMaxScroll = {
...state.viewport,
scroll: {
...state.viewport.scroll,
max: maxScroll
}
};
return {
...state,
viewport: withMaxScroll
};
}
if (action.type === 'MOVE_UP' || action.type === 'MOVE_DOWN' || action.type === 'MOVE_LEFT' || action.type === 'MOVE_RIGHT') {
if (state.phase === 'COLLECTING' || state.phase === 'DROP_PENDING') {
return state;
}
!(state.phase === 'DRAGGING') ? false ? 0 : invariant(false) : void 0;
const result = moveInDirection({
state,
type: action.type
});
if (!result) {
return state;
}
return update({
state,
impact: result.impact,
clientSelection: result.clientSelection,
scrollJumpRequest: result.scrollJumpRequest
});
}
if (action.type === 'DROP_PENDING') {
const reason = action.payload.reason;
!(state.phase === 'COLLECTING') ? false ? 0 : invariant(false) : void 0;
const newState = {
...state,
phase: 'DROP_PENDING',
isWaiting: true,
reason
};
return newState;
}
if (action.type === 'DROP_ANIMATE') {
const {
completed,
dropDuration,
newHomeClientOffset
} = action.payload;
!(state.phase === 'DRAGGING' || state.phase === 'DROP_PENDING') ? false ? 0 : invariant(false) : void 0;
const result = {
phase: 'DROP_ANIMATING',
completed,
dropDuration,
newHomeClientOffset,
dimensions: state.dimensions
};
return result;
}
if (action.type === 'DROP_COMPLETE') {
const {
completed
} = action.payload;
return {
phase: 'IDLE',
completed,
shouldFlush: false
};
}
return state;
});
const beforeInitialCapture = args => ({
type: 'BEFORE_INITIAL_CAPTURE',
payload: args
});
const lift$1 = args => ({
type: 'LIFT',
payload: args
});
const initialPublish = args => ({
type: 'INITIAL_PUBLISH',
payload: args
});
const publishWhileDragging = args => ({
type: 'PUBLISH_WHILE_DRAGGING',
payload: args
});
const collectionStarting = () => ({
type: 'COLLECTION_STARTING',
payload: null
});
const updateDroppableScroll = args => ({
type: 'UPDATE_DROPPABLE_SCROLL',
payload: args
});
const updateDroppableIsEnabled = args => ({
type: 'UPDATE_DROPPABLE_IS_ENABLED',
payload: args
});
const updateDroppableIsCombineEnabled = args => ({
type: 'UPDATE_DROPPABLE_IS_COMBINE_ENABLED',
payload: args
});
const move = args => ({
type: 'MOVE',
payload: args
});
const moveByWindowScroll = args => ({
type: 'MOVE_BY_WINDOW_SCROLL',
payload: args
});
const updateViewportMaxScroll = args => ({
type: 'UPDATE_VIEWPORT_MAX_SCROLL',
payload: args
});
const moveUp = () => ({
type: 'MOVE_UP',
payload: null
});
const moveDown = () => ({
type: 'MOVE_DOWN',
payload: null
});
const moveRight = () => ({
type: 'MOVE_RIGHT',
payload: null
});
const moveLeft = () => ({
type: 'MOVE_LEFT',
payload: null
});
const flush = () => ({
type: 'FLUSH',
payload: null
});
const animateDrop = args => ({
type: 'DROP_ANIMATE',
payload: args
});
const completeDrop = args => ({
type: 'DROP_COMPLETE',
payload: args
});
const drop$1 = args => ({
type: 'DROP',
payload: args
});
const dropPending = args => ({
type: 'DROP_PENDING',
payload: args
});
const dropAnimationFinished = () => ({
type: 'DROP_ANIMATION_FINISHED',
payload: null
});
function checkIndexes(insideDestination) {
if (insideDestination.length <= 1) {
return;
}
const indexes = insideDestination.map(d => d.descriptor.index);
const errors = {};
for (let i = 1; i < indexes.length; i++) {
const current = indexes[i];
const previous = indexes[i - 1];
if (current !== previous + 1) {
errors[current] = true;
}
}
if (!Object.keys(errors).length) {
return;
}
const formatted = indexes.map(index => {
const hasError = Boolean(errors[index]);
return hasError ? `[🔥${index}]` : `${index}`;
}).join(', ');
false ? 0 : void 0;
}
function validateDimensions(critical, dimensions) {
if (false) {}
}
var lift = (marshal => ({
getState,
dispatch
}) => next => action => {
if (action.type !== 'LIFT') {
next(action);
return;
}
const {
id,
clientSelection,
movementMode
} = action.payload;
const initial = getState();
if (initial.phase === 'DROP_ANIMATING') {
dispatch(completeDrop({
completed: initial.completed
}));
}
!(getState().phase === 'IDLE') ? false ? 0 : invariant(false) : void 0;
dispatch(flush());
dispatch(beforeInitialCapture({
draggableId: id,
movementMode
}));
const scrollOptions = {
shouldPublishImmediately: movementMode === 'SNAP'
};
const request = {
draggableId: id,
scrollOptions
};
const {
critical,
dimensions,
viewport
} = marshal.startPublishing(request);
validateDimensions(critical, dimensions);
dispatch(initialPublish({
critical,
dimensions,
clientSelection,
movementMode,
viewport
}));
});
var style = (marshal => () => next => action => {
if (action.type === 'INITIAL_PUBLISH') {
marshal.dragging();
}
if (action.type === 'DROP_ANIMATE') {
marshal.dropping(action.payload.completed.result.reason);
}
if (action.type === 'FLUSH' || action.type === 'DROP_COMPLETE') {
marshal.resting();
}
next(action);
});
const curves = {
outOfTheWay: 'cubic-bezier(0.2, 0, 0, 1)',
drop: 'cubic-bezier(.2,1,.1,1)'
};
const combine = {
opacity: {
drop: 0,
combining: 0.7
},
scale: {
drop: 0.75
}
};
const timings = {
outOfTheWay: 0.2,
minDropTime: 0.33,
maxDropTime: 0.55
};
const outOfTheWayTiming = `${timings.outOfTheWay}s ${curves.outOfTheWay}`;
const transitions = {
fluid: `opacity ${outOfTheWayTiming}`,
snap: `transform ${outOfTheWayTiming}, opacity ${outOfTheWayTiming}`,
drop: duration => {
const timing = `${duration}s ${curves.drop}`;
return `transform ${timing}, opacity ${timing}`;
},
outOfTheWay: `transform ${outOfTheWayTiming}`,
placeholder: `height ${outOfTheWayTiming}, width ${outOfTheWayTiming}, margin ${outOfTheWayTiming}`
};
const moveTo = offset => isEqual$1(offset, origin) ? undefined : `translate(${offset.x}px, ${offset.y}px)`;
const transforms = {
moveTo,
drop: (offset, isCombining) => {
const translate = moveTo(offset);
if (!translate) {
return undefined;
}
if (!isCombining) {
return translate;
}
return `${translate} scale(${combine.scale.drop})`;
}
};
const {
minDropTime,
maxDropTime
} = timings;
const dropTimeRange = maxDropTime - minDropTime;
const maxDropTimeAtDistance = 1500;
const cancelDropModifier = 0.6;
var getDropDuration = (({
current,
destination,
reason
}) => {
const distance$1 = distance(current, destination);
if (distance$1 <= 0) {
return minDropTime;
}
if (distance$1 >= maxDropTimeAtDistance) {
return maxDropTime;
}
const percentage = distance$1 / maxDropTimeAtDistance;
const duration = minDropTime + dropTimeRange * percentage;
const withDuration = reason === 'CANCEL' ? duration * cancelDropModifier : duration;
return Number(withDuration.toFixed(2));
});
var getNewHomeClientOffset = (({
impact,
draggable,
dimensions,
viewport,
afterCritical
}) => {
const {
draggables,
droppables
} = dimensions;
const droppableId = whatIsDraggedOver(impact);
const destination = droppableId ? droppables[droppableId] : null;
const home = droppables[draggable.descriptor.droppableId];
const newClientCenter = getClientBorderBoxCenter({
impact,
draggable,
draggables,
afterCritical,
droppable: destination || home,
viewport
});
const offset = subtract(newClientCenter, draggable.client.borderBox.center);
return offset;
});
var getDropImpact = (({
draggables,
reason,
lastImpact,
home,
viewport,
onLiftImpact
}) => {
if (!lastImpact.at || reason !== 'DROP') {
const recomputedHomeImpact = recompute({
draggables,
impact: onLiftImpact,
destination: home,
viewport,
forceShouldAnimate: true
});
return {
impact: recomputedHomeImpact,
didDropInsideDroppable: false
};
}
if (lastImpact.at.type === 'REORDER') {
return {
impact: lastImpact,
didDropInsideDroppable: true
};
}
const withoutMovement = {
...lastImpact,
displaced: emptyGroups
};
return {
impact: withoutMovement,
didDropInsideDroppable: true
};
});
const dropMiddleware = ({
getState,
dispatch
}) => next => action => {
if (action.type !== 'DROP') {
next(action);
return;
}
const state = getState();
const reason = action.payload.reason;
if (state.phase === 'COLLECTING') {
dispatch(dropPending({
reason
}));
return;
}
if (state.phase === 'IDLE') {
return;
}
const isWaitingForDrop = state.phase === 'DROP_PENDING' && state.isWaiting;
!!isWaitingForDrop ? false ? 0 : invariant(false) : void 0;
!(state.phase === 'DRAGGING' || state.phase === 'DROP_PENDING') ? false ? 0 : invariant(false) : void 0;
const critical = state.critical;
const dimensions = state.dimensions;
const draggable = dimensions.draggables[state.critical.draggable.id];
const {
impact,
didDropInsideDroppable
} = getDropImpact({
reason,
lastImpact: state.impact,
afterCritical: state.afterCritical,
onLiftImpact: state.onLiftImpact,
home: state.dimensions.droppables[state.critical.droppable.id],
viewport: state.viewport,
draggables: state.dimensions.draggables
});
const destination = didDropInsideDroppable ? tryGetDestination(impact) : null;
const combine = didDropInsideDroppable ? tryGetCombine(impact) : null;
const source = {
index: critical.draggable.index,
droppableId: critical.droppable.id
};
const result = {
draggableId: draggable.descriptor.id,
type: draggable.descriptor.type,
source,
reason,
mode: state.movementMode,
destination,
combine
};
const newHomeClientOffset = getNewHomeClientOffset({
impact,
draggable,
dimensions,
viewport: state.viewport,
afterCritical: state.afterCritical
});
const completed = {
critical: state.critical,
afterCritical: state.afterCritical,
result,
impact
};
const isAnimationRequired = !isEqual$1(state.current.client.offset, newHomeClientOffset) || Boolean(result.combine);
if (!isAnimationRequired) {
dispatch(completeDrop({
completed
}));
return;
}
const dropDuration = getDropDuration({
current: state.current.client.offset,
destination: newHomeClientOffset,
reason
});
const args = {
newHomeClientOffset,
dropDuration,
completed
};
dispatch(animateDrop(args));
};
var drop = dropMiddleware;
var getWindowScroll = (() => ({
x: window.pageXOffset,
y: window.pageYOffset
}));
function getWindowScrollBinding(update) {
return {
eventName: 'scroll',
options: {
passive: true,
capture: false
},
fn: event => {
if (event.target !== window && event.target !== window.document) {
return;
}
update();
}
};
}
function getScrollListener({
onWindowScroll
}) {
function updateScroll() {
onWindowScroll(getWindowScroll());
}
const scheduled = rafSchd(updateScroll);
const binding = getWindowScrollBinding(scheduled);
let unbind = noop$2;
function isActive() {
return unbind !== noop$2;
}
function start() {
!!isActive() ? false ? 0 : invariant(false) : void 0;
unbind = bindEvents(window, [binding]);
}
function stop() {
!isActive() ? false ? 0 : invariant(false) : void 0;
scheduled.cancel();
unbind();
unbind = noop$2;
}
return {
start,
stop,
isActive
};
}
const shouldEnd = action => action.type === 'DROP_COMPLETE' || action.type === 'DROP_ANIMATE' || action.type === 'FLUSH';
const scrollListener = store => {
const listener = getScrollListener({
onWindowScroll: newScroll => {
store.dispatch(moveByWindowScroll({
newScroll
}));
}
});
return next => action => {
if (!listener.isActive() && action.type === 'INITIAL_PUBLISH') {
listener.start();
}
if (listener.isActive() && shouldEnd(action)) {
listener.stop();
}
next(action);
};
};
var scrollListener$1 = scrollListener;
var getExpiringAnnounce = (announce => {
let wasCalled = false;
let isExpired = false;
const timeoutId = setTimeout(() => {
isExpired = true;
});
const result = message => {
if (wasCalled) {
false ? 0 : void 0;
return;
}
if (isExpired) {
false ? 0 : void 0;
return;
}
wasCalled = true;
announce(message);
clearTimeout(timeoutId);
};
result.wasCalled = () => wasCalled;
return result;
});
var getAsyncMarshal = (() => {
const entries = [];
const execute = timerId => {
const index = entries.findIndex(item => item.timerId === timerId);
!(index !== -1) ? false ? 0 : invariant(false) : void 0;
const [entry] = entries.splice(index, 1);
entry.callback();
};
const add = fn => {
const timerId = setTimeout(() => execute(timerId));
const entry = {
timerId,
callback: fn
};
entries.push(entry);
};
const flush = () => {
if (!entries.length) {
return;
}
const shallow = [...entries];
entries.length = 0;
shallow.forEach(entry => {
clearTimeout(entry.timerId);
entry.callback();
});
};
return {
add,
flush
};
});
const areLocationsEqual = (first, second) => {
if (first == null && second == null) {
return true;
}
if (first == null || second == null) {
return false;
}
return first.droppableId === second.droppableId && first.index === second.index;
};
const isCombineEqual = (first, second) => {
if (first == null && second == null) {
return true;
}
if (first == null || second == null) {
return false;
}
return first.draggableId === second.draggableId && first.droppableId === second.droppableId;
};
const isCriticalEqual = (first, second) => {
if (first === second) {
return true;
}
const isDraggableEqual = first.draggable.id === second.draggable.id && first.draggable.droppableId === second.draggable.droppableId && first.draggable.type === second.draggable.type && first.draggable.index === second.draggable.index;
const isDroppableEqual = first.droppable.id === second.droppable.id && first.droppable.type === second.droppable.type;
return isDraggableEqual && isDroppableEqual;
};
const withTimings = (key, fn) => {
start();
fn();
finish();
};
const getDragStart = (critical, mode) => ({
draggableId: critical.draggable.id,
type: critical.droppable.type,
source: {
droppableId: critical.droppable.id,
index: critical.draggable.index
},
mode
});
function execute(responder, data, announce, getDefaultMessage) {
if (!responder) {
announce(getDefaultMessage(data));
return;
}
const willExpire = getExpiringAnnounce(announce);
const provided = {
announce: willExpire
};
responder(data, provided);
if (!willExpire.wasCalled()) {
announce(getDefaultMessage(data));
}
}
var getPublisher = ((getResponders, announce) => {
const asyncMarshal = getAsyncMarshal();
let dragging = null;
const beforeCapture = (draggableId, mode) => {
!!dragging ? false ? 0 : invariant(false) : void 0;
withTimings('onBeforeCapture', () => {
const fn = getResponders().onBeforeCapture;
if (fn) {
const before = {
draggableId,
mode
};
fn(before);
}
});
};
const beforeStart = (critical, mode) => {
!!dragging ? false ? 0 : invariant(false) : void 0;
withTimings('onBeforeDragStart', () => {
const fn = getResponders().onBeforeDragStart;
if (fn) {
fn(getDragStart(critical, mode));
}
});
};
const start = (critical, mode) => {
!!dragging ? false ? 0 : invariant(false) : void 0;
const data = getDragStart(critical, mode);
dragging = {
mode,
lastCritical: critical,
lastLocation: data.source,
lastCombine: null
};
asyncMarshal.add(() => {
withTimings('onDragStart', () => execute(getResponders().onDragStart, data, announce, preset$1.onDragStart));
});
};
const update = (critical, impact) => {
const location = tryGetDestination(impact);
const combine = tryGetCombine(impact);
!dragging ? false ? 0 : invariant(false) : void 0;
const hasCriticalChanged = !isCriticalEqual(critical, dragging.lastCritical);
if (hasCriticalChanged) {
dragging.lastCritical = critical;
}
const hasLocationChanged = !areLocationsEqual(dragging.lastLocation, location);
if (hasLocationChanged) {
dragging.lastLocation = location;
}
const hasGroupingChanged = !isCombineEqual(dragging.lastCombine, combine);
if (hasGroupingChanged) {
dragging.lastCombine = combine;
}
if (!hasCriticalChanged && !hasLocationChanged && !hasGroupingChanged) {
return;
}
const data = {
...getDragStart(critical, dragging.mode),
combine,
destination: location
};
asyncMarshal.add(() => {
withTimings('onDragUpdate', () => execute(getResponders().onDragUpdate, data, announce, preset$1.onDragUpdate));
});
};
const flush = () => {
!dragging ? false ? 0 : invariant(false) : void 0;
asyncMarshal.flush();
};
const drop = result => {
!dragging ? false ? 0 : invariant(false) : void 0;
dragging = null;
withTimings('onDragEnd', () => execute(getResponders().onDragEnd, result, announce, preset$1.onDragEnd));
};
const abort = () => {
if (!dragging) {
return;
}
const result = {
...getDragStart(dragging.lastCritical, dragging.mode),
combine: null,
destination: null,
reason: 'CANCEL'
};
drop(result);
};
return {
beforeCapture,
beforeStart,
start,
update,
flush,
drop,
abort
};
});
var responders = ((getResponders, announce) => {
const publisher = getPublisher(getResponders, announce);
return store => next => action => {
if (action.type === 'BEFORE_INITIAL_CAPTURE') {
publisher.beforeCapture(action.payload.draggableId, action.payload.movementMode);
return;
}
if (action.type === 'INITIAL_PUBLISH') {
const critical = action.payload.critical;
publisher.beforeStart(critical, action.payload.movementMode);
next(action);
publisher.start(critical, action.payload.movementMode);
return;
}
if (action.type === 'DROP_COMPLETE') {
const result = action.payload.completed.result;
publisher.flush();
next(action);
publisher.drop(result);
return;
}
next(action);
if (action.type === 'FLUSH') {
publisher.abort();
return;
}
const state = store.getState();
if (state.phase === 'DRAGGING') {
publisher.update(state.critical, state.impact);
}
};
});
const dropAnimationFinishMiddleware = store => next => action => {
if (action.type !== 'DROP_ANIMATION_FINISHED') {
next(action);
return;
}
const state = store.getState();
!(state.phase === 'DROP_ANIMATING') ? false ? 0 : invariant(false) : void 0;
store.dispatch(completeDrop({
completed: state.completed
}));
};
var dropAnimationFinish = dropAnimationFinishMiddleware;
const dropAnimationFlushOnScrollMiddleware = store => {
let unbind = null;
let frameId = null;
function clear() {
if (frameId) {
cancelAnimationFrame(frameId);
frameId = null;
}
if (unbind) {
unbind();
unbind = null;
}
}
return next => action => {
if (action.type === 'FLUSH' || action.type === 'DROP_COMPLETE' || action.type === 'DROP_ANIMATION_FINISHED') {
clear();
}
next(action);
if (action.type !== 'DROP_ANIMATE') {
return;
}
const binding = {
eventName: 'scroll',
options: {
capture: true,
passive: false,
once: true
},
fn: function flushDropAnimation() {
const state = store.getState();
if (state.phase === 'DROP_ANIMATING') {
store.dispatch(dropAnimationFinished());
}
}
};
frameId = requestAnimationFrame(() => {
frameId = null;
unbind = bindEvents(window, [binding]);
});
};
};
var dropAnimationFlushOnScroll = dropAnimationFlushOnScrollMiddleware;
var dimensionMarshalStopper = (marshal => () => next => action => {
if (action.type === 'DROP_COMPLETE' || action.type === 'FLUSH' || action.type === 'DROP_ANIMATE') {
marshal.stopPublishing();
}
next(action);
});
var focus = (marshal => {
let isWatching = false;
return () => next => action => {
if (action.type === 'INITIAL_PUBLISH') {
isWatching = true;
marshal.tryRecordFocus(action.payload.critical.draggable.id);
next(action);
marshal.tryRestoreFocusRecorded();
return;
}
next(action);
if (!isWatching) {
return;
}
if (action.type === 'FLUSH') {
isWatching = false;
marshal.tryRestoreFocusRecorded();
return;
}
if (action.type === 'DROP_COMPLETE') {
isWatching = false;
const result = action.payload.completed.result;
if (result.combine) {
marshal.tryShiftRecord(result.draggableId, result.combine.draggableId);
}
marshal.tryRestoreFocusRecorded();
}
};
});
const shouldStop = action => action.type === 'DROP_COMPLETE' || action.type === 'DROP_ANIMATE' || action.type === 'FLUSH';
var autoScroll = (autoScroller => store => next => action => {
if (shouldStop(action)) {
autoScroller.stop();
next(action);
return;
}
if (action.type === 'INITIAL_PUBLISH') {
next(action);
const state = store.getState();
!(state.phase === 'DRAGGING') ? false ? 0 : invariant(false) : void 0;
autoScroller.start(state);
return;
}
next(action);
autoScroller.scroll(store.getState());
});
const pendingDrop = store => next => action => {
next(action);
if (action.type !== 'PUBLISH_WHILE_DRAGGING') {
return;
}
const postActionState = store.getState();
if (postActionState.phase !== 'DROP_PENDING') {
return;
}
if (postActionState.isWaiting) {
return;
}
store.dispatch(drop$1({
reason: postActionState.reason
}));
};
var pendingDrop$1 = pendingDrop;
const composeEnhancers = false ? 0 : redux.compose;
var createStore = (({
dimensionMarshal,
focusMarshal,
styleMarshal,
getResponders,
announce,
autoScroller
}) => redux.createStore(reducer, composeEnhancers(redux.applyMiddleware(style(styleMarshal), dimensionMarshalStopper(dimensionMarshal), lift(dimensionMarshal), drop, dropAnimationFinish, dropAnimationFlushOnScroll, pendingDrop$1, autoScroll(autoScroller), scrollListener$1, focus(focusMarshal), responders(getResponders, announce)))));
const clean$1 = () => ({
additions: {},
removals: {},
modified: {}
});
function createPublisher({
registry,
callbacks
}) {
let staging = clean$1();
let frameId = null;
const collect = () => {
if (frameId) {
return;
}
callbacks.collectionStarting();
frameId = requestAnimationFrame(() => {
frameId = null;
start();
const {
additions,
removals,
modified
} = staging;
const added = Object.keys(additions).map(id => registry.draggable.getById(id).getDimension(origin)).sort((a, b) => a.descriptor.index - b.descriptor.index);
const updated = Object.keys(modified).map(id => {
const entry = registry.droppable.getById(id);
const scroll = entry.callbacks.getScrollWhileDragging();
return {
droppableId: id,
scroll
};
});
const result = {
additions: added,
removals: Object.keys(removals),
modified: updated
};
staging = clean$1();
finish();
callbacks.publish(result);
});
};
const add = entry => {
const id = entry.descriptor.id;
staging.additions[id] = entry;
staging.modified[entry.descriptor.droppableId] = true;
if (staging.removals[id]) {
delete staging.removals[id];
}
collect();
};
const remove = entry => {
const descriptor = entry.descriptor;
staging.removals[descriptor.id] = true;
staging.modified[descriptor.droppableId] = true;
if (staging.additions[descriptor.id]) {
delete staging.additions[descriptor.id];
}
collect();
};
const stop = () => {
if (!frameId) {
return;
}
cancelAnimationFrame(frameId);
frameId = null;
staging = clean$1();
};
return {
add,
remove,
stop
};
}
var getMaxScroll = (({
scrollHeight,
scrollWidth,
height,
width
}) => {
const maxScroll = subtract({
x: scrollWidth,
y: scrollHeight
}, {
x: width,
y: height
});
const adjustedMaxScroll = {
x: Math.max(0, maxScroll.x),
y: Math.max(0, maxScroll.y)
};
return adjustedMaxScroll;
});
var getDocumentElement = (() => {
const doc = document.documentElement;
!doc ? false ? 0 : invariant(false) : void 0;
return doc;
});
var getMaxWindowScroll = (() => {
const doc = getDocumentElement();
const maxScroll = getMaxScroll({
scrollHeight: doc.scrollHeight,
scrollWidth: doc.scrollWidth,
width: doc.clientWidth,
height: doc.clientHeight
});
return maxScroll;
});
var getViewport = (() => {
const scroll = getWindowScroll();
const maxScroll = getMaxWindowScroll();
const top = scroll.y;
const left = scroll.x;
const doc = getDocumentElement();
const width = doc.clientWidth;
const height = doc.clientHeight;
const right = left + width;
const bottom = top + height;
const frame = cssBoxModel.getRect({
top,
left,
right,
bottom
});
const viewport = {
frame,
scroll: {
initial: scroll,
current: scroll,
max: maxScroll,
diff: {
value: origin,
displacement: origin
}
}
};
return viewport;
});
var getInitialPublish = (({
critical,
scrollOptions,
registry
}) => {
start();
const viewport = getViewport();
const windowScroll = viewport.scroll.current;
const home = critical.droppable;
const droppables = registry.droppable.getAllByType(home.type).map(entry => entry.callbacks.getDimensionAndWatchScroll(windowScroll, scrollOptions));
const draggables = registry.draggable.getAllByType(critical.draggable.type).map(entry => entry.getDimension(windowScroll));
const dimensions = {
draggables: toDraggableMap(draggables),
droppables: toDroppableMap(droppables)
};
finish();
const result = {
dimensions,
critical,
viewport
};
return result;
});
function shouldPublishUpdate(registry, dragging, entry) {
if (entry.descriptor.id === dragging.id) {
return false;
}
if (entry.descriptor.type !== dragging.type) {
return false;
}
const home = registry.droppable.getById(entry.descriptor.droppableId);
if (home.descriptor.mode !== 'virtual') {
false ? 0 : void 0;
return false;
}
return true;
}
var createDimensionMarshal = ((registry, callbacks) => {
let collection = null;
const publisher = createPublisher({
callbacks: {
publish: callbacks.publishWhileDragging,
collectionStarting: callbacks.collectionStarting
},
registry
});
const updateDroppableIsEnabled = (id, isEnabled) => {
!registry.droppable.exists(id) ? false ? 0 : invariant(false) : void 0;
if (!collection) {
return;
}
callbacks.updateDroppableIsEnabled({
id,
isEnabled
});
};
const updateDroppableIsCombineEnabled = (id, isCombineEnabled) => {
if (!collection) {
return;
}
!registry.droppable.exists(id) ? false ? 0 : invariant(false) : void 0;
callbacks.updateDroppableIsCombineEnabled({
id,
isCombineEnabled
});
};
const updateDroppableScroll = (id, newScroll) => {
if (!collection) {
return;
}
!registry.droppable.exists(id) ? false ? 0 : invariant(false) : void 0;
callbacks.updateDroppableScroll({
id,
newScroll
});
};
const scrollDroppable = (id, change) => {
if (!collection) {
return;
}
registry.droppable.getById(id).callbacks.scroll(change);
};
const stopPublishing = () => {
if (!collection) {
return;
}
publisher.stop();
const home = collection.critical.droppable;
registry.droppable.getAllByType(home.type).forEach(entry => entry.callbacks.dragStopped());
collection.unsubscribe();
collection = null;
};
const subscriber = event => {
!collection ? false ? 0 : invariant(false) : void 0;
const dragging = collection.critical.draggable;
if (event.type === 'ADDITION') {
if (shouldPublishUpdate(registry, dragging, event.value)) {
publisher.add(event.value);
}
}
if (event.type === 'REMOVAL') {
if (shouldPublishUpdate(registry, dragging, event.value)) {
publisher.remove(event.value);
}
}
};
const startPublishing = request => {
!!collection ? false ? 0 : invariant(false) : void 0;
const entry = registry.draggable.getById(request.draggableId);
const home = registry.droppable.getById(entry.descriptor.droppableId);
const critical = {
draggable: entry.descriptor,
droppable: home.descriptor
};
const unsubscribe = registry.subscribe(subscriber);
collection = {
critical,
unsubscribe
};
return getInitialPublish({
critical,
registry,
scrollOptions: request.scrollOptions
});
};
const marshal = {
updateDroppableIsEnabled,
updateDroppableIsCombineEnabled,
scrollDroppable,
updateDroppableScroll,
startPublishing,
stopPublishing
};
return marshal;
});
var canStartDrag = ((state, id) => {
if (state.phase === 'IDLE') {
return true;
}
if (state.phase !== 'DROP_ANIMATING') {
return false;
}
if (state.completed.result.draggableId === id) {
return false;
}
return state.completed.result.reason === 'DROP';
});
var scrollWindow = (change => {
window.scrollBy(change.x, change.y);
});
const getScrollableDroppables = memoizeOne(droppables => toDroppableList(droppables).filter(droppable => {
if (!droppable.isEnabled) {
return false;
}
if (!droppable.frame) {
return false;
}
return true;
}));
const getScrollableDroppableOver = (target, droppables) => {
const maybe = getScrollableDroppables(droppables).find(droppable => {
!droppable.frame ? false ? 0 : invariant(false) : void 0;
return isPositionInFrame(droppable.frame.pageMarginBox)(target);
}) || null;
return maybe;
};
var getBestScrollableDroppable = (({
center,
destination,
droppables
}) => {
if (destination) {
const dimension = droppables[destination];
if (!dimension.frame) {
return null;
}
return dimension;
}
const dimension = getScrollableDroppableOver(center, droppables);
return dimension;
});
const defaultAutoScrollerOptions = {
startFromPercentage: 0.25,
maxScrollAtPercentage: 0.05,
maxPixelScroll: 28,
ease: percentage => percentage ** 2,
durationDampening: {
stopDampeningAt: 1200,
accelerateAt: 360
},
disabled: false
};
var getDistanceThresholds = ((container, axis, getAutoScrollerOptions = () => defaultAutoScrollerOptions) => {
const autoScrollerOptions = getAutoScrollerOptions();
const startScrollingFrom = container[axis.size] * autoScrollerOptions.startFromPercentage;
const maxScrollValueAt = container[axis.size] * autoScrollerOptions.maxScrollAtPercentage;
const thresholds = {
startScrollingFrom,
maxScrollValueAt
};
return thresholds;
});
var getPercentage = (({
startOfRange,
endOfRange,
current
}) => {
const range = endOfRange - startOfRange;
if (range === 0) {
false ? 0 : void 0;
return 0;
}
const currentInRange = current - startOfRange;
const percentage = currentInRange / range;
return percentage;
});
var minScroll = 1;
var getValueFromDistance = ((distanceToEdge, thresholds, getAutoScrollerOptions = () => defaultAutoScrollerOptions) => {
const autoScrollerOptions = getAutoScrollerOptions();
if (distanceToEdge > thresholds.startScrollingFrom) {
return 0;
}
if (distanceToEdge <= thresholds.maxScrollValueAt) {
return autoScrollerOptions.maxPixelScroll;
}
if (distanceToEdge === thresholds.startScrollingFrom) {
return minScroll;
}
const percentageFromMaxScrollValueAt = getPercentage({
startOfRange: thresholds.maxScrollValueAt,
endOfRange: thresholds.startScrollingFrom,
current: distanceToEdge
});
const percentageFromStartScrollingFrom = 1 - percentageFromMaxScrollValueAt;
const scroll = autoScrollerOptions.maxPixelScroll * autoScrollerOptions.ease(percentageFromStartScrollingFrom);
return Math.ceil(scroll);
});
var dampenValueByTime = ((proposedScroll, dragStartTime, getAutoScrollerOptions) => {
const autoScrollerOptions = getAutoScrollerOptions();
const accelerateAt = autoScrollerOptions.durationDampening.accelerateAt;
const stopAt = autoScrollerOptions.durationDampening.stopDampeningAt;
const startOfRange = dragStartTime;
const endOfRange = stopAt;
const now = Date.now();
const runTime = now - startOfRange;
if (runTime >= stopAt) {
return proposedScroll;
}
if (runTime < accelerateAt) {
return minScroll;
}
const betweenAccelerateAtAndStopAtPercentage = getPercentage({
startOfRange: accelerateAt,
endOfRange,
current: runTime
});
const scroll = proposedScroll * autoScrollerOptions.ease(betweenAccelerateAtAndStopAtPercentage);
return Math.ceil(scroll);
});
var getValue = (({
distanceToEdge,
thresholds,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
}) => {
const scroll = getValueFromDistance(distanceToEdge, thresholds, getAutoScrollerOptions);
if (scroll === 0) {
return 0;
}
if (!shouldUseTimeDampening) {
return scroll;
}
return Math.max(dampenValueByTime(scroll, dragStartTime, getAutoScrollerOptions), minScroll);
});
var getScrollOnAxis = (({
container,
distanceToEdges,
dragStartTime,
axis,
shouldUseTimeDampening,
getAutoScrollerOptions
}) => {
const thresholds = getDistanceThresholds(container, axis, getAutoScrollerOptions);
const isCloserToEnd = distanceToEdges[axis.end] < distanceToEdges[axis.start];
if (isCloserToEnd) {
return getValue({
distanceToEdge: distanceToEdges[axis.end],
thresholds,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
});
}
return -1 * getValue({
distanceToEdge: distanceToEdges[axis.start],
thresholds,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
});
});
var adjustForSizeLimits = (({
container,
subject,
proposedScroll
}) => {
const isTooBigVertically = subject.height > container.height;
const isTooBigHorizontally = subject.width > container.width;
if (!isTooBigHorizontally && !isTooBigVertically) {
return proposedScroll;
}
if (isTooBigHorizontally && isTooBigVertically) {
return null;
}
return {
x: isTooBigHorizontally ? 0 : proposedScroll.x,
y: isTooBigVertically ? 0 : proposedScroll.y
};
});
const clean = apply(value => value === 0 ? 0 : value);
var getScroll$1 = (({
dragStartTime,
container,
subject,
center,
shouldUseTimeDampening,
getAutoScrollerOptions
}) => {
const distanceToEdges = {
top: center.y - container.top,
right: container.right - center.x,
bottom: container.bottom - center.y,
left: center.x - container.left
};
const y = getScrollOnAxis({
container,
distanceToEdges,
dragStartTime,
axis: vertical,
shouldUseTimeDampening,
getAutoScrollerOptions
});
const x = getScrollOnAxis({
container,
distanceToEdges,
dragStartTime,
axis: horizontal,
shouldUseTimeDampening,
getAutoScrollerOptions
});
const required = clean({
x,
y
});
if (isEqual$1(required, origin)) {
return null;
}
const limited = adjustForSizeLimits({
container,
subject,
proposedScroll: required
});
if (!limited) {
return null;
}
return isEqual$1(limited, origin) ? null : limited;
});
const smallestSigned = apply(value => {
if (value === 0) {
return 0;
}
return value > 0 ? 1 : -1;
});
const getOverlap = (() => {
const getRemainder = (target, max) => {
if (target < 0) {
return target;
}
if (target > max) {
return target - max;
}
return 0;
};
return ({
current,
max,
change
}) => {
const targetScroll = add(current, change);
const overlap = {
x: getRemainder(targetScroll.x, max.x),
y: getRemainder(targetScroll.y, max.y)
};
if (isEqual$1(overlap, origin)) {
return null;
}
return overlap;
};
})();
const canPartiallyScroll = ({
max: rawMax,
current,
change
}) => {
const max = {
x: Math.max(current.x, rawMax.x),
y: Math.max(current.y, rawMax.y)
};
const smallestChange = smallestSigned(change);
const overlap = getOverlap({
max,
current,
change: smallestChange
});
if (!overlap) {
return true;
}
if (smallestChange.x !== 0 && overlap.x === 0) {
return true;
}
if (smallestChange.y !== 0 && overlap.y === 0) {
return true;
}
return false;
};
const canScrollWindow = (viewport, change) => canPartiallyScroll({
current: viewport.scroll.current,
max: viewport.scroll.max,
change
});
const getWindowOverlap = (viewport, change) => {
if (!canScrollWindow(viewport, change)) {
return null;
}
const max = viewport.scroll.max;
const current = viewport.scroll.current;
return getOverlap({
current,
max,
change
});
};
const canScrollDroppable = (droppable, change) => {
const frame = droppable.frame;
if (!frame) {
return false;
}
return canPartiallyScroll({
current: frame.scroll.current,
max: frame.scroll.max,
change
});
};
const getDroppableOverlap = (droppable, change) => {
const frame = droppable.frame;
if (!frame) {
return null;
}
if (!canScrollDroppable(droppable, change)) {
return null;
}
return getOverlap({
current: frame.scroll.current,
max: frame.scroll.max,
change
});
};
var getWindowScrollChange = (({
viewport,
subject,
center,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
}) => {
const scroll = getScroll$1({
dragStartTime,
container: viewport.frame,
subject,
center,
shouldUseTimeDampening,
getAutoScrollerOptions
});
return scroll && canScrollWindow(viewport, scroll) ? scroll : null;
});
var getDroppableScrollChange = (({
droppable,
subject,
center,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
}) => {
const frame = droppable.frame;
if (!frame) {
return null;
}
const scroll = getScroll$1({
dragStartTime,
container: frame.pageMarginBox,
subject,
center,
shouldUseTimeDampening,
getAutoScrollerOptions
});
return scroll && canScrollDroppable(droppable, scroll) ? scroll : null;
});
var scroll = (({
state,
dragStartTime,
shouldUseTimeDampening,
scrollWindow,
scrollDroppable,
getAutoScrollerOptions
}) => {
const center = state.current.page.borderBoxCenter;
const draggable = state.dimensions.draggables[state.critical.draggable.id];
const subject = draggable.page.marginBox;
if (state.isWindowScrollAllowed) {
const viewport = state.viewport;
const change = getWindowScrollChange({
dragStartTime,
viewport,
subject,
center,
shouldUseTimeDampening,
getAutoScrollerOptions
});
if (change) {
scrollWindow(change);
return;
}
}
const droppable = getBestScrollableDroppable({
center,
destination: whatIsDraggedOver(state.impact),
droppables: state.dimensions.droppables
});
if (!droppable) {
return;
}
const change = getDroppableScrollChange({
dragStartTime,
droppable,
subject,
center,
shouldUseTimeDampening,
getAutoScrollerOptions
});
if (change) {
scrollDroppable(droppable.descriptor.id, change);
}
});
var createFluidScroller = (({
scrollWindow,
scrollDroppable,
getAutoScrollerOptions = () => defaultAutoScrollerOptions
}) => {
const scheduleWindowScroll = rafSchd(scrollWindow);
const scheduleDroppableScroll = rafSchd(scrollDroppable);
let dragging = null;
const tryScroll = state => {
!dragging ? false ? 0 : invariant(false) : void 0;
const {
shouldUseTimeDampening,
dragStartTime
} = dragging;
scroll({
state,
scrollWindow: scheduleWindowScroll,
scrollDroppable: scheduleDroppableScroll,
dragStartTime,
shouldUseTimeDampening,
getAutoScrollerOptions
});
};
const start$1 = state => {
start();
!!dragging ? false ? 0 : invariant(false) : void 0;
const dragStartTime = Date.now();
let wasScrollNeeded = false;
const fakeScrollCallback = () => {
wasScrollNeeded = true;
};
scroll({
state,
dragStartTime: 0,
shouldUseTimeDampening: false,
scrollWindow: fakeScrollCallback,
scrollDroppable: fakeScrollCallback,
getAutoScrollerOptions
});
dragging = {
dragStartTime,
shouldUseTimeDampening: wasScrollNeeded
};
finish();
if (wasScrollNeeded) {
tryScroll(state);
}
};
const stop = () => {
if (!dragging) {
return;
}
scheduleWindowScroll.cancel();
scheduleDroppableScroll.cancel();
dragging = null;
};
return {
start: start$1,
stop,
scroll: tryScroll
};
});
var createJumpScroller = (({
move,
scrollDroppable,
scrollWindow
}) => {
const moveByOffset = (state, offset) => {
const client = add(state.current.client.selection, offset);
move({
client
});
};
const scrollDroppableAsMuchAsItCan = (droppable, change) => {
if (!canScrollDroppable(droppable, change)) {
return change;
}
const overlap = getDroppableOverlap(droppable, change);
if (!overlap) {
scrollDroppable(droppable.descriptor.id, change);
return null;
}
const whatTheDroppableCanScroll = subtract(change, overlap);
scrollDroppable(droppable.descriptor.id, whatTheDroppableCanScroll);
const remainder = subtract(change, whatTheDroppableCanScroll);
return remainder;
};
const scrollWindowAsMuchAsItCan = (isWindowScrollAllowed, viewport, change) => {
if (!isWindowScrollAllowed) {
return change;
}
if (!canScrollWindow(viewport, change)) {
return change;
}
const overlap = getWindowOverlap(viewport, change);
if (!overlap) {
scrollWindow(change);
return null;
}
const whatTheWindowCanScroll = subtract(change, overlap);
scrollWindow(whatTheWindowCanScroll);
const remainder = subtract(change, whatTheWindowCanScroll);
return remainder;
};
const jumpScroller = state => {
const request = state.scrollJumpRequest;
if (!request) {
return;
}
const destination = whatIsDraggedOver(state.impact);
!destination ? false ? 0 : invariant(false) : void 0;
const droppableRemainder = scrollDroppableAsMuchAsItCan(state.dimensions.droppables[destination], request);
if (!droppableRemainder) {
return;
}
const viewport = state.viewport;
const windowRemainder = scrollWindowAsMuchAsItCan(state.isWindowScrollAllowed, viewport, droppableRemainder);
if (!windowRemainder) {
return;
}
moveByOffset(state, windowRemainder);
};
return jumpScroller;
});
var createAutoScroller = (({
scrollDroppable,
scrollWindow,
move,
getAutoScrollerOptions
}) => {
const fluidScroller = createFluidScroller({
scrollWindow,
scrollDroppable,
getAutoScrollerOptions
});
const jumpScroll = createJumpScroller({
move,
scrollWindow,
scrollDroppable
});
const scroll = state => {
const autoScrollerOptions = getAutoScrollerOptions();
if (autoScrollerOptions.disabled || state.phase !== 'DRAGGING') {
return;
}
if (state.movementMode === 'FLUID') {
fluidScroller.scroll(state);
return;
}
if (!state.scrollJumpRequest) {
return;
}
jumpScroll(state);
};
const scroller = {
scroll,
start: fluidScroller.start,
stop: fluidScroller.stop
};
return scroller;
});
const prefix = 'data-rfd';
const dragHandle = (() => {
const base = `${prefix}-drag-handle`;
return {
base,
draggableId: `${base}-draggable-id`,
contextId: `${base}-context-id`
};
})();
const draggable = (() => {
const base = `${prefix}-draggable`;
return {
base,
contextId: `${base}-context-id`,
id: `${base}-id`
};
})();
const droppable = (() => {
const base = `${prefix}-droppable`;
return {
base,
contextId: `${base}-context-id`,
id: `${base}-id`
};
})();
const scrollContainer = {
contextId: `${prefix}-scroll-container-context-id`
};
const makeGetSelector = context => attribute => `[${attribute}="${context}"]`;
const getStyles = (rules, property) => rules.map(rule => {
const value = rule.styles[property];
if (!value) {
return '';
}
return `${rule.selector} { ${value} }`;
}).join(' ');
const noPointerEvents = 'pointer-events: none;';
var getStyles$1 = (contextId => {
const getSelector = makeGetSelector(contextId);
const dragHandle$1 = (() => {
const grabCursor = `
cursor: -webkit-grab;
cursor: grab;
`;
return {
selector: getSelector(dragHandle.contextId),
styles: {
always: `
-webkit-touch-callout: none;
-webkit-tap-highlight-color: rgba(0,0,0,0);
touch-action: manipulation;
`,
resting: grabCursor,
dragging: noPointerEvents,
dropAnimating: grabCursor
}
};
})();
const draggable$1 = (() => {
const transition = `
transition: ${transitions.outOfTheWay};
`;
return {
selector: getSelector(draggable.contextId),
styles: {
dragging: transition,
dropAnimating: transition,
userCancel: transition
}
};
})();
const droppable$1 = {
selector: getSelector(droppable.contextId),
styles: {
always: `overflow-anchor: none;`
}
};
const body = {
selector: 'body',
styles: {
dragging: `
cursor: grabbing;
cursor: -webkit-grabbing;
user-select: none;
-webkit-user-select: none;
-moz-user-select: none;
-ms-user-select: none;
overflow-anchor: none;
`
}
};
const rules = [draggable$1, dragHandle$1, droppable$1, body];
return {
always: getStyles(rules, 'always'),
resting: getStyles(rules, 'resting'),
dragging: getStyles(rules, 'dragging'),
dropAnimating: getStyles(rules, 'dropAnimating'),
userCancel: getStyles(rules, 'userCancel')
};
});
const useIsomorphicLayoutEffect = typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined' ? React.useLayoutEffect : React.useEffect;
var useLayoutEffect = useIsomorphicLayoutEffect;
const getHead = () => {
const head = document.querySelector('head');
!head ? false ? 0 : invariant(false) : void 0;
return head;
};
const createStyleEl = nonce => {
const el = document.createElement('style');
if (nonce) {
el.setAttribute('nonce', nonce);
}
el.type = 'text/css';
return el;
};
function useStyleMarshal(contextId, nonce) {
const styles = useMemoOne.useMemo(() => getStyles$1(contextId), [contextId]);
const alwaysRef = React.useRef(null);
const dynamicRef = React.useRef(null);
const setDynamicStyle = useMemoOne.useCallback(memoizeOne(proposed => {
const el = dynamicRef.current;
!el ? false ? 0 : invariant(false) : void 0;
el.textContent = proposed;
}), []);
const setAlwaysStyle = useMemoOne.useCallback(proposed => {
const el = alwaysRef.current;
!el ? false ? 0 : invariant(false) : void 0;
el.textContent = proposed;
}, []);
useLayoutEffect(() => {
!(!alwaysRef.current && !dynamicRef.current) ? false ? 0 : invariant(false) : void 0;
const always = createStyleEl(nonce);
const dynamic = createStyleEl(nonce);
alwaysRef.current = always;
dynamicRef.current = dynamic;
always.setAttribute(`${prefix}-always`, contextId);
dynamic.setAttribute(`${prefix}-dynamic`, contextId);
getHead().appendChild(always);
getHead().appendChild(dynamic);
setAlwaysStyle(styles.always);
setDynamicStyle(styles.resting);
return () => {
const remove = ref => {
const current = ref.current;
!current ? false ? 0 : invariant(false) : void 0;
getHead().removeChild(current);
ref.current = null;
};
remove(alwaysRef);
remove(dynamicRef);
};
}, [nonce, setAlwaysStyle, setDynamicStyle, styles.always, styles.resting, contextId]);
const dragging = useMemoOne.useCallback(() => setDynamicStyle(styles.dragging), [setDynamicStyle, styles.dragging]);
const dropping = useMemoOne.useCallback(reason => {
if (reason === 'DROP') {
setDynamicStyle(styles.dropAnimating);
return;
}
setDynamicStyle(styles.userCancel);
}, [setDynamicStyle, styles.dropAnimating, styles.userCancel]);
const resting = useMemoOne.useCallback(() => {
if (!dynamicRef.current) {
return;
}
setDynamicStyle(styles.resting);
}, [setDynamicStyle, styles.resting]);
const marshal = useMemoOne.useMemo(() => ({
dragging,
dropping,
resting
}), [dragging, dropping, resting]);
return marshal;
}
function querySelectorAll(parentNode, selector) {
return Array.from(parentNode.querySelectorAll(selector));
}
var getWindowFromEl = (el => {
if (el && el.ownerDocument && el.ownerDocument.defaultView) {
return el.ownerDocument.defaultView;
}
return window;
});
function isHtmlElement(el) {
return el instanceof getWindowFromEl(el).HTMLElement;
}
function findDragHandle(contextId, draggableId) {
const selector = `[${dragHandle.contextId}="${contextId}"]`;
const possible = querySelectorAll(document, selector);
if (!possible.length) {
false ? 0 : void 0;
return null;
}
const handle = possible.find(el => {
return el.getAttribute(dragHandle.draggableId) === draggableId;
});
if (!handle) {
false ? 0 : void 0;
return null;
}
if (!isHtmlElement(handle)) {
false ? 0 : void 0;
return null;
}
return handle;
}
function useFocusMarshal(contextId) {
const entriesRef = React.useRef({});
const recordRef = React.useRef(null);
const restoreFocusFrameRef = React.useRef(null);
const isMountedRef = React.useRef(false);
const register = useMemoOne.useCallback(function register(id, focus) {
const entry = {
id,
focus
};
entriesRef.current[id] = entry;
return function unregister() {
const entries = entriesRef.current;
const current = entries[id];
if (current !== entry) {
delete entries[id];
}
};
}, []);
const tryGiveFocus = useMemoOne.useCallback(function tryGiveFocus(tryGiveFocusTo) {
const handle = findDragHandle(contextId, tryGiveFocusTo);
if (handle && handle !== document.activeElement) {
handle.focus();
}
}, [contextId]);
const tryShiftRecord = useMemoOne.useCallback(function tryShiftRecord(previous, redirectTo) {
if (recordRef.current === previous) {
recordRef.current = redirectTo;
}
}, []);
const tryRestoreFocusRecorded = useMemoOne.useCallback(function tryRestoreFocusRecorded() {
if (restoreFocusFrameRef.current) {
return;
}
if (!isMountedRef.current) {
return;
}
restoreFocusFrameRef.current = requestAnimationFrame(() => {
restoreFocusFrameRef.current = null;
const record = recordRef.current;
if (record) {
tryGiveFocus(record);
}
});
}, [tryGiveFocus]);
const tryRecordFocus = useMemoOne.useCallback(function tryRecordFocus(id) {
recordRef.current = null;
const focused = document.activeElement;
if (!focused) {
return;
}
if (focused.getAttribute(dragHandle.draggableId) !== id) {
return;
}
recordRef.current = id;
}, []);
useLayoutEffect(() => {
isMountedRef.current = true;
return function clearFrameOnUnmount() {
isMountedRef.current = false;
const frameId = restoreFocusFrameRef.current;
if (frameId) {
cancelAnimationFrame(frameId);
}
};
}, []);
const marshal = useMemoOne.useMemo(() => ({
register,
tryRecordFocus,
tryRestoreFocusRecorded,
tryShiftRecord
}), [register, tryRecordFocus, tryRestoreFocusRecorded, tryShiftRecord]);
return marshal;
}
function createRegistry() {
const entries = {
draggables: {},
droppables: {}
};
const subscribers = [];
function subscribe(cb) {
subscribers.push(cb);
return function unsubscribe() {
const index = subscribers.indexOf(cb);
if (index === -1) {
return;
}
subscribers.splice(index, 1);
};
}
function notify(event) {
if (subscribers.length) {
subscribers.forEach(cb => cb(event));
}
}
function findDraggableById(id) {
return entries.draggables[id] || null;
}
function getDraggableById(id) {
const entry = findDraggableById(id);
!entry ? false ? 0 : invariant(false) : void 0;
return entry;
}
const draggableAPI = {
register: entry => {
entries.draggables[entry.descriptor.id] = entry;
notify({
type: 'ADDITION',
value: entry
});
},
update: (entry, last) => {
const current = entries.draggables[last.descriptor.id];
if (!current) {
return;
}
if (current.uniqueId !== entry.uniqueId) {
return;
}
delete entries.draggables[last.descriptor.id];
entries.draggables[entry.descriptor.id] = entry;
},
unregister: entry => {
const draggableId = entry.descriptor.id;
const current = findDraggableById(draggableId);
if (!current) {
return;
}
if (entry.uniqueId !== current.uniqueId) {
return;
}
delete entries.draggables[draggableId];
if (entries.droppables[entry.descriptor.droppableId]) {
notify({
type: 'REMOVAL',
value: entry
});
}
},
getById: getDraggableById,
findById: findDraggableById,
exists: id => Boolean(findDraggableById(id)),
getAllByType: type => Object.values(entries.draggables).filter(entry => entry.descriptor.type === type)
};
function findDroppableById(id) {
return entries.droppables[id] || null;
}
function getDroppableById(id) {
const entry = findDroppableById(id);
!entry ? false ? 0 : invariant(false) : void 0;
return entry;
}
const droppableAPI = {
register: entry => {
entries.droppables[entry.descriptor.id] = entry;
},
unregister: entry => {
const current = findDroppableById(entry.descriptor.id);
if (!current) {
return;
}
if (entry.uniqueId !== current.uniqueId) {
return;
}
delete entries.droppables[entry.descriptor.id];
},
getById: getDroppableById,
findById: findDroppableById,
exists: id => Boolean(findDroppableById(id)),
getAllByType: type => Object.values(entries.droppables).filter(entry => entry.descriptor.type === type)
};
function clean() {
entries.draggables = {};
entries.droppables = {};
subscribers.length = 0;
}
return {
draggable: draggableAPI,
droppable: droppableAPI,
subscribe,
clean
};
}
function useRegistry() {
const registry = useMemoOne.useMemo(createRegistry, []);
React.useEffect(() => {
return function unmount() {
if (React.version.startsWith('16') || React.version.startsWith('17')) {
requestAnimationFrame(registry.clean);
} else {
registry.clean();
}
};
}, [registry]);
return registry;
}
var StoreContext = React.createContext(null);
var getBodyElement = (() => {
const body = document.body;
!body ? false ? 0 : invariant(false) : void 0;
return body;
});
const visuallyHidden = {
position: 'absolute',
width: '1px',
height: '1px',
margin: '-1px',
border: '0',
padding: '0',
overflow: 'hidden',
clip: 'rect(0 0 0 0)',
'clip-path': 'inset(100%)'
};
var visuallyHidden$1 = visuallyHidden;
const getId = contextId => `rfd-announcement-${contextId}`;
function useAnnouncer(contextId) {
const id = useMemoOne.useMemo(() => getId(contextId), [contextId]);
const ref = React.useRef(null);
React.useEffect(function setup() {
const el = document.createElement('div');
ref.current = el;
el.id = id;
el.setAttribute('aria-live', 'assertive');
el.setAttribute('aria-atomic', 'true');
_extends(el.style, visuallyHidden$1);
getBodyElement().appendChild(el);
return function cleanup() {
setTimeout(function remove() {
const body = getBodyElement();
if (body.contains(el)) {
body.removeChild(el);
}
if (el === ref.current) {
ref.current = null;
}
});
};
}, [id]);
const announce = useMemoOne.useCallback(message => {
const el = ref.current;
if (el) {
el.textContent = message;
return;
}
false ? 0 : void 0;
}, []);
return announce;
}
let count$1 = 0;
const defaults = {
separator: '::'
};
function resetDeprecatedUniqueId() {
count$1 = 0;
}
function useDeprecatedUniqueId(prefix, options = defaults) {
return useMemoOne.useMemo(() => `${prefix}${options.separator}${count$1++}`, [options.separator, prefix]);
}
function useUniqueId(prefix, options = defaults) {
const id = React.useId();
return useMemoOne.useMemo(() => `${prefix}${options.separator}${id}`, [options.separator, prefix, id]);
}
var useUniqueId$1 = 'useId' in React ? useUniqueId : useDeprecatedUniqueId;
function getElementId({
contextId,
uniqueId
}) {
return `rfd-hidden-text-${contextId}-${uniqueId}`;
}
function useHiddenTextElement({
contextId,
text
}) {
const uniqueId = useUniqueId$1('hidden-text', {
separator: '-'
});
const id = useMemoOne.useMemo(() => getElementId({
contextId,
uniqueId
}), [uniqueId, contextId]);
React.useEffect(function mount() {
const el = document.createElement('div');
el.id = id;
el.textContent = text;
el.style.display = 'none';
getBodyElement().appendChild(el);
return function unmount() {
const body = getBodyElement();
if (body.contains(el)) {
body.removeChild(el);
}
};
}, [id, text]);
return id;
}
var AppContext = React.createContext(null);
var peerDependencies = {
react: "^16.8.5 || ^17.0.0 || ^18.0.0",
"react-dom": "^16.8.5 || ^17.0.0 || ^18.0.0"
};
const semver = /(\d+)\.(\d+)\.(\d+)/;
const getVersion = value => {
const result = semver.exec(value);
!(result != null) ? false ? 0 : invariant(false) : void 0;
const major = Number(result[1]);
const minor = Number(result[2]);
const patch = Number(result[3]);
return {
major,
minor,
patch,
raw: value
};
};
const isSatisfied = (expected, actual) => {
if (actual.major > expected.major) {
return true;
}
if (actual.major < expected.major) {
return false;
}
if (actual.minor > expected.minor) {
return true;
}
if (actual.minor < expected.minor) {
return false;
}
return actual.patch >= expected.patch;
};
var checkReactVersion = ((peerDepValue, actualValue) => {
const peerDep = getVersion(peerDepValue);
const actual = getVersion(actualValue);
if (isSatisfied(peerDep, actual)) {
return;
}
false ? 0 : void 0;
});
const suffix = (/* unused pure expression or super */ null && (`
We expect a html5 doctype: <!doctype html>
This is to ensure consistent browser layout and measurement
More information: https://github.com/hello-pangea/dnd/blob/main/docs/guides/doctype.md
`));
var checkDoctype = (doc => {
const doctype = doc.doctype;
if (!doctype) {
false ? 0 : void 0;
return;
}
if (doctype.name.toLowerCase() !== 'html') {
false ? 0 : void 0;
}
if (doctype.publicId !== '') {
false ? 0 : void 0;
}
});
function useDev(useHook) {
if (false) {}
}
function useDevSetupWarning(fn, inputs) {
useDev(() => {
React.useEffect(() => {
try {
fn();
} catch (e) {
error(`
A setup problem was encountered.
> ${e.message}
`);
}
}, inputs);
});
}
function useStartupValidation() {
useDevSetupWarning(() => {
checkReactVersion(peerDependencies.react, React.version);
checkDoctype(document);
}, []);
}
function usePrevious(current) {
const ref = React.useRef(current);
React.useEffect(() => {
ref.current = current;
});
return ref;
}
function create() {
let lock = null;
function isClaimed() {
return Boolean(lock);
}
function isActive(value) {
return value === lock;
}
function claim(abandon) {
!!lock ? false ? 0 : invariant(false) : void 0;
const newLock = {
abandon
};
lock = newLock;
return newLock;
}
function release() {
!lock ? false ? 0 : invariant(false) : void 0;
lock = null;
}
function tryAbandon() {
if (lock) {
lock.abandon();
release();
}
}
return {
isClaimed,
isActive,
claim,
release,
tryAbandon
};
}
function isDragging(state) {
if (state.phase === 'IDLE' || state.phase === 'DROP_ANIMATING') {
return false;
}
return state.isDragging;
}
const tab = 9;
const enter = 13;
const escape = 27;
const space = 32;
const pageUp = 33;
const pageDown = 34;
const end = 35;
const home = 36;
const arrowLeft = 37;
const arrowUp = 38;
const arrowRight = 39;
const arrowDown = 40;
const preventedKeys = {
[enter]: true,
[tab]: true
};
var preventStandardKeyEvents = (event => {
if (preventedKeys[event.keyCode]) {
event.preventDefault();
}
});
const supportedEventName = (() => {
const base = 'visibilitychange';
if (typeof document === 'undefined') {
return base;
}
const candidates = [base, `ms${base}`, `webkit${base}`, `moz${base}`, `o${base}`];
const supported = candidates.find(eventName => `on${eventName}` in document);
return supported || base;
})();
var supportedPageVisibilityEventName = supportedEventName;
const primaryButton = 0;
const sloppyClickThreshold = 5;
function isSloppyClickThresholdExceeded(original, current) {
return Math.abs(current.x - original.x) >= sloppyClickThreshold || Math.abs(current.y - original.y) >= sloppyClickThreshold;
}
const idle$1 = {
type: 'IDLE'
};
function getCaptureBindings({
cancel,
completed,
getPhase,
setPhase
}) {
return [{
eventName: 'mousemove',
fn: event => {
const {
button,
clientX,
clientY
} = event;
if (button !== primaryButton) {
return;
}
const point = {
x: clientX,
y: clientY
};
const phase = getPhase();
if (phase.type === 'DRAGGING') {
event.preventDefault();
phase.actions.move(point);
return;
}
!(phase.type === 'PENDING') ? false ? 0 : invariant(false) : void 0;
const pending = phase.point;
if (!isSloppyClickThresholdExceeded(pending, point)) {
return;
}
event.preventDefault();
const actions = phase.actions.fluidLift(point);
setPhase({
type: 'DRAGGING',
actions
});
}
}, {
eventName: 'mouseup',
fn: event => {
const phase = getPhase();
if (phase.type !== 'DRAGGING') {
cancel();
return;
}
event.preventDefault();
phase.actions.drop({
shouldBlockNextClick: true
});
completed();
}
}, {
eventName: 'mousedown',
fn: event => {
if (getPhase().type === 'DRAGGING') {
event.preventDefault();
}
cancel();
}
}, {
eventName: 'keydown',
fn: event => {
const phase = getPhase();
if (phase.type === 'PENDING') {
cancel();
return;
}
if (event.keyCode === escape) {
event.preventDefault();
cancel();
return;
}
preventStandardKeyEvents(event);
}
}, {
eventName: 'resize',
fn: cancel
}, {
eventName: 'scroll',
options: {
passive: true,
capture: false
},
fn: () => {
if (getPhase().type === 'PENDING') {
cancel();
}
}
}, {
eventName: 'webkitmouseforcedown',
fn: event => {
const phase = getPhase();
!(phase.type !== 'IDLE') ? false ? 0 : invariant(false) : void 0;
if (phase.actions.shouldRespectForcePress()) {
cancel();
return;
}
event.preventDefault();
}
}, {
eventName: supportedPageVisibilityEventName,
fn: cancel
}];
}
function useMouseSensor(api) {
const phaseRef = React.useRef(idle$1);
const unbindEventsRef = React.useRef(noop$2);
const startCaptureBinding = useMemoOne.useMemo(() => ({
eventName: 'mousedown',
fn: function onMouseDown(event) {
if (event.defaultPrevented) {
return;
}
if (event.button !== primaryButton) {
return;
}
if (event.ctrlKey || event.metaKey || event.shiftKey || event.altKey) {
return;
}
const draggableId = api.findClosestDraggableId(event);
if (!draggableId) {
return;
}
const actions = api.tryGetLock(draggableId, stop, {
sourceEvent: event
});
if (!actions) {
return;
}
event.preventDefault();
const point = {
x: event.clientX,
y: event.clientY
};
unbindEventsRef.current();
startPendingDrag(actions, point);
}
}), [api]);
const preventForcePressBinding = useMemoOne.useMemo(() => ({
eventName: 'webkitmouseforcewillbegin',
fn: event => {
if (event.defaultPrevented) {
return;
}
const id = api.findClosestDraggableId(event);
if (!id) {
return;
}
const options = api.findOptionsForDraggable(id);
if (!options) {
return;
}
if (options.shouldRespectForcePress) {
return;
}
if (!api.canGetLock(id)) {
return;
}
event.preventDefault();
}
}), [api]);
const listenForCapture = useMemoOne.useCallback(function listenForCapture() {
const options = {
passive: false,
capture: true
};
unbindEventsRef.current = bindEvents(window, [preventForcePressBinding, startCaptureBinding], options);
}, [preventForcePressBinding, startCaptureBinding]);
const stop = useMemoOne.useCallback(() => {
const current = phaseRef.current;
if (current.type === 'IDLE') {
return;
}
phaseRef.current = idle$1;
unbindEventsRef.current();
listenForCapture();
}, [listenForCapture]);
const cancel = useMemoOne.useCallback(() => {
const phase = phaseRef.current;
stop();
if (phase.type === 'DRAGGING') {
phase.actions.cancel({
shouldBlockNextClick: true
});
}
if (phase.type === 'PENDING') {
phase.actions.abort();
}
}, [stop]);
const bindCapturingEvents = useMemoOne.useCallback(function bindCapturingEvents() {
const options = {
capture: true,
passive: false
};
const bindings = getCaptureBindings({
cancel,
completed: stop,
getPhase: () => phaseRef.current,
setPhase: phase => {
phaseRef.current = phase;
}
});
unbindEventsRef.current = bindEvents(window, bindings, options);
}, [cancel, stop]);
const startPendingDrag = useMemoOne.useCallback(function startPendingDrag(actions, point) {
!(phaseRef.current.type === 'IDLE') ? false ? 0 : invariant(false) : void 0;
phaseRef.current = {
type: 'PENDING',
point,
actions
};
bindCapturingEvents();
}, [bindCapturingEvents]);
useLayoutEffect(function mount() {
listenForCapture();
return function unmount() {
unbindEventsRef.current();
};
}, [listenForCapture]);
}
function noop$1() {}
const scrollJumpKeys = {
[pageDown]: true,
[pageUp]: true,
[home]: true,
[end]: true
};
function getDraggingBindings(actions, stop) {
function cancel() {
stop();
actions.cancel();
}
function drop() {
stop();
actions.drop();
}
return [{
eventName: 'keydown',
fn: event => {
if (event.keyCode === escape) {
event.preventDefault();
cancel();
return;
}
if (event.keyCode === space) {
event.preventDefault();
drop();
return;
}
if (event.keyCode === arrowDown) {
event.preventDefault();
actions.moveDown();
return;
}
if (event.keyCode === arrowUp) {
event.preventDefault();
actions.moveUp();
return;
}
if (event.keyCode === arrowRight) {
event.preventDefault();
actions.moveRight();
return;
}
if (event.keyCode === arrowLeft) {
event.preventDefault();
actions.moveLeft();
return;
}
if (scrollJumpKeys[event.keyCode]) {
event.preventDefault();
return;
}
preventStandardKeyEvents(event);
}
}, {
eventName: 'mousedown',
fn: cancel
}, {
eventName: 'mouseup',
fn: cancel
}, {
eventName: 'click',
fn: cancel
}, {
eventName: 'touchstart',
fn: cancel
}, {
eventName: 'resize',
fn: cancel
}, {
eventName: 'wheel',
fn: cancel,
options: {
passive: true
}
}, {
eventName: supportedPageVisibilityEventName,
fn: cancel
}];
}
function useKeyboardSensor(api) {
const unbindEventsRef = React.useRef(noop$1);
const startCaptureBinding = useMemoOne.useMemo(() => ({
eventName: 'keydown',
fn: function onKeyDown(event) {
if (event.defaultPrevented) {
return;
}
if (event.keyCode !== space) {
return;
}
const draggableId = api.findClosestDraggableId(event);
if (!draggableId) {
return;
}
const preDrag = api.tryGetLock(draggableId, stop, {
sourceEvent: event
});
if (!preDrag) {
return;
}
event.preventDefault();
let isCapturing = true;
const actions = preDrag.snapLift();
unbindEventsRef.current();
function stop() {
!isCapturing ? false ? 0 : invariant(false) : void 0;
isCapturing = false;
unbindEventsRef.current();
listenForCapture();
}
unbindEventsRef.current = bindEvents(window, getDraggingBindings(actions, stop), {
capture: true,
passive: false
});
}
}), [api]);
const listenForCapture = useMemoOne.useCallback(function tryStartCapture() {
const options = {
passive: false,
capture: true
};
unbindEventsRef.current = bindEvents(window, [startCaptureBinding], options);
}, [startCaptureBinding]);
useLayoutEffect(function mount() {
listenForCapture();
return function unmount() {
unbindEventsRef.current();
};
}, [listenForCapture]);
}
const idle = {
type: 'IDLE'
};
const timeForLongPress = 120;
const forcePressThreshold = 0.15;
function getWindowBindings({
cancel,
getPhase
}) {
return [{
eventName: 'orientationchange',
fn: cancel
}, {
eventName: 'resize',
fn: cancel
}, {
eventName: 'contextmenu',
fn: event => {
event.preventDefault();
}
}, {
eventName: 'keydown',
fn: event => {
if (getPhase().type !== 'DRAGGING') {
cancel();
return;
}
if (event.keyCode === escape) {
event.preventDefault();
}
cancel();
}
}, {
eventName: supportedPageVisibilityEventName,
fn: cancel
}];
}
function getHandleBindings({
cancel,
completed,
getPhase
}) {
return [{
eventName: 'touchmove',
options: {
capture: false
},
fn: event => {
const phase = getPhase();
if (phase.type !== 'DRAGGING') {
cancel();
return;
}
phase.hasMoved = true;
const {
clientX,
clientY
} = event.touches[0];
const point = {
x: clientX,
y: clientY
};
event.preventDefault();
phase.actions.move(point);
}
}, {
eventName: 'touchend',
fn: event => {
const phase = getPhase();
if (phase.type !== 'DRAGGING') {
cancel();
return;
}
event.preventDefault();
phase.actions.drop({
shouldBlockNextClick: true
});
completed();
}
}, {
eventName: 'touchcancel',
fn: event => {
if (getPhase().type !== 'DRAGGING') {
cancel();
return;
}
event.preventDefault();
cancel();
}
}, {
eventName: 'touchforcechange',
fn: event => {
const phase = getPhase();
!(phase.type !== 'IDLE') ? false ? 0 : invariant(false) : void 0;
const touch = event.touches[0];
if (!touch) {
return;
}
const isForcePress = touch.force >= forcePressThreshold;
if (!isForcePress) {
return;
}
const shouldRespect = phase.actions.shouldRespectForcePress();
if (phase.type === 'PENDING') {
if (shouldRespect) {
cancel();
}
return;
}
if (shouldRespect) {
if (phase.hasMoved) {
event.preventDefault();
return;
}
cancel();
return;
}
event.preventDefault();
}
}, {
eventName: supportedPageVisibilityEventName,
fn: cancel
}];
}
function useTouchSensor(api) {
const phaseRef = React.useRef(idle);
const unbindEventsRef = React.useRef(noop$2);
const getPhase = useMemoOne.useCallback(function getPhase() {
return phaseRef.current;
}, []);
const setPhase = useMemoOne.useCallback(function setPhase(phase) {
phaseRef.current = phase;
}, []);
const startCaptureBinding = useMemoOne.useMemo(() => ({
eventName: 'touchstart',
fn: function onTouchStart(event) {
if (event.defaultPrevented) {
return;
}
const draggableId = api.findClosestDraggableId(event);
if (!draggableId) {
return;
}
const actions = api.tryGetLock(draggableId, stop, {
sourceEvent: event
});
if (!actions) {
return;
}
const touch = event.touches[0];
const {
clientX,
clientY
} = touch;
const point = {
x: clientX,
y: clientY
};
unbindEventsRef.current();
startPendingDrag(actions, point);
}
}), [api]);
const listenForCapture = useMemoOne.useCallback(function listenForCapture() {
const options = {
capture: true,
passive: false
};
unbindEventsRef.current = bindEvents(window, [startCaptureBinding], options);
}, [startCaptureBinding]);
const stop = useMemoOne.useCallback(() => {
const current = phaseRef.current;
if (current.type === 'IDLE') {
return;
}
if (current.type === 'PENDING') {
clearTimeout(current.longPressTimerId);
}
setPhase(idle);
unbindEventsRef.current();
listenForCapture();
}, [listenForCapture, setPhase]);
const cancel = useMemoOne.useCallback(() => {
const phase = phaseRef.current;
stop();
if (phase.type === 'DRAGGING') {
phase.actions.cancel({
shouldBlockNextClick: true
});
}
if (phase.type === 'PENDING') {
phase.actions.abort();
}
}, [stop]);
const bindCapturingEvents = useMemoOne.useCallback(function bindCapturingEvents() {
const options = {
capture: true,
passive: false
};
const args = {
cancel,
completed: stop,
getPhase
};
const unbindTarget = bindEvents(window, getHandleBindings(args), options);
const unbindWindow = bindEvents(window, getWindowBindings(args), options);
unbindEventsRef.current = function unbindAll() {
unbindTarget();
unbindWindow();
};
}, [cancel, getPhase, stop]);
const startDragging = useMemoOne.useCallback(function startDragging() {
const phase = getPhase();
!(phase.type === 'PENDING') ? false ? 0 : invariant(false) : void 0;
const actions = phase.actions.fluidLift(phase.point);
setPhase({
type: 'DRAGGING',
actions,
hasMoved: false
});
}, [getPhase, setPhase]);
const startPendingDrag = useMemoOne.useCallback(function startPendingDrag(actions, point) {
!(getPhase().type === 'IDLE') ? false ? 0 : invariant(false) : void 0;
const longPressTimerId = setTimeout(startDragging, timeForLongPress);
setPhase({
type: 'PENDING',
point,
actions,
longPressTimerId
});
bindCapturingEvents();
}, [bindCapturingEvents, getPhase, setPhase, startDragging]);
useLayoutEffect(function mount() {
listenForCapture();
return function unmount() {
unbindEventsRef.current();
const phase = getPhase();
if (phase.type === 'PENDING') {
clearTimeout(phase.longPressTimerId);
setPhase(idle);
}
};
}, [getPhase, listenForCapture, setPhase]);
useLayoutEffect(function webkitHack() {
const unbind = bindEvents(window, [{
eventName: 'touchmove',
fn: () => {},
options: {
capture: false,
passive: false
}
}]);
return unbind;
}, []);
}
function useValidateSensorHooks(sensorHooks) {
useDev(() => {
const previousRef = usePrevious(sensorHooks);
useDevSetupWarning(() => {
!(previousRef.current.length === sensorHooks.length) ? false ? 0 : invariant(false) : void 0;
});
});
}
const interactiveTagNames = ['input', 'button', 'textarea', 'select', 'option', 'optgroup', 'video', 'audio'];
function isAnInteractiveElement(parent, current) {
if (current == null) {
return false;
}
const hasAnInteractiveTag = interactiveTagNames.includes(current.tagName.toLowerCase());
if (hasAnInteractiveTag) {
return true;
}
const attribute = current.getAttribute('contenteditable');
if (attribute === 'true' || attribute === '') {
return true;
}
if (current === parent) {
return false;
}
return isAnInteractiveElement(parent, current.parentElement);
}
function isEventInInteractiveElement(draggable, event) {
const target = event.target;
if (!isHtmlElement(target)) {
return false;
}
return isAnInteractiveElement(draggable, target);
}
var getBorderBoxCenterPosition = (el => cssBoxModel.getRect(el.getBoundingClientRect()).center);
function isElement(el) {
return el instanceof getWindowFromEl(el).Element;
}
const supportedMatchesName = (() => {
const base = 'matches';
if (typeof document === 'undefined') {
return base;
}
const candidates = [base, 'msMatchesSelector', 'webkitMatchesSelector'];
const value = candidates.find(name => name in Element.prototype);
return value || base;
})();
function closestPonyfill(el, selector) {
if (el == null) {
return null;
}
if (el[supportedMatchesName](selector)) {
return el;
}
return closestPonyfill(el.parentElement, selector);
}
function closest(el, selector) {
if (el.closest) {
return el.closest(selector);
}
return closestPonyfill(el, selector);
}
function getSelector(contextId) {
return `[${dragHandle.contextId}="${contextId}"]`;
}
function findClosestDragHandleFromEvent(contextId, event) {
const target = event.target;
if (!isElement(target)) {
false ? 0 : void 0;
return null;
}
const selector = getSelector(contextId);
const handle = closest(target, selector);
if (!handle) {
return null;
}
if (!isHtmlElement(handle)) {
false ? 0 : void 0;
return null;
}
return handle;
}
function tryGetClosestDraggableIdFromEvent(contextId, event) {
const handle = findClosestDragHandleFromEvent(contextId, event);
if (!handle) {
return null;
}
return handle.getAttribute(dragHandle.draggableId);
}
function findDraggable(contextId, draggableId) {
const selector = `[${draggable.contextId}="${contextId}"]`;
const possible = querySelectorAll(document, selector);
const draggable$1 = possible.find(el => {
return el.getAttribute(draggable.id) === draggableId;
});
if (!draggable$1) {
return null;
}
if (!isHtmlElement(draggable$1)) {
false ? 0 : void 0;
return null;
}
return draggable$1;
}
function preventDefault(event) {
event.preventDefault();
}
function isActive({
expected,
phase,
isLockActive,
shouldWarn
}) {
if (!isLockActive()) {
if (shouldWarn) {
false ? 0 : void 0;
}
return false;
}
if (expected !== phase) {
if (shouldWarn) {
false ? 0 : void 0;
}
return false;
}
return true;
}
function canStart({
lockAPI,
store,
registry,
draggableId
}) {
if (lockAPI.isClaimed()) {
return false;
}
const entry = registry.draggable.findById(draggableId);
if (!entry) {
false ? 0 : void 0;
return false;
}
if (!entry.options.isEnabled) {
return false;
}
if (!canStartDrag(store.getState(), draggableId)) {
return false;
}
return true;
}
function tryStart({
lockAPI,
contextId,
store,
registry,
draggableId,
forceSensorStop,
sourceEvent
}) {
const shouldStart = canStart({
lockAPI,
store,
registry,
draggableId
});
if (!shouldStart) {
return null;
}
const entry = registry.draggable.getById(draggableId);
const el = findDraggable(contextId, entry.descriptor.id);
if (!el) {
false ? 0 : void 0;
return null;
}
if (sourceEvent && !entry.options.canDragInteractiveElements && isEventInInteractiveElement(el, sourceEvent)) {
return null;
}
const lock = lockAPI.claim(forceSensorStop || noop$2);
let phase = 'PRE_DRAG';
function getShouldRespectForcePress() {
return entry.options.shouldRespectForcePress;
}
function isLockActive() {
return lockAPI.isActive(lock);
}
function tryDispatch(expected, getAction) {
if (isActive({
expected,
phase,
isLockActive,
shouldWarn: true
})) {
store.dispatch(getAction());
}
}
const tryDispatchWhenDragging = tryDispatch.bind(null, 'DRAGGING');
function lift(args) {
function completed() {
lockAPI.release();
phase = 'COMPLETED';
}
if (phase !== 'PRE_DRAG') {
completed();
false ? 0 : invariant(false) ;
}
store.dispatch(lift$1(args.liftActionArgs));
phase = 'DRAGGING';
function finish(reason, options = {
shouldBlockNextClick: false
}) {
args.cleanup();
if (options.shouldBlockNextClick) {
const unbind = bindEvents(window, [{
eventName: 'click',
fn: preventDefault,
options: {
once: true,
passive: false,
capture: true
}
}]);
setTimeout(unbind);
}
completed();
store.dispatch(drop$1({
reason
}));
}
return {
isActive: () => isActive({
expected: 'DRAGGING',
phase,
isLockActive,
shouldWarn: false
}),
shouldRespectForcePress: getShouldRespectForcePress,
drop: options => finish('DROP', options),
cancel: options => finish('CANCEL', options),
...args.actions
};
}
function fluidLift(clientSelection) {
const move$1 = rafSchd(client => {
tryDispatchWhenDragging(() => move({
client
}));
});
const api = lift({
liftActionArgs: {
id: draggableId,
clientSelection,
movementMode: 'FLUID'
},
cleanup: () => move$1.cancel(),
actions: {
move: move$1
}
});
return {
...api,
move: move$1
};
}
function snapLift() {
const actions = {
moveUp: () => tryDispatchWhenDragging(moveUp),
moveRight: () => tryDispatchWhenDragging(moveRight),
moveDown: () => tryDispatchWhenDragging(moveDown),
moveLeft: () => tryDispatchWhenDragging(moveLeft)
};
return lift({
liftActionArgs: {
id: draggableId,
clientSelection: getBorderBoxCenterPosition(el),
movementMode: 'SNAP'
},
cleanup: noop$2,
actions
});
}
function abortPreDrag() {
const shouldRelease = isActive({
expected: 'PRE_DRAG',
phase,
isLockActive,
shouldWarn: true
});
if (shouldRelease) {
lockAPI.release();
}
}
const preDrag = {
isActive: () => isActive({
expected: 'PRE_DRAG',
phase,
isLockActive,
shouldWarn: false
}),
shouldRespectForcePress: getShouldRespectForcePress,
fluidLift,
snapLift,
abort: abortPreDrag
};
return preDrag;
}
const defaultSensors = [useMouseSensor, useKeyboardSensor, useTouchSensor];
function useSensorMarshal({
contextId,
store,
registry,
customSensors,
enableDefaultSensors
}) {
const useSensors = [...(enableDefaultSensors ? defaultSensors : []), ...(customSensors || [])];
const lockAPI = React.useState(() => create())[0];
const tryAbandonLock = useMemoOne.useCallback(function tryAbandonLock(previous, current) {
if (isDragging(previous) && !isDragging(current)) {
lockAPI.tryAbandon();
}
}, [lockAPI]);
useLayoutEffect(function listenToStore() {
let previous = store.getState();
const unsubscribe = store.subscribe(() => {
const current = store.getState();
tryAbandonLock(previous, current);
previous = current;
});
return unsubscribe;
}, [lockAPI, store, tryAbandonLock]);
useLayoutEffect(() => {
return lockAPI.tryAbandon;
}, [lockAPI.tryAbandon]);
const canGetLock = useMemoOne.useCallback(draggableId => {
return canStart({
lockAPI,
registry,
store,
draggableId
});
}, [lockAPI, registry, store]);
const tryGetLock = useMemoOne.useCallback((draggableId, forceStop, options) => tryStart({
lockAPI,
registry,
contextId,
store,
draggableId,
forceSensorStop: forceStop || null,
sourceEvent: options && options.sourceEvent ? options.sourceEvent : null
}), [contextId, lockAPI, registry, store]);
const findClosestDraggableId = useMemoOne.useCallback(event => tryGetClosestDraggableIdFromEvent(contextId, event), [contextId]);
const findOptionsForDraggable = useMemoOne.useCallback(id => {
const entry = registry.draggable.findById(id);
return entry ? entry.options : null;
}, [registry.draggable]);
const tryReleaseLock = useMemoOne.useCallback(function tryReleaseLock() {
if (!lockAPI.isClaimed()) {
return;
}
lockAPI.tryAbandon();
if (store.getState().phase !== 'IDLE') {
store.dispatch(flush());
}
}, [lockAPI, store]);
const isLockClaimed = useMemoOne.useCallback(() => lockAPI.isClaimed(), [lockAPI]);
const api = useMemoOne.useMemo(() => ({
canGetLock,
tryGetLock,
findClosestDraggableId,
findOptionsForDraggable,
tryReleaseLock,
isLockClaimed
}), [canGetLock, tryGetLock, findClosestDraggableId, findOptionsForDraggable, tryReleaseLock, isLockClaimed]);
useValidateSensorHooks(useSensors);
for (let i = 0; i < useSensors.length; i++) {
useSensors[i](api);
}
}
const createResponders = props => ({
onBeforeCapture: t => {
const onBeforeCapureCallback = () => {
if (props.onBeforeCapture) {
props.onBeforeCapture(t);
}
};
if (React.version.startsWith('16') || React.version.startsWith('17')) {
onBeforeCapureCallback();
} else {
ReactDOM.flushSync(onBeforeCapureCallback);
}
},
onBeforeDragStart: props.onBeforeDragStart,
onDragStart: props.onDragStart,
onDragEnd: props.onDragEnd,
onDragUpdate: props.onDragUpdate
});
const createAutoScrollerOptions = props => ({
...defaultAutoScrollerOptions,
...props.autoScrollerOptions,
durationDampening: {
...defaultAutoScrollerOptions.durationDampening,
...props.autoScrollerOptions
}
});
function getStore(lazyRef) {
!lazyRef.current ? false ? 0 : invariant(false) : void 0;
return lazyRef.current;
}
function App(props) {
const {
contextId,
setCallbacks,
sensors,
nonce,
dragHandleUsageInstructions
} = props;
const lazyStoreRef = React.useRef(null);
useStartupValidation();
const lastPropsRef = usePrevious(props);
const getResponders = useMemoOne.useCallback(() => {
return createResponders(lastPropsRef.current);
}, [lastPropsRef]);
const getAutoScrollerOptions = useMemoOne.useCallback(() => {
return createAutoScrollerOptions(lastPropsRef.current);
}, [lastPropsRef]);
const announce = useAnnouncer(contextId);
const dragHandleUsageInstructionsId = useHiddenTextElement({
contextId,
text: dragHandleUsageInstructions
});
const styleMarshal = useStyleMarshal(contextId, nonce);
const lazyDispatch = useMemoOne.useCallback(action => {
getStore(lazyStoreRef).dispatch(action);
}, []);
const marshalCallbacks = useMemoOne.useMemo(() => redux.bindActionCreators({
publishWhileDragging,
updateDroppableScroll,
updateDroppableIsEnabled,
updateDroppableIsCombineEnabled,
collectionStarting
}, lazyDispatch), [lazyDispatch]);
const registry = useRegistry();
const dimensionMarshal = useMemoOne.useMemo(() => {
return createDimensionMarshal(registry, marshalCallbacks);
}, [registry, marshalCallbacks]);
const autoScroller = useMemoOne.useMemo(() => createAutoScroller({
scrollWindow,
scrollDroppable: dimensionMarshal.scrollDroppable,
getAutoScrollerOptions,
...redux.bindActionCreators({
move
}, lazyDispatch)
}), [dimensionMarshal.scrollDroppable, lazyDispatch, getAutoScrollerOptions]);
const focusMarshal = useFocusMarshal(contextId);
const store = useMemoOne.useMemo(() => createStore({
announce,
autoScroller,
dimensionMarshal,
focusMarshal,
getResponders,
styleMarshal
}), [announce, autoScroller, dimensionMarshal, focusMarshal, getResponders, styleMarshal]);
if (false) {}
lazyStoreRef.current = store;
const tryResetStore = useMemoOne.useCallback(() => {
const current = getStore(lazyStoreRef);
const state = current.getState();
if (state.phase !== 'IDLE') {
current.dispatch(flush());
}
}, []);
const isDragging = useMemoOne.useCallback(() => {
const state = getStore(lazyStoreRef).getState();
if (state.phase === 'DROP_ANIMATING') {
return true;
}
if (state.phase === 'IDLE') {
return false;
}
return state.isDragging;
}, []);
const appCallbacks = useMemoOne.useMemo(() => ({
isDragging,
tryAbort: tryResetStore
}), [isDragging, tryResetStore]);
setCallbacks(appCallbacks);
const getCanLift = useMemoOne.useCallback(id => canStartDrag(getStore(lazyStoreRef).getState(), id), []);
const getIsMovementAllowed = useMemoOne.useCallback(() => isMovementAllowed(getStore(lazyStoreRef).getState()), []);
const appContext = useMemoOne.useMemo(() => ({
marshal: dimensionMarshal,
focus: focusMarshal,
contextId,
canLift: getCanLift,
isMovementAllowed: getIsMovementAllowed,
dragHandleUsageInstructionsId,
registry
}), [contextId, dimensionMarshal, dragHandleUsageInstructionsId, focusMarshal, getCanLift, getIsMovementAllowed, registry]);
useSensorMarshal({
contextId,
store,
registry,
customSensors: sensors || null,
enableDefaultSensors: props.enableDefaultSensors !== false
});
React.useEffect(() => {
return tryResetStore;
}, [tryResetStore]);
return React.createElement(AppContext.Provider, {
value: appContext
}, React.createElement(reactRedux.Provider, {
context: StoreContext,
store: store
}, props.children));
}
let count = 0;
function resetDeprecatedUniqueContextId() {
count = 0;
}
function useDeprecatedUniqueContextId() {
return useMemoOne.useMemo(() => `${count++}`, []);
}
function useUniqueContextId() {
return React.useId();
}
var useUniqueContextId$1 = 'useId' in React ? useUniqueContextId : useDeprecatedUniqueContextId;
function resetServerContext() {
if ('useId' in React) {
false ? 0 : void 0;
return;
}
resetDeprecatedUniqueContextId();
resetDeprecatedUniqueId();
}
function DragDropContext(props) {
const contextId = useUniqueContextId$1();
const dragHandleUsageInstructions = props.dragHandleUsageInstructions || preset$1.dragHandleUsageInstructions;
return React.createElement(ErrorBoundary, null, setCallbacks => React.createElement(App, {
nonce: props.nonce,
contextId: contextId,
setCallbacks: setCallbacks,
dragHandleUsageInstructions: dragHandleUsageInstructions,
enableDefaultSensors: props.enableDefaultSensors,
sensors: props.sensors,
onBeforeCapture: props.onBeforeCapture,
onBeforeDragStart: props.onBeforeDragStart,
onDragStart: props.onDragStart,
onDragUpdate: props.onDragUpdate,
onDragEnd: props.onDragEnd,
autoScrollerOptions: props.autoScrollerOptions
}, props.children));
}
const zIndexOptions = {
dragging: 5000,
dropAnimating: 4500
};
const getDraggingTransition = (shouldAnimateDragMovement, dropping) => {
if (dropping) {
return transitions.drop(dropping.duration);
}
if (shouldAnimateDragMovement) {
return transitions.snap;
}
return transitions.fluid;
};
const getDraggingOpacity = (isCombining, isDropAnimating) => {
if (!isCombining) {
return undefined;
}
return isDropAnimating ? combine.opacity.drop : combine.opacity.combining;
};
const getShouldDraggingAnimate = dragging => {
if (dragging.forceShouldAnimate != null) {
return dragging.forceShouldAnimate;
}
return dragging.mode === 'SNAP';
};
function getDraggingStyle(dragging) {
const dimension = dragging.dimension;
const box = dimension.client;
const {
offset,
combineWith,
dropping
} = dragging;
const isCombining = Boolean(combineWith);
const shouldAnimate = getShouldDraggingAnimate(dragging);
const isDropAnimating = Boolean(dropping);
const transform = isDropAnimating ? transforms.drop(offset, isCombining) : transforms.moveTo(offset);
const style = {
position: 'fixed',
top: box.marginBox.top,
left: box.marginBox.left,
boxSizing: 'border-box',
width: box.borderBox.width,
height: box.borderBox.height,
transition: getDraggingTransition(shouldAnimate, dropping),
transform,
opacity: getDraggingOpacity(isCombining, isDropAnimating),
zIndex: isDropAnimating ? zIndexOptions.dropAnimating : zIndexOptions.dragging,
pointerEvents: 'none'
};
return style;
}
function getSecondaryStyle(secondary) {
return {
transform: transforms.moveTo(secondary.offset),
transition: secondary.shouldAnimateDisplacement ? undefined : 'none'
};
}
function getStyle$1(mapped) {
return mapped.type === 'DRAGGING' ? getDraggingStyle(mapped) : getSecondaryStyle(mapped);
}
function getDimension$1(descriptor, el, windowScroll = origin) {
const computedStyles = window.getComputedStyle(el);
const borderBox = el.getBoundingClientRect();
const client = cssBoxModel.calculateBox(borderBox, computedStyles);
const page = cssBoxModel.withScroll(client, windowScroll);
const placeholder = {
client,
tagName: el.tagName.toLowerCase(),
display: computedStyles.display
};
const displaceBy = {
x: client.marginBox.width,
y: client.marginBox.height
};
const dimension = {
descriptor,
placeholder,
displaceBy,
client,
page
};
return dimension;
}
function useDraggablePublisher(args) {
const uniqueId = useUniqueId$1('draggable');
const {
descriptor,
registry,
getDraggableRef,
canDragInteractiveElements,
shouldRespectForcePress,
isEnabled
} = args;
const options = useMemoOne.useMemo(() => ({
canDragInteractiveElements,
shouldRespectForcePress,
isEnabled
}), [canDragInteractiveElements, isEnabled, shouldRespectForcePress]);
const getDimension = useMemoOne.useCallback(windowScroll => {
const el = getDraggableRef();
!el ? false ? 0 : invariant(false) : void 0;
return getDimension$1(descriptor, el, windowScroll);
}, [descriptor, getDraggableRef]);
const entry = useMemoOne.useMemo(() => ({
uniqueId,
descriptor,
options,
getDimension
}), [descriptor, getDimension, options, uniqueId]);
const publishedRef = React.useRef(entry);
const isFirstPublishRef = React.useRef(true);
useLayoutEffect(() => {
registry.draggable.register(publishedRef.current);
return () => registry.draggable.unregister(publishedRef.current);
}, [registry.draggable]);
useLayoutEffect(() => {
if (isFirstPublishRef.current) {
isFirstPublishRef.current = false;
return;
}
const last = publishedRef.current;
publishedRef.current = entry;
registry.draggable.update(entry, last);
}, [entry, registry.draggable]);
}
var DroppableContext = React.createContext(null);
function checkIsValidInnerRef(el) {
!(el && isHtmlElement(el)) ? false ? 0 : invariant(false) : void 0;
}
function useValidation$1(props, contextId, getRef) {
useDevSetupWarning(() => {
function prefix(id) {
return `Draggable[id: ${id}]: `;
}
const id = props.draggableId;
!id ? false ? 0 : invariant(false) : void 0;
!(typeof id === 'string') ? false ? 0 : invariant(false) : void 0;
!Number.isInteger(props.index) ? false ? 0 : invariant(false) : void 0;
if (props.mapped.type === 'DRAGGING') {
return;
}
checkIsValidInnerRef(getRef());
if (props.isEnabled) {
!findDragHandle(contextId, id) ? false ? 0 : invariant(false) : void 0;
}
});
}
function useClonePropValidation(isClone) {
useDev(() => {
const initialRef = React.useRef(isClone);
useDevSetupWarning(() => {
!(isClone === initialRef.current) ? false ? 0 : invariant(false) : void 0;
}, [isClone]);
});
}
function useRequiredContext(Context) {
const result = React.useContext(Context);
!result ? false ? 0 : invariant(false) : void 0;
return result;
}
function preventHtml5Dnd(event) {
event.preventDefault();
}
const Draggable = props => {
const ref = React.useRef(null);
const setRef = useMemoOne.useCallback((el = null) => {
ref.current = el;
}, []);
const getRef = useMemoOne.useCallback(() => ref.current, []);
const {
contextId,
dragHandleUsageInstructionsId,
registry
} = useRequiredContext(AppContext);
const {
type,
droppableId
} = useRequiredContext(DroppableContext);
const descriptor = useMemoOne.useMemo(() => ({
id: props.draggableId,
index: props.index,
type,
droppableId
}), [props.draggableId, props.index, type, droppableId]);
const {
children,
draggableId,
isEnabled,
shouldRespectForcePress,
canDragInteractiveElements,
isClone,
mapped,
dropAnimationFinished: dropAnimationFinishedAction
} = props;
useValidation$1(props, contextId, getRef);
useClonePropValidation(isClone);
if (!isClone) {
const forPublisher = useMemoOne.useMemo(() => ({
descriptor,
registry,
getDraggableRef: getRef,
canDragInteractiveElements,
shouldRespectForcePress,
isEnabled
}), [descriptor, registry, getRef, canDragInteractiveElements, shouldRespectForcePress, isEnabled]);
useDraggablePublisher(forPublisher);
}
const dragHandleProps = useMemoOne.useMemo(() => isEnabled ? {
tabIndex: 0,
role: 'button',
'aria-describedby': dragHandleUsageInstructionsId,
'data-rfd-drag-handle-draggable-id': draggableId,
'data-rfd-drag-handle-context-id': contextId,
draggable: false,
onDragStart: preventHtml5Dnd
} : null, [contextId, dragHandleUsageInstructionsId, draggableId, isEnabled]);
const onMoveEnd = useMemoOne.useCallback(event => {
if (mapped.type !== 'DRAGGING') {
return;
}
if (!mapped.dropping) {
return;
}
if (event.propertyName !== 'transform') {
return;
}
if (React.version.startsWith('16') || React.version.startsWith('17')) {
dropAnimationFinishedAction();
} else {
ReactDOM.flushSync(dropAnimationFinishedAction);
}
}, [dropAnimationFinishedAction, mapped]);
const provided = useMemoOne.useMemo(() => {
const style = getStyle$1(mapped);
const onTransitionEnd = mapped.type === 'DRAGGING' && mapped.dropping ? onMoveEnd : undefined;
const result = {
innerRef: setRef,
draggableProps: {
'data-rfd-draggable-context-id': contextId,
'data-rfd-draggable-id': draggableId,
style,
onTransitionEnd
},
dragHandleProps
};
return result;
}, [contextId, dragHandleProps, draggableId, mapped, onMoveEnd, setRef]);
const rubric = useMemoOne.useMemo(() => ({
draggableId: descriptor.id,
type: descriptor.type,
source: {
index: descriptor.index,
droppableId: descriptor.droppableId
}
}), [descriptor.droppableId, descriptor.id, descriptor.index, descriptor.type]);
return React.createElement(React.Fragment, null, children(provided, mapped.snapshot, rubric));
};
var Draggable$1 = Draggable;
var isStrictEqual = ((a, b) => a === b);
var whatIsDraggedOverFromResult = (result => {
const {
combine,
destination
} = result;
if (destination) {
return destination.droppableId;
}
if (combine) {
return combine.droppableId;
}
return null;
});
const getCombineWithFromResult = result => {
return result.combine ? result.combine.draggableId : null;
};
const getCombineWithFromImpact = impact => {
return impact.at && impact.at.type === 'COMBINE' ? impact.at.combine.draggableId : null;
};
function getDraggableSelector() {
const memoizedOffset = memoizeOne((x, y) => ({
x,
y
}));
const getMemoizedSnapshot = memoizeOne((mode, isClone, draggingOver = null, combineWith = null, dropping = null) => ({
isDragging: true,
isClone,
isDropAnimating: Boolean(dropping),
dropAnimation: dropping,
mode,
draggingOver,
combineWith,
combineTargetFor: null
}));
const getMemoizedProps = memoizeOne((offset, mode, dimension, isClone, draggingOver = null, combineWith = null, forceShouldAnimate = null) => ({
mapped: {
type: 'DRAGGING',
dropping: null,
draggingOver,
combineWith,
mode,
offset,
dimension,
forceShouldAnimate,
snapshot: getMemoizedSnapshot(mode, isClone, draggingOver, combineWith, null)
}
}));
const selector = (state, ownProps) => {
if (isDragging(state)) {
if (state.critical.draggable.id !== ownProps.draggableId) {
return null;
}
const offset = state.current.client.offset;
const dimension = state.dimensions.draggables[ownProps.draggableId];
const draggingOver = whatIsDraggedOver(state.impact);
const combineWith = getCombineWithFromImpact(state.impact);
const forceShouldAnimate = state.forceShouldAnimate;
return getMemoizedProps(memoizedOffset(offset.x, offset.y), state.movementMode, dimension, ownProps.isClone, draggingOver, combineWith, forceShouldAnimate);
}
if (state.phase === 'DROP_ANIMATING') {
const completed = state.completed;
if (completed.result.draggableId !== ownProps.draggableId) {
return null;
}
const isClone = ownProps.isClone;
const dimension = state.dimensions.draggables[ownProps.draggableId];
const result = completed.result;
const mode = result.mode;
const draggingOver = whatIsDraggedOverFromResult(result);
const combineWith = getCombineWithFromResult(result);
const duration = state.dropDuration;
const dropping = {
duration,
curve: curves.drop,
moveTo: state.newHomeClientOffset,
opacity: combineWith ? combine.opacity.drop : null,
scale: combineWith ? combine.scale.drop : null
};
return {
mapped: {
type: 'DRAGGING',
offset: state.newHomeClientOffset,
dimension,
dropping,
draggingOver,
combineWith,
mode,
forceShouldAnimate: null,
snapshot: getMemoizedSnapshot(mode, isClone, draggingOver, combineWith, dropping)
}
};
}
return null;
};
return selector;
}
function getSecondarySnapshot(combineTargetFor = null) {
return {
isDragging: false,
isDropAnimating: false,
isClone: false,
dropAnimation: null,
mode: null,
draggingOver: null,
combineTargetFor,
combineWith: null
};
}
const atRest = {
mapped: {
type: 'SECONDARY',
offset: origin,
combineTargetFor: null,
shouldAnimateDisplacement: true,
snapshot: getSecondarySnapshot(null)
}
};
function getSecondarySelector() {
const memoizedOffset = memoizeOne((x, y) => ({
x,
y
}));
const getMemoizedSnapshot = memoizeOne(getSecondarySnapshot);
const getMemoizedProps = memoizeOne((offset, combineTargetFor = null, shouldAnimateDisplacement) => ({
mapped: {
type: 'SECONDARY',
offset,
combineTargetFor,
shouldAnimateDisplacement,
snapshot: getMemoizedSnapshot(combineTargetFor)
}
}));
const getFallback = combineTargetFor => {
return combineTargetFor ? getMemoizedProps(origin, combineTargetFor, true) : null;
};
const getProps = (ownId, draggingId, impact, afterCritical) => {
const visualDisplacement = impact.displaced.visible[ownId];
const isAfterCriticalInVirtualList = Boolean(afterCritical.inVirtualList && afterCritical.effected[ownId]);
const combine = tryGetCombine(impact);
const combineTargetFor = combine && combine.draggableId === ownId ? draggingId : null;
if (!visualDisplacement) {
if (!isAfterCriticalInVirtualList) {
return getFallback(combineTargetFor);
}
if (impact.displaced.invisible[ownId]) {
return null;
}
const change = negate(afterCritical.displacedBy.point);
const offset = memoizedOffset(change.x, change.y);
return getMemoizedProps(offset, combineTargetFor, true);
}
if (isAfterCriticalInVirtualList) {
return getFallback(combineTargetFor);
}
const displaceBy = impact.displacedBy.point;
const offset = memoizedOffset(displaceBy.x, displaceBy.y);
return getMemoizedProps(offset, combineTargetFor, visualDisplacement.shouldAnimate);
};
const selector = (state, ownProps) => {
if (isDragging(state)) {
if (state.critical.draggable.id === ownProps.draggableId) {
return null;
}
return getProps(ownProps.draggableId, state.critical.draggable.id, state.impact, state.afterCritical);
}
if (state.phase === 'DROP_ANIMATING') {
const completed = state.completed;
if (completed.result.draggableId === ownProps.draggableId) {
return null;
}
return getProps(ownProps.draggableId, completed.result.draggableId, completed.impact, completed.afterCritical);
}
return null;
};
return selector;
}
const makeMapStateToProps$1 = () => {
const draggingSelector = getDraggableSelector();
const secondarySelector = getSecondarySelector();
const selector = (state, ownProps) => draggingSelector(state, ownProps) || secondarySelector(state, ownProps) || atRest;
return selector;
};
const mapDispatchToProps$1 = {
dropAnimationFinished: dropAnimationFinished
};
const ConnectedDraggable = reactRedux.connect(makeMapStateToProps$1, mapDispatchToProps$1, null, {
context: StoreContext,
areStatePropsEqual: isStrictEqual
})(Draggable$1);
var ConnectedDraggable$1 = ConnectedDraggable;
function PrivateDraggable(props) {
const droppableContext = useRequiredContext(DroppableContext);
const isUsingCloneFor = droppableContext.isUsingCloneFor;
if (isUsingCloneFor === props.draggableId && !props.isClone) {
return null;
}
return React.createElement(ConnectedDraggable$1, props);
}
function PublicDraggable(props) {
const isEnabled = typeof props.isDragDisabled === 'boolean' ? !props.isDragDisabled : true;
const canDragInteractiveElements = Boolean(props.disableInteractiveElementBlocking);
const shouldRespectForcePress = Boolean(props.shouldRespectForcePress);
return React.createElement(PrivateDraggable, _extends({}, props, {
isClone: false,
isEnabled: isEnabled,
canDragInteractiveElements: canDragInteractiveElements,
shouldRespectForcePress: shouldRespectForcePress
}));
}
const isEqual = base => value => base === value;
const isScroll = isEqual('scroll');
const isAuto = isEqual('auto');
const isVisible = isEqual('visible');
const isEither = (overflow, fn) => fn(overflow.overflowX) || fn(overflow.overflowY);
const isBoth = (overflow, fn) => fn(overflow.overflowX) && fn(overflow.overflowY);
const isElementScrollable = el => {
const style = window.getComputedStyle(el);
const overflow = {
overflowX: style.overflowX,
overflowY: style.overflowY
};
return isEither(overflow, isScroll) || isEither(overflow, isAuto);
};
const isBodyScrollable = () => {
if (true) {
return false;
}
const body = getBodyElement();
const html = document.documentElement;
!html ? false ? 0 : invariant(false) : void 0;
if (!isElementScrollable(body)) {
return false;
}
const htmlStyle = window.getComputedStyle(html);
const htmlOverflow = {
overflowX: htmlStyle.overflowX,
overflowY: htmlStyle.overflowY
};
if (isBoth(htmlOverflow, isVisible)) {
return false;
}
false ? 0 : void 0;
return false;
};
const getClosestScrollable = el => {
if (el == null) {
return null;
}
if (el === document.body) {
return isBodyScrollable() ? el : null;
}
if (el === document.documentElement) {
return null;
}
if (!isElementScrollable(el)) {
return getClosestScrollable(el.parentElement);
}
return el;
};
var getClosestScrollable$1 = getClosestScrollable;
var checkForNestedScrollContainers = (scrollable => {
if (!scrollable) {
return;
}
const anotherScrollParent = getClosestScrollable$1(scrollable.parentElement);
if (!anotherScrollParent) {
return;
}
false ? 0 : void 0;
});
var getScroll = (el => ({
x: el.scrollLeft,
y: el.scrollTop
}));
const getIsFixed = el => {
if (!el) {
return false;
}
const style = window.getComputedStyle(el);
if (style.position === 'fixed') {
return true;
}
return getIsFixed(el.parentElement);
};
var getEnv = (start => {
const closestScrollable = getClosestScrollable$1(start);
const isFixedOnPage = getIsFixed(start);
return {
closestScrollable,
isFixedOnPage
};
});
var getDroppableDimension = (({
descriptor,
isEnabled,
isCombineEnabled,
isFixedOnPage,
direction,
client,
page,
closest
}) => {
const frame = (() => {
if (!closest) {
return null;
}
const {
scrollSize,
client: frameClient
} = closest;
const maxScroll = getMaxScroll({
scrollHeight: scrollSize.scrollHeight,
scrollWidth: scrollSize.scrollWidth,
height: frameClient.paddingBox.height,
width: frameClient.paddingBox.width
});
return {
pageMarginBox: closest.page.marginBox,
frameClient,
scrollSize,
shouldClipSubject: closest.shouldClipSubject,
scroll: {
initial: closest.scroll,
current: closest.scroll,
max: maxScroll,
diff: {
value: origin,
displacement: origin
}
}
};
})();
const axis = direction === 'vertical' ? vertical : horizontal;
const subject = getSubject({
page,
withPlaceholder: null,
axis,
frame
});
const dimension = {
descriptor,
isCombineEnabled,
isFixedOnPage,
axis,
isEnabled,
client,
page,
frame,
subject
};
return dimension;
});
const getClient = (targetRef, closestScrollable) => {
const base = cssBoxModel.getBox(targetRef);
if (!closestScrollable) {
return base;
}
if (targetRef !== closestScrollable) {
return base;
}
const top = base.paddingBox.top - closestScrollable.scrollTop;
const left = base.paddingBox.left - closestScrollable.scrollLeft;
const bottom = top + closestScrollable.scrollHeight;
const right = left + closestScrollable.scrollWidth;
const paddingBox = {
top,
right,
bottom,
left
};
const borderBox = cssBoxModel.expand(paddingBox, base.border);
const client = cssBoxModel.createBox({
borderBox,
margin: base.margin,
border: base.border,
padding: base.padding
});
return client;
};
var getDimension = (({
ref,
descriptor,
env,
windowScroll,
direction,
isDropDisabled,
isCombineEnabled,
shouldClipSubject
}) => {
const closestScrollable = env.closestScrollable;
const client = getClient(ref, closestScrollable);
const page = cssBoxModel.withScroll(client, windowScroll);
const closest = (() => {
if (!closestScrollable) {
return null;
}
const frameClient = cssBoxModel.getBox(closestScrollable);
const scrollSize = {
scrollHeight: closestScrollable.scrollHeight,
scrollWidth: closestScrollable.scrollWidth
};
return {
client: frameClient,
page: cssBoxModel.withScroll(frameClient, windowScroll),
scroll: getScroll(closestScrollable),
scrollSize,
shouldClipSubject
};
})();
const dimension = getDroppableDimension({
descriptor,
isEnabled: !isDropDisabled,
isCombineEnabled,
isFixedOnPage: env.isFixedOnPage,
direction,
client,
page,
closest
});
return dimension;
});
const immediate = {
passive: false
};
const delayed = {
passive: true
};
var getListenerOptions = (options => options.shouldPublishImmediately ? immediate : delayed);
const getClosestScrollableFromDrag = dragging => dragging && dragging.env.closestScrollable || null;
function useDroppablePublisher(args) {
const whileDraggingRef = React.useRef(null);
const appContext = useRequiredContext(AppContext);
const uniqueId = useUniqueId$1('droppable');
const {
registry,
marshal
} = appContext;
const previousRef = usePrevious(args);
const descriptor = useMemoOne.useMemo(() => ({
id: args.droppableId,
type: args.type,
mode: args.mode
}), [args.droppableId, args.mode, args.type]);
const publishedDescriptorRef = React.useRef(descriptor);
const memoizedUpdateScroll = useMemoOne.useMemo(() => memoizeOne((x, y) => {
!whileDraggingRef.current ? false ? 0 : invariant(false) : void 0;
const scroll = {
x,
y
};
marshal.updateDroppableScroll(descriptor.id, scroll);
}), [descriptor.id, marshal]);
const getClosestScroll = useMemoOne.useCallback(() => {
const dragging = whileDraggingRef.current;
if (!dragging || !dragging.env.closestScrollable) {
return origin;
}
return getScroll(dragging.env.closestScrollable);
}, []);
const updateScroll = useMemoOne.useCallback(() => {
const scroll = getClosestScroll();
memoizedUpdateScroll(scroll.x, scroll.y);
}, [getClosestScroll, memoizedUpdateScroll]);
const scheduleScrollUpdate = useMemoOne.useMemo(() => rafSchd(updateScroll), [updateScroll]);
const onClosestScroll = useMemoOne.useCallback(() => {
const dragging = whileDraggingRef.current;
const closest = getClosestScrollableFromDrag(dragging);
!(dragging && closest) ? false ? 0 : invariant(false) : void 0;
const options = dragging.scrollOptions;
if (options.shouldPublishImmediately) {
updateScroll();
return;
}
scheduleScrollUpdate();
}, [scheduleScrollUpdate, updateScroll]);
const getDimensionAndWatchScroll = useMemoOne.useCallback((windowScroll, options) => {
!!whileDraggingRef.current ? false ? 0 : invariant(false) : void 0;
const previous = previousRef.current;
const ref = previous.getDroppableRef();
!ref ? false ? 0 : invariant(false) : void 0;
const env = getEnv(ref);
const dragging = {
ref,
descriptor,
env,
scrollOptions: options
};
whileDraggingRef.current = dragging;
const dimension = getDimension({
ref,
descriptor,
env,
windowScroll,
direction: previous.direction,
isDropDisabled: previous.isDropDisabled,
isCombineEnabled: previous.isCombineEnabled,
shouldClipSubject: !previous.ignoreContainerClipping
});
const scrollable = env.closestScrollable;
if (scrollable) {
scrollable.setAttribute(scrollContainer.contextId, appContext.contextId);
scrollable.addEventListener('scroll', onClosestScroll, getListenerOptions(dragging.scrollOptions));
if (false) {}
}
return dimension;
}, [appContext.contextId, descriptor, onClosestScroll, previousRef]);
const getScrollWhileDragging = useMemoOne.useCallback(() => {
const dragging = whileDraggingRef.current;
const closest = getClosestScrollableFromDrag(dragging);
!(dragging && closest) ? false ? 0 : invariant(false) : void 0;
return getScroll(closest);
}, []);
const dragStopped = useMemoOne.useCallback(() => {
const dragging = whileDraggingRef.current;
!dragging ? false ? 0 : invariant(false) : void 0;
const closest = getClosestScrollableFromDrag(dragging);
whileDraggingRef.current = null;
if (!closest) {
return;
}
scheduleScrollUpdate.cancel();
closest.removeAttribute(scrollContainer.contextId);
closest.removeEventListener('scroll', onClosestScroll, getListenerOptions(dragging.scrollOptions));
}, [onClosestScroll, scheduleScrollUpdate]);
const scroll = useMemoOne.useCallback(change => {
const dragging = whileDraggingRef.current;
!dragging ? false ? 0 : invariant(false) : void 0;
const closest = getClosestScrollableFromDrag(dragging);
!closest ? false ? 0 : invariant(false) : void 0;
closest.scrollTop += change.y;
closest.scrollLeft += change.x;
}, []);
const callbacks = useMemoOne.useMemo(() => {
return {
getDimensionAndWatchScroll,
getScrollWhileDragging,
dragStopped,
scroll
};
}, [dragStopped, getDimensionAndWatchScroll, getScrollWhileDragging, scroll]);
const entry = useMemoOne.useMemo(() => ({
uniqueId,
descriptor,
callbacks
}), [callbacks, descriptor, uniqueId]);
useLayoutEffect(() => {
publishedDescriptorRef.current = entry.descriptor;
registry.droppable.register(entry);
return () => {
if (whileDraggingRef.current) {
false ? 0 : void 0;
dragStopped();
}
registry.droppable.unregister(entry);
};
}, [callbacks, descriptor, dragStopped, entry, marshal, registry.droppable]);
useLayoutEffect(() => {
if (!whileDraggingRef.current) {
return;
}
marshal.updateDroppableIsEnabled(publishedDescriptorRef.current.id, !args.isDropDisabled);
}, [args.isDropDisabled, marshal]);
useLayoutEffect(() => {
if (!whileDraggingRef.current) {
return;
}
marshal.updateDroppableIsCombineEnabled(publishedDescriptorRef.current.id, args.isCombineEnabled);
}, [args.isCombineEnabled, marshal]);
}
function noop() {}
const empty = {
width: 0,
height: 0,
margin: noSpacing
};
const getSize = ({
isAnimatingOpenOnMount,
placeholder,
animate
}) => {
if (isAnimatingOpenOnMount) {
return empty;
}
if (animate === 'close') {
return empty;
}
return {
height: placeholder.client.borderBox.height,
width: placeholder.client.borderBox.width,
margin: placeholder.client.margin
};
};
const getStyle = ({
isAnimatingOpenOnMount,
placeholder,
animate
}) => {
const size = getSize({
isAnimatingOpenOnMount,
placeholder,
animate
});
return {
display: placeholder.display,
boxSizing: 'border-box',
width: size.width,
height: size.height,
marginTop: size.margin.top,
marginRight: size.margin.right,
marginBottom: size.margin.bottom,
marginLeft: size.margin.left,
flexShrink: '0',
flexGrow: '0',
pointerEvents: 'none',
transition: animate !== 'none' ? transitions.placeholder : null
};
};
const Placeholder = props => {
const animateOpenTimerRef = React.useRef(null);
const tryClearAnimateOpenTimer = useMemoOne.useCallback(() => {
if (!animateOpenTimerRef.current) {
return;
}
clearTimeout(animateOpenTimerRef.current);
animateOpenTimerRef.current = null;
}, []);
const {
animate,
onTransitionEnd,
onClose,
contextId
} = props;
const [isAnimatingOpenOnMount, setIsAnimatingOpenOnMount] = React.useState(props.animate === 'open');
React.useEffect(() => {
if (!isAnimatingOpenOnMount) {
return noop;
}
if (animate !== 'open') {
tryClearAnimateOpenTimer();
setIsAnimatingOpenOnMount(false);
return noop;
}
if (animateOpenTimerRef.current) {
return noop;
}
animateOpenTimerRef.current = setTimeout(() => {
animateOpenTimerRef.current = null;
setIsAnimatingOpenOnMount(false);
});
return tryClearAnimateOpenTimer;
}, [animate, isAnimatingOpenOnMount, tryClearAnimateOpenTimer]);
const onSizeChangeEnd = useMemoOne.useCallback(event => {
if (event.propertyName !== 'height') {
return;
}
onTransitionEnd();
if (animate === 'close') {
onClose();
}
}, [animate, onClose, onTransitionEnd]);
const style = getStyle({
isAnimatingOpenOnMount,
animate: props.animate,
placeholder: props.placeholder
});
return React.createElement(props.placeholder.tagName, {
style,
'data-rfd-placeholder-context-id': contextId,
onTransitionEnd: onSizeChangeEnd,
ref: props.innerRef
});
};
var Placeholder$1 = React.memo(Placeholder);
function isBoolean(value) {
return typeof value === 'boolean';
}
function runChecks(args, checks) {
checks.forEach(check => check(args));
}
const shared = [function required({
props
}) {
!props.droppableId ? false ? 0 : invariant(false) : void 0;
!(typeof props.droppableId === 'string') ? false ? 0 : invariant(false) : void 0;
}, function boolean({
props
}) {
!isBoolean(props.isDropDisabled) ? false ? 0 : invariant(false) : void 0;
!isBoolean(props.isCombineEnabled) ? false ? 0 : invariant(false) : void 0;
!isBoolean(props.ignoreContainerClipping) ? false ? 0 : invariant(false) : void 0;
}, function ref({
getDroppableRef
}) {
checkIsValidInnerRef(getDroppableRef());
}];
const standard = [function placeholder({
props,
getPlaceholderRef
}) {
if (!props.placeholder) {
return;
}
const ref = getPlaceholderRef();
if (ref) {
return;
}
false ? 0 : void 0;
}];
const virtual = [function hasClone({
props
}) {
!props.renderClone ? false ? 0 : invariant(false) : void 0;
}, function hasNoPlaceholder({
getPlaceholderRef
}) {
!!getPlaceholderRef() ? false ? 0 : invariant(false) : void 0;
}];
function useValidation(args) {
useDevSetupWarning(() => {
runChecks(args, shared);
if (args.props.mode === 'standard') {
runChecks(args, standard);
}
if (args.props.mode === 'virtual') {
runChecks(args, virtual);
}
});
}
class AnimateInOut extends React.PureComponent {
constructor(...args) {
super(...args);
this.state = {
isVisible: Boolean(this.props.on),
data: this.props.on,
animate: this.props.shouldAnimate && this.props.on ? 'open' : 'none'
};
this.onClose = () => {
if (this.state.animate !== 'close') {
return;
}
this.setState({
isVisible: false
});
};
}
static getDerivedStateFromProps(props, state) {
if (!props.shouldAnimate) {
return {
isVisible: Boolean(props.on),
data: props.on,
animate: 'none'
};
}
if (props.on) {
return {
isVisible: true,
data: props.on,
animate: 'open'
};
}
if (state.isVisible) {
return {
isVisible: true,
data: state.data,
animate: 'close'
};
}
return {
isVisible: false,
animate: 'close',
data: null
};
}
render() {
if (!this.state.isVisible) {
return null;
}
const provided = {
onClose: this.onClose,
data: this.state.data,
animate: this.state.animate
};
return this.props.children(provided);
}
}
const Droppable = props => {
const appContext = React.useContext(AppContext);
!appContext ? false ? 0 : invariant(false) : void 0;
const {
contextId,
isMovementAllowed
} = appContext;
const droppableRef = React.useRef(null);
const placeholderRef = React.useRef(null);
const {
children,
droppableId,
type,
mode,
direction,
ignoreContainerClipping,
isDropDisabled,
isCombineEnabled,
snapshot,
useClone,
updateViewportMaxScroll,
getContainerForClone
} = props;
const getDroppableRef = useMemoOne.useCallback(() => droppableRef.current, []);
const setDroppableRef = useMemoOne.useCallback((value = null) => {
droppableRef.current = value;
}, []);
const getPlaceholderRef = useMemoOne.useCallback(() => placeholderRef.current, []);
const setPlaceholderRef = useMemoOne.useCallback((value = null) => {
placeholderRef.current = value;
}, []);
useValidation({
props,
getDroppableRef,
getPlaceholderRef
});
const onPlaceholderTransitionEnd = useMemoOne.useCallback(() => {
if (isMovementAllowed()) {
updateViewportMaxScroll({
maxScroll: getMaxWindowScroll()
});
}
}, [isMovementAllowed, updateViewportMaxScroll]);
useDroppablePublisher({
droppableId,
type,
mode,
direction,
isDropDisabled,
isCombineEnabled,
ignoreContainerClipping,
getDroppableRef
});
const placeholder = useMemoOne.useMemo(() => React.createElement(AnimateInOut, {
on: props.placeholder,
shouldAnimate: props.shouldAnimatePlaceholder
}, ({
onClose,
data,
animate
}) => React.createElement(Placeholder$1, {
placeholder: data,
onClose: onClose,
innerRef: setPlaceholderRef,
animate: animate,
contextId: contextId,
onTransitionEnd: onPlaceholderTransitionEnd
})), [contextId, onPlaceholderTransitionEnd, props.placeholder, props.shouldAnimatePlaceholder, setPlaceholderRef]);
const provided = useMemoOne.useMemo(() => ({
innerRef: setDroppableRef,
placeholder,
droppableProps: {
'data-rfd-droppable-id': droppableId,
'data-rfd-droppable-context-id': contextId
}
}), [contextId, droppableId, placeholder, setDroppableRef]);
const isUsingCloneFor = useClone ? useClone.dragging.draggableId : null;
const droppableContext = useMemoOne.useMemo(() => ({
droppableId,
type,
isUsingCloneFor
}), [droppableId, isUsingCloneFor, type]);
function getClone() {
if (!useClone) {
return null;
}
const {
dragging,
render
} = useClone;
const node = React.createElement(PrivateDraggable, {
draggableId: dragging.draggableId,
index: dragging.source.index,
isClone: true,
isEnabled: true,
shouldRespectForcePress: false,
canDragInteractiveElements: true
}, (draggableProvided, draggableSnapshot) => render(draggableProvided, draggableSnapshot, dragging));
return ReactDOM.createPortal(node, getContainerForClone());
}
return React.createElement(DroppableContext.Provider, {
value: droppableContext
}, children(provided, snapshot), getClone());
};
var Droppable$1 = Droppable;
function getBody() {
!document.body ? false ? 0 : invariant(false) : void 0;
return document.body;
}
const defaultProps = {
mode: 'standard',
type: 'DEFAULT',
direction: 'vertical',
isDropDisabled: false,
isCombineEnabled: false,
ignoreContainerClipping: false,
renderClone: null,
getContainerForClone: getBody
};
const attachDefaultPropsToOwnProps = ownProps => {
let mergedProps = {
...ownProps
};
let defaultPropKey;
for (defaultPropKey in defaultProps) {
if (ownProps[defaultPropKey] === undefined) {
mergedProps = {
...mergedProps,
[defaultPropKey]: defaultProps[defaultPropKey]
};
}
}
return mergedProps;
};
const isMatchingType = (type, critical) => type === critical.droppable.type;
const getDraggable = (critical, dimensions) => dimensions.draggables[critical.draggable.id];
const makeMapStateToProps = () => {
const idleWithAnimation = {
placeholder: null,
shouldAnimatePlaceholder: true,
snapshot: {
isDraggingOver: false,
draggingOverWith: null,
draggingFromThisWith: null,
isUsingPlaceholder: false
},
useClone: null
};
const idleWithoutAnimation = {
...idleWithAnimation,
shouldAnimatePlaceholder: false
};
const getDraggableRubric = memoizeOne(descriptor => ({
draggableId: descriptor.id,
type: descriptor.type,
source: {
index: descriptor.index,
droppableId: descriptor.droppableId
}
}));
const getMapProps = memoizeOne((id, isEnabled, isDraggingOverForConsumer, isDraggingOverForImpact, dragging, renderClone) => {
const draggableId = dragging.descriptor.id;
const isHome = dragging.descriptor.droppableId === id;
if (isHome) {
const useClone = renderClone ? {
render: renderClone,
dragging: getDraggableRubric(dragging.descriptor)
} : null;
const snapshot = {
isDraggingOver: isDraggingOverForConsumer,
draggingOverWith: isDraggingOverForConsumer ? draggableId : null,
draggingFromThisWith: draggableId,
isUsingPlaceholder: true
};
return {
placeholder: dragging.placeholder,
shouldAnimatePlaceholder: false,
snapshot,
useClone
};
}
if (!isEnabled) {
return idleWithoutAnimation;
}
if (!isDraggingOverForImpact) {
return idleWithAnimation;
}
const snapshot = {
isDraggingOver: isDraggingOverForConsumer,
draggingOverWith: draggableId,
draggingFromThisWith: null,
isUsingPlaceholder: true
};
return {
placeholder: dragging.placeholder,
shouldAnimatePlaceholder: true,
snapshot,
useClone: null
};
});
const selector = (state, ownProps) => {
const ownPropsWithDefaultProps = attachDefaultPropsToOwnProps(ownProps);
const id = ownPropsWithDefaultProps.droppableId;
const type = ownPropsWithDefaultProps.type;
const isEnabled = !ownPropsWithDefaultProps.isDropDisabled;
const renderClone = ownPropsWithDefaultProps.renderClone;
if (isDragging(state)) {
const critical = state.critical;
if (!isMatchingType(type, critical)) {
return idleWithoutAnimation;
}
const dragging = getDraggable(critical, state.dimensions);
const isDraggingOver = whatIsDraggedOver(state.impact) === id;
return getMapProps(id, isEnabled, isDraggingOver, isDraggingOver, dragging, renderClone);
}
if (state.phase === 'DROP_ANIMATING') {
const completed = state.completed;
if (!isMatchingType(type, completed.critical)) {
return idleWithoutAnimation;
}
const dragging = getDraggable(completed.critical, state.dimensions);
return getMapProps(id, isEnabled, whatIsDraggedOverFromResult(completed.result) === id, whatIsDraggedOver(completed.impact) === id, dragging, renderClone);
}
if (state.phase === 'IDLE' && state.completed && !state.shouldFlush) {
const completed = state.completed;
if (!isMatchingType(type, completed.critical)) {
return idleWithoutAnimation;
}
const wasOver = whatIsDraggedOver(completed.impact) === id;
const wasCombining = Boolean(completed.impact.at && completed.impact.at.type === 'COMBINE');
const isHome = completed.critical.droppable.id === id;
if (wasOver) {
return wasCombining ? idleWithAnimation : idleWithoutAnimation;
}
if (isHome) {
return idleWithAnimation;
}
return idleWithoutAnimation;
}
return idleWithoutAnimation;
};
return selector;
};
const mapDispatchToProps = {
updateViewportMaxScroll: updateViewportMaxScroll
};
const ConnectedDroppable = reactRedux.connect(makeMapStateToProps, mapDispatchToProps, (stateProps, dispatchProps, ownProps) => {
return {
...attachDefaultPropsToOwnProps(ownProps),
...stateProps,
...dispatchProps
};
}, {
context: StoreContext,
areStatePropsEqual: isStrictEqual
})(Droppable$1);
var ConnectedDroppable$1 = ConnectedDroppable;
exports.Z5 = DragDropContext;
exports._l = PublicDraggable;
exports.bK = ConnectedDroppable$1;
__webpack_unused_export__ = resetServerContext;
__webpack_unused_export__ = useKeyboardSensor;
__webpack_unused_export__ = useMouseSensor;
__webpack_unused_export__ = useTouchSensor;
/***/ }),
/***/ 77023:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
Object.defineProperty(exports, "__esModule", ({ value: true }));
function _interopDefault (ex) { return (ex && (typeof ex === 'object') && 'default' in ex) ? ex['default'] : ex; }
var invariant = _interopDefault(__webpack_require__(63924));
var getRect = function getRect(_ref) {
var top = _ref.top,
right = _ref.right,
bottom = _ref.bottom,
left = _ref.left;
var width = right - left;
var height = bottom - top;
var rect = {
top: top,
right: right,
bottom: bottom,
left: left,
width: width,
height: height,
x: left,
y: top,
center: {
x: (right + left) / 2,
y: (bottom + top) / 2
}
};
return rect;
};
var expand = function expand(target, expandBy) {
return {
top: target.top - expandBy.top,
left: target.left - expandBy.left,
bottom: target.bottom + expandBy.bottom,
right: target.right + expandBy.right
};
};
var shrink = function shrink(target, shrinkBy) {
return {
top: target.top + shrinkBy.top,
left: target.left + shrinkBy.left,
bottom: target.bottom - shrinkBy.bottom,
right: target.right - shrinkBy.right
};
};
var shift = function shift(target, shiftBy) {
return {
top: target.top + shiftBy.y,
left: target.left + shiftBy.x,
bottom: target.bottom + shiftBy.y,
right: target.right + shiftBy.x
};
};
var noSpacing = {
top: 0,
right: 0,
bottom: 0,
left: 0
};
var createBox = function createBox(_ref2) {
var borderBox = _ref2.borderBox,
_ref2$margin = _ref2.margin,
margin = _ref2$margin === void 0 ? noSpacing : _ref2$margin,
_ref2$border = _ref2.border,
border = _ref2$border === void 0 ? noSpacing : _ref2$border,
_ref2$padding = _ref2.padding,
padding = _ref2$padding === void 0 ? noSpacing : _ref2$padding;
var marginBox = getRect(expand(borderBox, margin));
var paddingBox = getRect(shrink(borderBox, border));
var contentBox = getRect(shrink(paddingBox, padding));
return {
marginBox: marginBox,
borderBox: getRect(borderBox),
paddingBox: paddingBox,
contentBox: contentBox,
margin: margin,
border: border,
padding: padding
};
};
var parse = function parse(raw) {
var value = raw.slice(0, -2);
var suffix = raw.slice(-2);
if (suffix !== 'px') {
return 0;
}
var result = Number(value);
!!isNaN(result) ? false ? 0 : invariant(false) : void 0;
return result;
};
var getWindowScroll = function getWindowScroll() {
return {
x: window.pageXOffset,
y: window.pageYOffset
};
};
var offset = function offset(original, change) {
var borderBox = original.borderBox,
border = original.border,
margin = original.margin,
padding = original.padding;
var shifted = shift(borderBox, change);
return createBox({
borderBox: shifted,
border: border,
margin: margin,
padding: padding
});
};
var withScroll = function withScroll(original, scroll) {
if (scroll === void 0) {
scroll = getWindowScroll();
}
return offset(original, scroll);
};
var calculateBox = function calculateBox(borderBox, styles) {
var margin = {
top: parse(styles.marginTop),
right: parse(styles.marginRight),
bottom: parse(styles.marginBottom),
left: parse(styles.marginLeft)
};
var padding = {
top: parse(styles.paddingTop),
right: parse(styles.paddingRight),
bottom: parse(styles.paddingBottom),
left: parse(styles.paddingLeft)
};
var border = {
top: parse(styles.borderTopWidth),
right: parse(styles.borderRightWidth),
bottom: parse(styles.borderBottomWidth),
left: parse(styles.borderLeftWidth)
};
return createBox({
borderBox: borderBox,
margin: margin,
padding: padding,
border: border
});
};
var getBox = function getBox(el) {
var borderBox = el.getBoundingClientRect();
var styles = window.getComputedStyle(el);
return calculateBox(borderBox, styles);
};
exports.calculateBox = calculateBox;
exports.createBox = createBox;
exports.expand = expand;
exports.getBox = getBox;
exports.getRect = getRect;
exports.offset = offset;
exports.shrink = shrink;
exports.withScroll = withScroll;
/***/ }),
/***/ 31054:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
"use strict";
var reactIs = __webpack_require__(40717);
/**
* Copyright 2015, Yahoo! Inc.
* Copyrights licensed under the New BSD License. See the accompanying LICENSE file for terms.
*/
var REACT_STATICS = {
childContextTypes: true,
contextType: true,
contextTypes: true,
defaultProps: true,
displayName: true,
getDefaultProps: true,
getDerivedStateFromError: true,
getDerivedStateFromProps: true,
mixins: true,
propTypes: true,
type: true
};
var KNOWN_STATICS = {
name: true,
length: true,
prototype: true,
caller: true,
callee: true,
arguments: true,
arity: true
};
var FORWARD_REF_STATICS = {
'$$typeof': true,
render: true,
defaultProps: true,
displayName: true,
propTypes: true
};
var MEMO_STATICS = {
'$$typeof': true,
compare: true,
defaultProps: true,
displayName: true,
propTypes: true,
type: true
};
var TYPE_STATICS = {};
TYPE_STATICS[reactIs.ForwardRef] = FORWARD_REF_STATICS;
TYPE_STATICS[reactIs.Memo] = MEMO_STATICS;
function getStatics(component) {
// React v16.11 and below
if (reactIs.isMemo(component)) {
return MEMO_STATICS;
} // React v16.12 and above
return TYPE_STATICS[component['$$typeof']] || REACT_STATICS;
}
var defineProperty = Object.defineProperty;
var getOwnPropertyNames = Object.getOwnPropertyNames;
var getOwnPropertySymbols = Object.getOwnPropertySymbols;
var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;
var getPrototypeOf = Object.getPrototypeOf;
var objectPrototype = Object.prototype;
function hoistNonReactStatics(targetComponent, sourceComponent, blacklist) {
if (typeof sourceComponent !== 'string') {
// don't hoist over string (html) components
if (objectPrototype) {
var inheritedComponent = getPrototypeOf(sourceComponent);
if (inheritedComponent && inheritedComponent !== objectPrototype) {
hoistNonReactStatics(targetComponent, inheritedComponent, blacklist);
}
}
var keys = getOwnPropertyNames(sourceComponent);
if (getOwnPropertySymbols) {
keys = keys.concat(getOwnPropertySymbols(sourceComponent));
}
var targetStatics = getStatics(targetComponent);
var sourceStatics = getStatics(sourceComponent);
for (var i = 0; i < keys.length; ++i) {
var key = keys[i];
if (!KNOWN_STATICS[key] && !(blacklist && blacklist[key]) && !(sourceStatics && sourceStatics[key]) && !(targetStatics && targetStatics[key])) {
var descriptor = getOwnPropertyDescriptor(sourceComponent, key);
try {
// Avoid failures from read-only properties
defineProperty(targetComponent, key, descriptor);
} catch (e) {}
}
}
}
return targetComponent;
}
module.exports = hoistNonReactStatics;
/***/ }),
/***/ 7935:
/***/ ((module) => {
"use strict";
var safeIsNaN = Number.isNaN ||
function ponyfill(value) {
return typeof value === 'number' && value !== value;
};
function isEqual(first, second) {
if (first === second) {
return true;
}
if (safeIsNaN(first) && safeIsNaN(second)) {
return true;
}
return false;
}
function areInputsEqual(newInputs, lastInputs) {
if (newInputs.length !== lastInputs.length) {
return false;
}
for (var i = 0; i < newInputs.length; i++) {
if (!isEqual(newInputs[i], lastInputs[i])) {
return false;
}
}
return true;
}
function memoizeOne(resultFn, isEqual) {
if (isEqual === void 0) { isEqual = areInputsEqual; }
var cache = null;
function memoized() {
var newArgs = [];
for (var _i = 0; _i < arguments.length; _i++) {
newArgs[_i] = arguments[_i];
}
if (cache && cache.lastThis === this && isEqual(newArgs, cache.lastArgs)) {
return cache.lastResult;
}
var lastResult = resultFn.apply(this, newArgs);
cache = {
lastResult: lastResult,
lastArgs: newArgs,
lastThis: this,
};
return lastResult;
}
memoized.clear = function clear() {
cache = null;
};
return memoized;
}
module.exports = memoizeOne;
/***/ }),
/***/ 78291:
/***/ ((module) => {
"use strict";
var rafSchd = function rafSchd(fn) {
var lastArgs = [];
var frameId = null;
var wrapperFn = function wrapperFn() {
for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
args[_key] = arguments[_key];
}
lastArgs = args;
if (frameId) {
return;
}
frameId = requestAnimationFrame(function () {
frameId = null;
fn.apply(void 0, lastArgs);
});
};
wrapperFn.cancel = function () {
if (!frameId) {
return;
}
cancelAnimationFrame(frameId);
frameId = null;
};
return wrapperFn;
};
module.exports = rafSchd;
/***/ }),
/***/ 13259:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
/** @license React v16.13.1
* react-is.production.min.js
*
* Copyright (c) Facebook, Inc. and its affiliates.
*
* This source code is licensed under the MIT license found in the
* LICENSE file in the root directory of this source tree.
*/
var b="function"===typeof Symbol&&Symbol.for,c=b?Symbol.for("react.element"):60103,d=b?Symbol.for("react.portal"):60106,e=b?Symbol.for("react.fragment"):60107,f=b?Symbol.for("react.strict_mode"):60108,g=b?Symbol.for("react.profiler"):60114,h=b?Symbol.for("react.provider"):60109,k=b?Symbol.for("react.context"):60110,l=b?Symbol.for("react.async_mode"):60111,m=b?Symbol.for("react.concurrent_mode"):60111,n=b?Symbol.for("react.forward_ref"):60112,p=b?Symbol.for("react.suspense"):60113,q=b?
Symbol.for("react.suspense_list"):60120,r=b?Symbol.for("react.memo"):60115,t=b?Symbol.for("react.lazy"):60116,v=b?Symbol.for("react.block"):60121,w=b?Symbol.for("react.fundamental"):60117,x=b?Symbol.for("react.responder"):60118,y=b?Symbol.for("react.scope"):60119;
function z(a){if("object"===typeof a&&null!==a){var u=a.$$typeof;switch(u){case c:switch(a=a.type,a){case l:case m:case e:case g:case f:case p:return a;default:switch(a=a&&a.$$typeof,a){case k:case n:case t:case r:case h:return a;default:return u}}case d:return u}}}function A(a){return z(a)===m}exports.AsyncMode=l;exports.ConcurrentMode=m;exports.ContextConsumer=k;exports.ContextProvider=h;exports.Element=c;exports.ForwardRef=n;exports.Fragment=e;exports.Lazy=t;exports.Memo=r;exports.Portal=d;
exports.Profiler=g;exports.StrictMode=f;exports.Suspense=p;exports.isAsyncMode=function(a){return A(a)||z(a)===l};exports.isConcurrentMode=A;exports.isContextConsumer=function(a){return z(a)===k};exports.isContextProvider=function(a){return z(a)===h};exports.isElement=function(a){return"object"===typeof a&&null!==a&&a.$$typeof===c};exports.isForwardRef=function(a){return z(a)===n};exports.isFragment=function(a){return z(a)===e};exports.isLazy=function(a){return z(a)===t};
exports.isMemo=function(a){return z(a)===r};exports.isPortal=function(a){return z(a)===d};exports.isProfiler=function(a){return z(a)===g};exports.isStrictMode=function(a){return z(a)===f};exports.isSuspense=function(a){return z(a)===p};
exports.isValidElementType=function(a){return"string"===typeof a||"function"===typeof a||a===e||a===m||a===g||a===f||a===p||a===q||"object"===typeof a&&null!==a&&(a.$$typeof===t||a.$$typeof===r||a.$$typeof===h||a.$$typeof===k||a.$$typeof===n||a.$$typeof===w||a.$$typeof===x||a.$$typeof===y||a.$$typeof===v)};exports.typeOf=z;
/***/ }),
/***/ 40717:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
"use strict";
if (true) {
module.exports = __webpack_require__(13259);
} else {}
/***/ }),
/***/ 18985:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports["default"] = exports.ReactReduxContext = void 0;
var React = _interopRequireWildcard(__webpack_require__(18038));
function _getRequireWildcardCache(nodeInterop) { if (typeof WeakMap !== "function") return null; var cacheBabelInterop = new WeakMap(); var cacheNodeInterop = new WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); }
function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || typeof obj !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; }
const ContextKey = Symbol.for(`react-redux-context`);
const gT = typeof globalThis !== "undefined" ? globalThis :
/* fall back to a per-module scope (pre-8.1 behaviour) if `globalThis` is not available */
{};
function getContext() {
var _gT$ContextKey;
if (!React.createContext) return {};
const contextMap = (_gT$ContextKey = gT[ContextKey]) != null ? _gT$ContextKey : gT[ContextKey] = new Map();
let realContext = contextMap.get(React.createContext);
if (!realContext) {
realContext = React.createContext(null);
if (false) {}
contextMap.set(React.createContext, realContext);
}
return realContext;
}
const ReactReduxContext = /*#__PURE__*/getContext();
exports.ReactReduxContext = ReactReduxContext;
var _default = ReactReduxContext;
exports["default"] = _default;
/***/ }),
/***/ 52228:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports["default"] = void 0;
var React = _interopRequireWildcard(__webpack_require__(18038));
var _Context = __webpack_require__(18985);
var _Subscription = __webpack_require__(30140);
var _useIsomorphicLayoutEffect = __webpack_require__(29815);
function _getRequireWildcardCache(nodeInterop) { if (typeof WeakMap !== "function") return null; var cacheBabelInterop = new WeakMap(); var cacheNodeInterop = new WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); }
function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || typeof obj !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; }
function Provider({
store,
context,
children,
serverState,
stabilityCheck = 'once',
noopCheck = 'once'
}) {
const contextValue = React.useMemo(() => {
const subscription = (0, _Subscription.createSubscription)(store);
return {
store,
subscription,
getServerState: serverState ? () => serverState : undefined,
stabilityCheck,
noopCheck
};
}, [store, serverState, stabilityCheck, noopCheck]);
const previousState = React.useMemo(() => store.getState(), [store]);
(0, _useIsomorphicLayoutEffect.useIsomorphicLayoutEffect)(() => {
const {
subscription
} = contextValue;
subscription.onStateChange = subscription.notifyNestedSubs;
subscription.trySubscribe();
if (previousState !== store.getState()) {
subscription.notifyNestedSubs();
}
return () => {
subscription.tryUnsubscribe();
subscription.onStateChange = undefined;
};
}, [contextValue, previousState]);
const Context = context || _Context.ReactReduxContext; // @ts-ignore 'AnyAction' is assignable to the constraint of type 'A', but 'A' could be instantiated with a different subtype
return /*#__PURE__*/React.createElement(Context.Provider, {
value: contextValue
}, children);
}
var _default = Provider;
exports["default"] = _default;
/***/ }),
/***/ 97309:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports["default"] = exports.initializeConnect = void 0;
var _extends2 = _interopRequireDefault(__webpack_require__(59651));
var _objectWithoutPropertiesLoose2 = _interopRequireDefault(__webpack_require__(20820));
var _hoistNonReactStatics = _interopRequireDefault(__webpack_require__(31054));
var React = _interopRequireWildcard(__webpack_require__(18038));
var _reactIs = __webpack_require__(35774);
var _selectorFactory = _interopRequireDefault(__webpack_require__(75083));
var _mapDispatchToProps = __webpack_require__(15134);
var _mapStateToProps = __webpack_require__(35912);
var _mergeProps = __webpack_require__(50014);
var _Subscription = __webpack_require__(30140);
var _useIsomorphicLayoutEffect = __webpack_require__(29815);
var _shallowEqual = _interopRequireDefault(__webpack_require__(49896));
var _warning = _interopRequireDefault(__webpack_require__(49921));
var _Context = __webpack_require__(18985);
var _useSyncExternalStore = __webpack_require__(64569);
const _excluded = ["reactReduxForwardedRef"];
function _getRequireWildcardCache(nodeInterop) { if (typeof WeakMap !== "function") return null; var cacheBabelInterop = new WeakMap(); var cacheNodeInterop = new WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); }
function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || typeof obj !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; }
let useSyncExternalStore = _useSyncExternalStore.notInitialized;
const initializeConnect = fn => {
useSyncExternalStore = fn;
}; // Define some constant arrays just to avoid re-creating these
exports.initializeConnect = initializeConnect;
const EMPTY_ARRAY = (/* unused pure expression or super */ null && ([null, 0]));
const NO_SUBSCRIPTION_ARRAY = [null, null]; // Attempts to stringify whatever not-really-a-component value we were given
// for logging in an error message
const stringifyComponent = Comp => {
try {
return JSON.stringify(Comp);
} catch (err) {
return String(Comp);
}
};
// This is "just" a `useLayoutEffect`, but with two modifications:
// - we need to fall back to `useEffect` in SSR to avoid annoying warnings
// - we extract this to a separate function to avoid closing over values
// and causing memory leaks
function useIsomorphicLayoutEffectWithArgs(effectFunc, effectArgs, dependencies) {
(0, _useIsomorphicLayoutEffect.useIsomorphicLayoutEffect)(() => effectFunc(...effectArgs), dependencies);
} // Effect callback, extracted: assign the latest props values to refs for later usage
function captureWrapperProps(lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, // actualChildProps: unknown,
childPropsFromStoreUpdate, notifyNestedSubs) {
// We want to capture the wrapper props and child props we used for later comparisons
lastWrapperProps.current = wrapperProps;
renderIsScheduled.current = false; // If the render was from a store update, clear out that reference and cascade the subscriber update
if (childPropsFromStoreUpdate.current) {
childPropsFromStoreUpdate.current = null;
notifyNestedSubs();
}
} // Effect callback, extracted: subscribe to the Redux store or nearest connected ancestor,
// check for updates after dispatched actions, and trigger re-renders.
function subscribeUpdates(shouldHandleStateChanges, store, subscription, childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, // forceComponentUpdateDispatch: React.Dispatch<any>,
additionalSubscribeListener) {
// If we're not subscribed to the store, nothing to do here
if (!shouldHandleStateChanges) return () => {}; // Capture values for checking if and when this component unmounts
let didUnsubscribe = false;
let lastThrownError = null; // We'll run this callback every time a store subscription update propagates to this component
const checkForUpdates = () => {
if (didUnsubscribe || !isMounted.current) {
// Don't run stale listeners.
// Redux doesn't guarantee unsubscriptions happen until next dispatch.
return;
} // TODO We're currently calling getState ourselves here, rather than letting `uSES` do it
const latestStoreState = store.getState();
let newChildProps, error;
try {
// Actually run the selector with the most recent store state and wrapper props
// to determine what the child props should be
newChildProps = childPropsSelector(latestStoreState, lastWrapperProps.current);
} catch (e) {
error = e;
lastThrownError = e;
}
if (!error) {
lastThrownError = null;
} // If the child props haven't changed, nothing to do here - cascade the subscription update
if (newChildProps === lastChildProps.current) {
if (!renderIsScheduled.current) {
notifyNestedSubs();
}
} else {
// Save references to the new child props. Note that we track the "child props from store update"
// as a ref instead of a useState/useReducer because we need a way to determine if that value has
// been processed. If this went into useState/useReducer, we couldn't clear out the value without
// forcing another re-render, which we don't want.
lastChildProps.current = newChildProps;
childPropsFromStoreUpdate.current = newChildProps;
renderIsScheduled.current = true; // TODO This is hacky and not how `uSES` is meant to be used
// Trigger the React `useSyncExternalStore` subscriber
additionalSubscribeListener();
}
}; // Actually subscribe to the nearest connected ancestor (or store)
subscription.onStateChange = checkForUpdates;
subscription.trySubscribe(); // Pull data from the store after first render in case the store has
// changed since we began.
checkForUpdates();
const unsubscribeWrapper = () => {
didUnsubscribe = true;
subscription.tryUnsubscribe();
subscription.onStateChange = null;
if (lastThrownError) {
// It's possible that we caught an error due to a bad mapState function, but the
// parent re-rendered without this component and we're about to unmount.
// This shouldn't happen as long as we do top-down subscriptions correctly, but
// if we ever do those wrong, this throw will surface the error in our tests.
// In that case, throw the error from here so it doesn't get lost.
throw lastThrownError;
}
};
return unsubscribeWrapper;
} // Reducer initial state creation for our update reducer
const initStateUpdates = () => EMPTY_ARRAY;
function strictEqual(a, b) {
return a === b;
}
/**
* Infers the type of props that a connector will inject into a component.
*/
let hasWarnedAboutDeprecatedPureOption = false;
/**
* Connects a React component to a Redux store.
*
* - Without arguments, just wraps the component, without changing the behavior / props
*
* - If 2 params are passed (3rd param, mergeProps, is skipped), default behavior
* is to override ownProps (as stated in the docs), so what remains is everything that's
* not a state or dispatch prop
*
* - When 3rd param is passed, we don't know if ownProps propagate and whether they
* should be valid component props, because it depends on mergeProps implementation.
* As such, it is the user's responsibility to extend ownProps interface from state or
* dispatch props or both when applicable
*
* @param mapStateToProps A function that extracts values from state
* @param mapDispatchToProps Setup for dispatching actions
* @param mergeProps Optional callback to merge state and dispatch props together
* @param options Options for configuring the connection
*
*/
function connect(mapStateToProps, mapDispatchToProps, mergeProps, {
// The `pure` option has been removed, so TS doesn't like us destructuring this to check its existence.
// @ts-ignore
pure,
areStatesEqual = strictEqual,
areOwnPropsEqual = _shallowEqual.default,
areStatePropsEqual = _shallowEqual.default,
areMergedPropsEqual = _shallowEqual.default,
// use React's forwardRef to expose a ref of the wrapped component
forwardRef = false,
// the context consumer to use
context = _Context.ReactReduxContext
} = {}) {
if (false) {}
const Context = context;
const initMapStateToProps = (0, _mapStateToProps.mapStateToPropsFactory)(mapStateToProps);
const initMapDispatchToProps = (0, _mapDispatchToProps.mapDispatchToPropsFactory)(mapDispatchToProps);
const initMergeProps = (0, _mergeProps.mergePropsFactory)(mergeProps);
const shouldHandleStateChanges = Boolean(mapStateToProps);
const wrapWithConnect = WrappedComponent => {
if (false) {}
const wrappedComponentName = WrappedComponent.displayName || WrappedComponent.name || 'Component';
const displayName = `Connect(${wrappedComponentName})`;
const selectorFactoryOptions = {
shouldHandleStateChanges,
displayName,
wrappedComponentName,
WrappedComponent,
// @ts-ignore
initMapStateToProps,
// @ts-ignore
initMapDispatchToProps,
initMergeProps,
areStatesEqual,
areStatePropsEqual,
areOwnPropsEqual,
areMergedPropsEqual
};
function ConnectFunction(props) {
const [propsContext, reactReduxForwardedRef, wrapperProps] = React.useMemo(() => {
// Distinguish between actual "data" props that were passed to the wrapper component,
// and values needed to control behavior (forwarded refs, alternate context instances).
// To maintain the wrapperProps object reference, memoize this destructuring.
const {
reactReduxForwardedRef
} = props,
wrapperProps = (0, _objectWithoutPropertiesLoose2.default)(props, _excluded);
return [props.context, reactReduxForwardedRef, wrapperProps];
}, [props]);
const ContextToUse = React.useMemo(() => {
// Users may optionally pass in a custom context instance to use instead of our ReactReduxContext.
// Memoize the check that determines which context instance we should use.
return propsContext && propsContext.Consumer && // @ts-ignore
(0, _reactIs.isContextConsumer)( /*#__PURE__*/React.createElement(propsContext.Consumer, null)) ? propsContext : Context;
}, [propsContext, Context]); // Retrieve the store and ancestor subscription via context, if available
const contextValue = React.useContext(ContextToUse); // The store _must_ exist as either a prop or in context.
// We'll check to see if it _looks_ like a Redux store first.
// This allows us to pass through a `store` prop that is just a plain value.
const didStoreComeFromProps = Boolean(props.store) && Boolean(props.store.getState) && Boolean(props.store.dispatch);
const didStoreComeFromContext = Boolean(contextValue) && Boolean(contextValue.store);
if (false) {} // Based on the previous check, one of these must be true
const store = didStoreComeFromProps ? props.store : contextValue.store;
const getServerState = didStoreComeFromContext ? contextValue.getServerState : store.getState;
const childPropsSelector = React.useMemo(() => {
// The child props selector needs the store reference as an input.
// Re-create this selector whenever the store changes.
return (0, _selectorFactory.default)(store.dispatch, selectorFactoryOptions);
}, [store]);
const [subscription, notifyNestedSubs] = React.useMemo(() => {
if (!shouldHandleStateChanges) return NO_SUBSCRIPTION_ARRAY; // This Subscription's source should match where store came from: props vs. context. A component
// connected to the store via props shouldn't use subscription from context, or vice versa.
const subscription = (0, _Subscription.createSubscription)(store, didStoreComeFromProps ? undefined : contextValue.subscription); // `notifyNestedSubs` is duplicated to handle the case where the component is unmounted in
// the middle of the notification loop, where `subscription` will then be null. This can
// probably be avoided if Subscription's listeners logic is changed to not call listeners
// that have been unsubscribed in the middle of the notification loop.
const notifyNestedSubs = subscription.notifyNestedSubs.bind(subscription);
return [subscription, notifyNestedSubs];
}, [store, didStoreComeFromProps, contextValue]); // Determine what {store, subscription} value should be put into nested context, if necessary,
// and memoize that value to avoid unnecessary context updates.
const overriddenContextValue = React.useMemo(() => {
if (didStoreComeFromProps) {
// This component is directly subscribed to a store from props.
// We don't want descendants reading from this store - pass down whatever
// the existing context value is from the nearest connected ancestor.
return contextValue;
} // Otherwise, put this component's subscription instance into context, so that
// connected descendants won't update until after this component is done
return (0, _extends2.default)({}, contextValue, {
subscription
});
}, [didStoreComeFromProps, contextValue, subscription]); // Set up refs to coordinate values between the subscription effect and the render logic
const lastChildProps = React.useRef();
const lastWrapperProps = React.useRef(wrapperProps);
const childPropsFromStoreUpdate = React.useRef();
const renderIsScheduled = React.useRef(false);
const isProcessingDispatch = React.useRef(false);
const isMounted = React.useRef(false);
const latestSubscriptionCallbackError = React.useRef();
(0, _useIsomorphicLayoutEffect.useIsomorphicLayoutEffect)(() => {
isMounted.current = true;
return () => {
isMounted.current = false;
};
}, []);
const actualChildPropsSelector = React.useMemo(() => {
const selector = () => {
// Tricky logic here:
// - This render may have been triggered by a Redux store update that produced new child props
// - However, we may have gotten new wrapper props after that
// If we have new child props, and the same wrapper props, we know we should use the new child props as-is.
// But, if we have new wrapper props, those might change the child props, so we have to recalculate things.
// So, we'll use the child props from store update only if the wrapper props are the same as last time.
if (childPropsFromStoreUpdate.current && wrapperProps === lastWrapperProps.current) {
return childPropsFromStoreUpdate.current;
} // TODO We're reading the store directly in render() here. Bad idea?
// This will likely cause Bad Things (TM) to happen in Concurrent Mode.
// Note that we do this because on renders _not_ caused by store updates, we need the latest store state
// to determine what the child props should be.
return childPropsSelector(store.getState(), wrapperProps);
};
return selector;
}, [store, wrapperProps]); // We need this to execute synchronously every time we re-render. However, React warns
// about useLayoutEffect in SSR, so we try to detect environment and fall back to
// just useEffect instead to avoid the warning, since neither will run anyway.
const subscribeForReact = React.useMemo(() => {
const subscribe = reactListener => {
if (!subscription) {
return () => {};
}
return subscribeUpdates(shouldHandleStateChanges, store, subscription, // @ts-ignore
childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, reactListener);
};
return subscribe;
}, [subscription]);
useIsomorphicLayoutEffectWithArgs(captureWrapperProps, [lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, childPropsFromStoreUpdate, notifyNestedSubs]);
let actualChildProps;
try {
actualChildProps = useSyncExternalStore( // TODO We're passing through a big wrapper that does a bunch of extra side effects besides subscribing
subscribeForReact, // TODO This is incredibly hacky. We've already processed the store update and calculated new child props,
// TODO and we're just passing that through so it triggers a re-render for us rather than relying on `uSES`.
actualChildPropsSelector, getServerState ? () => childPropsSelector(getServerState(), wrapperProps) : actualChildPropsSelector);
} catch (err) {
if (latestSubscriptionCallbackError.current) {
;
err.message += `\nThe error may be correlated with this previous error:\n${latestSubscriptionCallbackError.current.stack}\n\n`;
}
throw err;
}
(0, _useIsomorphicLayoutEffect.useIsomorphicLayoutEffect)(() => {
latestSubscriptionCallbackError.current = undefined;
childPropsFromStoreUpdate.current = undefined;
lastChildProps.current = actualChildProps;
}); // Now that all that's done, we can finally try to actually render the child component.
// We memoize the elements for the rendered child component as an optimization.
const renderedWrappedComponent = React.useMemo(() => {
return (
/*#__PURE__*/
// @ts-ignore
React.createElement(WrappedComponent, (0, _extends2.default)({}, actualChildProps, {
ref: reactReduxForwardedRef
}))
);
}, [reactReduxForwardedRef, WrappedComponent, actualChildProps]); // If React sees the exact same element reference as last time, it bails out of re-rendering
// that child, same as if it was wrapped in React.memo() or returned false from shouldComponentUpdate.
const renderedChild = React.useMemo(() => {
if (shouldHandleStateChanges) {
// If this component is subscribed to store updates, we need to pass its own
// subscription instance down to our descendants. That means rendering the same
// Context instance, and putting a different value into the context.
return /*#__PURE__*/React.createElement(ContextToUse.Provider, {
value: overriddenContextValue
}, renderedWrappedComponent);
}
return renderedWrappedComponent;
}, [ContextToUse, renderedWrappedComponent, overriddenContextValue]);
return renderedChild;
}
const _Connect = React.memo(ConnectFunction);
// Add a hacky cast to get the right output type
const Connect = _Connect;
Connect.WrappedComponent = WrappedComponent;
Connect.displayName = ConnectFunction.displayName = displayName;
if (forwardRef) {
const _forwarded = React.forwardRef(function forwardConnectRef(props, ref) {
// @ts-ignore
return /*#__PURE__*/React.createElement(Connect, (0, _extends2.default)({}, props, {
reactReduxForwardedRef: ref
}));
});
const forwarded = _forwarded;
forwarded.displayName = displayName;
forwarded.WrappedComponent = WrappedComponent;
return (0, _hoistNonReactStatics.default)(forwarded, WrappedComponent);
}
return (0, _hoistNonReactStatics.default)(Connect, WrappedComponent);
};
return wrapWithConnect;
}
var _default = connect;
exports["default"] = _default;
/***/ }),
/***/ 80798:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports.createInvalidArgFactory = createInvalidArgFactory;
function createInvalidArgFactory(arg, name) {
return (dispatch, options) => {
throw new Error(`Invalid value of type ${typeof arg} for ${name} argument when connecting component ${options.wrappedComponentName}.`);
};
}
/***/ }),
/***/ 15134:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports.mapDispatchToPropsFactory = mapDispatchToPropsFactory;
var _bindActionCreators = _interopRequireDefault(__webpack_require__(26053));
var _wrapMapToProps = __webpack_require__(32776);
var _invalidArgFactory = __webpack_require__(80798);
function mapDispatchToPropsFactory(mapDispatchToProps) {
return mapDispatchToProps && typeof mapDispatchToProps === 'object' ? (0, _wrapMapToProps.wrapMapToPropsConstant)(dispatch => // @ts-ignore
(0, _bindActionCreators.default)(mapDispatchToProps, dispatch)) : !mapDispatchToProps ? (0, _wrapMapToProps.wrapMapToPropsConstant)(dispatch => ({
dispatch
})) : typeof mapDispatchToProps === 'function' ? // @ts-ignore
(0, _wrapMapToProps.wrapMapToPropsFunc)(mapDispatchToProps, 'mapDispatchToProps') : (0, _invalidArgFactory.createInvalidArgFactory)(mapDispatchToProps, 'mapDispatchToProps');
}
/***/ }),
/***/ 35912:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.mapStateToPropsFactory = mapStateToPropsFactory;
var _wrapMapToProps = __webpack_require__(32776);
var _invalidArgFactory = __webpack_require__(80798);
function mapStateToPropsFactory(mapStateToProps) {
return !mapStateToProps ? (0, _wrapMapToProps.wrapMapToPropsConstant)(() => ({})) : typeof mapStateToProps === 'function' ? // @ts-ignore
(0, _wrapMapToProps.wrapMapToPropsFunc)(mapStateToProps, 'mapStateToProps') : (0, _invalidArgFactory.createInvalidArgFactory)(mapStateToProps, 'mapStateToProps');
}
/***/ }),
/***/ 50014:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports.defaultMergeProps = defaultMergeProps;
exports.wrapMergePropsFunc = wrapMergePropsFunc;
exports.mergePropsFactory = mergePropsFactory;
var _extends2 = _interopRequireDefault(__webpack_require__(59651));
var _verifyPlainObject = _interopRequireDefault(__webpack_require__(56395));
var _invalidArgFactory = __webpack_require__(80798);
function defaultMergeProps(stateProps, dispatchProps, ownProps) {
// @ts-ignore
return (0, _extends2.default)({}, ownProps, stateProps, dispatchProps);
}
function wrapMergePropsFunc(mergeProps) {
return function initMergePropsProxy(dispatch, {
displayName,
areMergedPropsEqual
}) {
let hasRunOnce = false;
let mergedProps;
return function mergePropsProxy(stateProps, dispatchProps, ownProps) {
const nextMergedProps = mergeProps(stateProps, dispatchProps, ownProps);
if (hasRunOnce) {
if (!areMergedPropsEqual(nextMergedProps, mergedProps)) mergedProps = nextMergedProps;
} else {
hasRunOnce = true;
mergedProps = nextMergedProps;
if (false) {}
}
return mergedProps;
};
};
}
function mergePropsFactory(mergeProps) {
return !mergeProps ? () => defaultMergeProps : typeof mergeProps === 'function' ? wrapMergePropsFunc(mergeProps) : (0, _invalidArgFactory.createInvalidArgFactory)(mergeProps, 'mergeProps');
}
/***/ }),
/***/ 75083:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports.pureFinalPropsSelectorFactory = pureFinalPropsSelectorFactory;
exports["default"] = finalPropsSelectorFactory;
var _objectWithoutPropertiesLoose2 = _interopRequireDefault(__webpack_require__(20820));
var _verifySubselectors = _interopRequireDefault(__webpack_require__(45356));
const _excluded = ["initMapStateToProps", "initMapDispatchToProps", "initMergeProps"];
function pureFinalPropsSelectorFactory(mapStateToProps, mapDispatchToProps, mergeProps, dispatch, {
areStatesEqual,
areOwnPropsEqual,
areStatePropsEqual
}) {
let hasRunAtLeastOnce = false;
let state;
let ownProps;
let stateProps;
let dispatchProps;
let mergedProps;
function handleFirstCall(firstState, firstOwnProps) {
state = firstState;
ownProps = firstOwnProps;
stateProps = mapStateToProps(state, ownProps);
dispatchProps = mapDispatchToProps(dispatch, ownProps);
mergedProps = mergeProps(stateProps, dispatchProps, ownProps);
hasRunAtLeastOnce = true;
return mergedProps;
}
function handleNewPropsAndNewState() {
stateProps = mapStateToProps(state, ownProps);
if (mapDispatchToProps.dependsOnOwnProps) dispatchProps = mapDispatchToProps(dispatch, ownProps);
mergedProps = mergeProps(stateProps, dispatchProps, ownProps);
return mergedProps;
}
function handleNewProps() {
if (mapStateToProps.dependsOnOwnProps) stateProps = mapStateToProps(state, ownProps);
if (mapDispatchToProps.dependsOnOwnProps) dispatchProps = mapDispatchToProps(dispatch, ownProps);
mergedProps = mergeProps(stateProps, dispatchProps, ownProps);
return mergedProps;
}
function handleNewState() {
const nextStateProps = mapStateToProps(state, ownProps);
const statePropsChanged = !areStatePropsEqual(nextStateProps, stateProps);
stateProps = nextStateProps;
if (statePropsChanged) mergedProps = mergeProps(stateProps, dispatchProps, ownProps);
return mergedProps;
}
function handleSubsequentCalls(nextState, nextOwnProps) {
const propsChanged = !areOwnPropsEqual(nextOwnProps, ownProps);
const stateChanged = !areStatesEqual(nextState, state, nextOwnProps, ownProps);
state = nextState;
ownProps = nextOwnProps;
if (propsChanged && stateChanged) return handleNewPropsAndNewState();
if (propsChanged) return handleNewProps();
if (stateChanged) return handleNewState();
return mergedProps;
}
return function pureFinalPropsSelector(nextState, nextOwnProps) {
return hasRunAtLeastOnce ? handleSubsequentCalls(nextState, nextOwnProps) : handleFirstCall(nextState, nextOwnProps);
};
}
// TODO: Add more comments
// The selector returned by selectorFactory will memoize its results,
// allowing connect's shouldComponentUpdate to return false if final
// props have not changed.
function finalPropsSelectorFactory(dispatch, _ref) {
let {
initMapStateToProps,
initMapDispatchToProps,
initMergeProps
} = _ref,
options = (0, _objectWithoutPropertiesLoose2.default)(_ref, _excluded);
const mapStateToProps = initMapStateToProps(dispatch, options);
const mapDispatchToProps = initMapDispatchToProps(dispatch, options);
const mergeProps = initMergeProps(dispatch, options);
if (false) {}
return pureFinalPropsSelectorFactory(mapStateToProps, mapDispatchToProps, mergeProps, dispatch, options);
}
/***/ }),
/***/ 45356:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports["default"] = verifySubselectors;
var _warning = _interopRequireDefault(__webpack_require__(49921));
function verify(selector, methodName) {
if (!selector) {
throw new Error(`Unexpected value for ${methodName} in connect.`);
} else if (methodName === 'mapStateToProps' || methodName === 'mapDispatchToProps') {
if (!Object.prototype.hasOwnProperty.call(selector, 'dependsOnOwnProps')) {
(0, _warning.default)(`The selector for ${methodName} of connect did not specify a value for dependsOnOwnProps.`);
}
}
}
function verifySubselectors(mapStateToProps, mapDispatchToProps, mergeProps) {
verify(mapStateToProps, 'mapStateToProps');
verify(mapDispatchToProps, 'mapDispatchToProps');
verify(mergeProps, 'mergeProps');
}
/***/ }),
/***/ 32776:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports.wrapMapToPropsConstant = wrapMapToPropsConstant;
exports.getDependsOnOwnProps = getDependsOnOwnProps;
exports.wrapMapToPropsFunc = wrapMapToPropsFunc;
var _verifyPlainObject = _interopRequireDefault(__webpack_require__(56395));
function wrapMapToPropsConstant( // * Note:
// It seems that the dispatch argument
// could be a dispatch function in some cases (ex: whenMapDispatchToPropsIsMissing)
// and a state object in some others (ex: whenMapStateToPropsIsMissing)
// eslint-disable-next-line no-unused-vars
getConstant) {
return function initConstantSelector(dispatch) {
const constant = getConstant(dispatch);
function constantSelector() {
return constant;
}
constantSelector.dependsOnOwnProps = false;
return constantSelector;
};
} // dependsOnOwnProps is used by createMapToPropsProxy to determine whether to pass props as args
// to the mapToProps function being wrapped. It is also used by makePurePropsSelector to determine
// whether mapToProps needs to be invoked when props have changed.
//
// A length of one signals that mapToProps does not depend on props from the parent component.
// A length of zero is assumed to mean mapToProps is getting args via arguments or ...args and
// therefore not reporting its length accurately..
// TODO Can this get pulled out so that we can subscribe directly to the store if we don't need ownProps?
function getDependsOnOwnProps(mapToProps) {
return mapToProps.dependsOnOwnProps ? Boolean(mapToProps.dependsOnOwnProps) : mapToProps.length !== 1;
} // Used by whenMapStateToPropsIsFunction and whenMapDispatchToPropsIsFunction,
// this function wraps mapToProps in a proxy function which does several things:
//
// * Detects whether the mapToProps function being called depends on props, which
// is used by selectorFactory to decide if it should reinvoke on props changes.
//
// * On first call, handles mapToProps if returns another function, and treats that
// new function as the true mapToProps for subsequent calls.
//
// * On first call, verifies the first result is a plain object, in order to warn
// the developer that their mapToProps function is not returning a valid result.
//
function wrapMapToPropsFunc(mapToProps, methodName) {
return function initProxySelector(dispatch, {
displayName
}) {
const proxy = function mapToPropsProxy(stateOrDispatch, ownProps) {
return proxy.dependsOnOwnProps ? proxy.mapToProps(stateOrDispatch, ownProps) : proxy.mapToProps(stateOrDispatch, undefined);
}; // allow detectFactoryAndVerify to get ownProps
proxy.dependsOnOwnProps = true;
proxy.mapToProps = function detectFactoryAndVerify(stateOrDispatch, ownProps) {
proxy.mapToProps = mapToProps;
proxy.dependsOnOwnProps = getDependsOnOwnProps(mapToProps);
let props = proxy(stateOrDispatch, ownProps);
if (typeof props === 'function') {
proxy.mapToProps = props;
proxy.dependsOnOwnProps = getDependsOnOwnProps(props);
props = proxy(stateOrDispatch, ownProps);
}
if (false) {}
return props;
};
return proxy;
};
}
/***/ }),
/***/ 26969:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
var _exportNames = {
Provider: true,
connect: true,
ReactReduxContext: true,
useDispatch: true,
createDispatchHook: true,
useSelector: true,
createSelectorHook: true,
useStore: true,
createStoreHook: true,
shallowEqual: true
};
Object.defineProperty(exports, "Provider", ({
enumerable: true,
get: function () {
return _Provider.default;
}
}));
Object.defineProperty(exports, "connect", ({
enumerable: true,
get: function () {
return _connect.default;
}
}));
Object.defineProperty(exports, "ReactReduxContext", ({
enumerable: true,
get: function () {
return _Context.ReactReduxContext;
}
}));
Object.defineProperty(exports, "useDispatch", ({
enumerable: true,
get: function () {
return _useDispatch.useDispatch;
}
}));
Object.defineProperty(exports, "createDispatchHook", ({
enumerable: true,
get: function () {
return _useDispatch.createDispatchHook;
}
}));
Object.defineProperty(exports, "useSelector", ({
enumerable: true,
get: function () {
return _useSelector.useSelector;
}
}));
Object.defineProperty(exports, "createSelectorHook", ({
enumerable: true,
get: function () {
return _useSelector.createSelectorHook;
}
}));
Object.defineProperty(exports, "useStore", ({
enumerable: true,
get: function () {
return _useStore.useStore;
}
}));
Object.defineProperty(exports, "createStoreHook", ({
enumerable: true,
get: function () {
return _useStore.createStoreHook;
}
}));
Object.defineProperty(exports, "shallowEqual", ({
enumerable: true,
get: function () {
return _shallowEqual.default;
}
}));
var _Provider = _interopRequireDefault(__webpack_require__(52228));
var _connect = _interopRequireDefault(__webpack_require__(97309));
var _Context = __webpack_require__(18985);
var _useDispatch = __webpack_require__(88418);
var _useSelector = __webpack_require__(62913);
var _useStore = __webpack_require__(77346);
var _shallowEqual = _interopRequireDefault(__webpack_require__(49896));
var _types = __webpack_require__(39315);
Object.keys(_types).forEach(function (key) {
if (key === "default" || key === "__esModule") return;
if (Object.prototype.hasOwnProperty.call(_exportNames, key)) return;
if (key in exports && exports[key] === _types[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _types[key];
}
});
});
/***/ }),
/***/ 88418:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.createDispatchHook = createDispatchHook;
exports.useDispatch = void 0;
var _Context = __webpack_require__(18985);
var _useStore = __webpack_require__(77346);
/**
* Hook factory, which creates a `useDispatch` hook bound to a given context.
*
* @param {React.Context} [context=ReactReduxContext] Context passed to your `<Provider>`.
* @returns {Function} A `useDispatch` hook bound to the specified context.
*/
function createDispatchHook(context = _Context.ReactReduxContext) {
const useStore = // @ts-ignore
context === _Context.ReactReduxContext ? _useStore.useStore : (0, _useStore.createStoreHook)(context);
return function useDispatch() {
const store = useStore(); // @ts-ignore
return store.dispatch;
};
}
/**
* A hook to access the redux `dispatch` function.
*
* @returns {any|function} redux store's `dispatch` function
*
* @example
*
* import React, { useCallback } from 'react'
* import { useDispatch } from 'react-redux'
*
* export const CounterComponent = ({ value }) => {
* const dispatch = useDispatch()
* const increaseCounter = useCallback(() => dispatch({ type: 'increase-counter' }), [])
* return (
* <div>
* <span>{value}</span>
* <button onClick={increaseCounter}>Increase counter</button>
* </div>
* )
* }
*/
const useDispatch = /*#__PURE__*/createDispatchHook();
exports.useDispatch = useDispatch;
/***/ }),
/***/ 44913:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.createReduxContextHook = createReduxContextHook;
exports.useReduxContext = void 0;
var _react = __webpack_require__(18038);
var _Context = __webpack_require__(18985);
/**
* Hook factory, which creates a `useReduxContext` hook bound to a given context. This is a low-level
* hook that you should usually not need to call directly.
*
* @param {React.Context} [context=ReactReduxContext] Context passed to your `<Provider>`.
* @returns {Function} A `useReduxContext` hook bound to the specified context.
*/
function createReduxContextHook(context = _Context.ReactReduxContext) {
return function useReduxContext() {
const contextValue = (0, _react.useContext)(context);
if (false) {}
return contextValue;
};
}
/**
* A hook to access the value of the `ReactReduxContext`. This is a low-level
* hook that you should usually not need to call directly.
*
* @returns {any} the value of the `ReactReduxContext`
*
* @example
*
* import React from 'react'
* import { useReduxContext } from 'react-redux'
*
* export const CounterComponent = () => {
* const { store } = useReduxContext()
* return <div>{store.getState()}</div>
* }
*/
const useReduxContext = /*#__PURE__*/createReduxContextHook();
exports.useReduxContext = useReduxContext;
/***/ }),
/***/ 62913:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.createSelectorHook = createSelectorHook;
exports.useSelector = exports.initializeUseSelector = void 0;
var _react = __webpack_require__(18038);
var _useReduxContext = __webpack_require__(44913);
var _Context = __webpack_require__(18985);
var _useSyncExternalStore = __webpack_require__(64569);
let useSyncExternalStoreWithSelector = _useSyncExternalStore.notInitialized;
const initializeUseSelector = fn => {
useSyncExternalStoreWithSelector = fn;
};
exports.initializeUseSelector = initializeUseSelector;
const refEquality = (a, b) => a === b;
/**
* Hook factory, which creates a `useSelector` hook bound to a given context.
*
* @param {React.Context} [context=ReactReduxContext] Context passed to your `<Provider>`.
* @returns {Function} A `useSelector` hook bound to the specified context.
*/
function createSelectorHook(context = _Context.ReactReduxContext) {
const useReduxContext = context === _Context.ReactReduxContext ? _useReduxContext.useReduxContext : (0, _useReduxContext.createReduxContextHook)(context);
return function useSelector(selector, equalityFnOrOptions = {}) {
const {
equalityFn = refEquality,
stabilityCheck = undefined,
noopCheck = undefined
} = typeof equalityFnOrOptions === 'function' ? {
equalityFn: equalityFnOrOptions
} : equalityFnOrOptions;
if (false) {}
const {
store,
subscription,
getServerState,
stabilityCheck: globalStabilityCheck,
noopCheck: globalNoopCheck
} = useReduxContext();
const firstRun = (0, _react.useRef)(true);
const wrappedSelector = (0, _react.useCallback)({
[selector.name](state) {
const selected = selector(state);
if (false) {}
return selected;
}
}[selector.name], [selector, globalStabilityCheck, stabilityCheck]);
const selectedState = useSyncExternalStoreWithSelector(subscription.addNestedSub, store.getState, getServerState || store.getState, wrappedSelector, equalityFn);
(0, _react.useDebugValue)(selectedState);
return selectedState;
};
}
/**
* A hook to access the redux store's state. This hook takes a selector function
* as an argument. The selector is called with the store state.
*
* This hook takes an optional equality comparison function as the second parameter
* that allows you to customize the way the selected state is compared to determine
* whether the component needs to be re-rendered.
*
* @param {Function} selector the selector function
* @param {Function=} equalityFn the function that will be used to determine equality
*
* @returns {any} the selected state
*
* @example
*
* import React from 'react'
* import { useSelector } from 'react-redux'
*
* export const CounterComponent = () => {
* const counter = useSelector(state => state.counter)
* return <div>{counter}</div>
* }
*/
const useSelector = /*#__PURE__*/createSelectorHook();
exports.useSelector = useSelector;
/***/ }),
/***/ 77346:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.createStoreHook = createStoreHook;
exports.useStore = void 0;
var _Context = __webpack_require__(18985);
var _useReduxContext = __webpack_require__(44913);
/**
* Hook factory, which creates a `useStore` hook bound to a given context.
*
* @param {React.Context} [context=ReactReduxContext] Context passed to your `<Provider>`.
* @returns {Function} A `useStore` hook bound to the specified context.
*/
function createStoreHook(context = _Context.ReactReduxContext) {
const useReduxContext = // @ts-ignore
context === _Context.ReactReduxContext ? _useReduxContext.useReduxContext : // @ts-ignore
(0, _useReduxContext.createReduxContextHook)(context);
return function useStore() {
const {
store
} = useReduxContext(); // @ts-ignore
return store;
};
}
/**
* A hook to access the redux store.
*
* @returns {any} the redux store
*
* @example
*
* import React from 'react'
* import { useStore } from 'react-redux'
*
* export const ExampleComponent = () => {
* const store = useStore()
* return <div>{store.getState()}</div>
* }
*/
const useStore = /*#__PURE__*/createStoreHook();
exports.useStore = useStore;
/***/ }),
/***/ 1560:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
var _exportNames = {
batch: true
};
Object.defineProperty(exports, "batch", ({
enumerable: true,
get: function () {
return _reactBatchedUpdates.unstable_batchedUpdates;
}
}));
var _shim = __webpack_require__(71448);
var _withSelector = __webpack_require__(75020);
var _reactBatchedUpdates = __webpack_require__(19642);
var _batch = __webpack_require__(86450);
var _useSelector = __webpack_require__(62913);
var _connect = __webpack_require__(97309);
var _exports = __webpack_require__(26969);
Object.keys(_exports).forEach(function (key) {
if (key === "default" || key === "__esModule") return;
if (Object.prototype.hasOwnProperty.call(_exportNames, key)) return;
if (key in exports && exports[key] === _exports[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _exports[key];
}
});
});
// The primary entry point assumes we're working with standard ReactDOM/RN, but
// older versions that do not include `useSyncExternalStore` (React 16.9 - 17.x).
// Because of that, the useSyncExternalStore compat shim is needed.
(0, _useSelector.initializeUseSelector)(_withSelector.useSyncExternalStoreWithSelector);
(0, _connect.initializeConnect)(_shim.useSyncExternalStore); // Enable batched updates in our subscriptions for use
// with standard React renderers (ReactDOM, React Native)
(0, _batch.setBatch)(_reactBatchedUpdates.unstable_batchedUpdates);
/***/ }),
/***/ 39315:
/***/ (() => {
"use strict";
/***/ }),
/***/ 30140:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.createSubscription = createSubscription;
var _batch = __webpack_require__(86450);
function createListenerCollection() {
const batch = (0, _batch.getBatch)();
let first = null;
let last = null;
return {
clear() {
first = null;
last = null;
},
notify() {
batch(() => {
let listener = first;
while (listener) {
listener.callback();
listener = listener.next;
}
});
},
get() {
let listeners = [];
let listener = first;
while (listener) {
listeners.push(listener);
listener = listener.next;
}
return listeners;
},
subscribe(callback) {
let isSubscribed = true;
let listener = last = {
callback,
next: null,
prev: last
};
if (listener.prev) {
listener.prev.next = listener;
} else {
first = listener;
}
return function unsubscribe() {
if (!isSubscribed || first === null) return;
isSubscribed = false;
if (listener.next) {
listener.next.prev = listener.prev;
} else {
last = listener.prev;
}
if (listener.prev) {
listener.prev.next = listener.next;
} else {
first = listener.next;
}
};
}
};
}
const nullListeners = {
notify() {},
get: () => []
};
function createSubscription(store, parentSub) {
let unsubscribe;
let listeners = nullListeners; // Reasons to keep the subscription active
let subscriptionsAmount = 0; // Is this specific subscription subscribed (or only nested ones?)
let selfSubscribed = false;
function addNestedSub(listener) {
trySubscribe();
const cleanupListener = listeners.subscribe(listener); // cleanup nested sub
let removed = false;
return () => {
if (!removed) {
removed = true;
cleanupListener();
tryUnsubscribe();
}
};
}
function notifyNestedSubs() {
listeners.notify();
}
function handleChangeWrapper() {
if (subscription.onStateChange) {
subscription.onStateChange();
}
}
function isSubscribed() {
return selfSubscribed;
}
function trySubscribe() {
subscriptionsAmount++;
if (!unsubscribe) {
unsubscribe = parentSub ? parentSub.addNestedSub(handleChangeWrapper) : store.subscribe(handleChangeWrapper);
listeners = createListenerCollection();
}
}
function tryUnsubscribe() {
subscriptionsAmount--;
if (unsubscribe && subscriptionsAmount === 0) {
unsubscribe();
unsubscribe = undefined;
listeners.clear();
listeners = nullListeners;
}
}
function trySubscribeSelf() {
if (!selfSubscribed) {
selfSubscribed = true;
trySubscribe();
}
}
function tryUnsubscribeSelf() {
if (selfSubscribed) {
selfSubscribed = false;
tryUnsubscribe();
}
}
const subscription = {
addNestedSub,
notifyNestedSubs,
handleChangeWrapper,
isSubscribed,
trySubscribe: trySubscribeSelf,
tryUnsubscribe: tryUnsubscribeSelf,
getListeners: () => listeners
};
return subscription;
}
/***/ }),
/***/ 86450:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports.getBatch = exports.setBatch = void 0;
// Default to a dummy "batch" implementation that just runs the callback
function defaultNoopBatch(callback) {
callback();
}
let batch = defaultNoopBatch; // Allow injecting another batching function later
const setBatch = newBatch => batch = newBatch; // Supply a getter just to skip dealing with ESM bindings
exports.setBatch = setBatch;
const getBatch = () => batch;
exports.getBatch = getBatch;
/***/ }),
/***/ 26053:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports["default"] = bindActionCreators;
function bindActionCreators(actionCreators, dispatch) {
const boundActionCreators = {};
for (const key in actionCreators) {
const actionCreator = actionCreators[key];
if (typeof actionCreator === 'function') {
boundActionCreators[key] = (...args) => dispatch(actionCreator(...args));
}
}
return boundActionCreators;
}
/***/ }),
/***/ 49142:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports["default"] = isPlainObject;
/**
* @param {any} obj The object to inspect.
* @returns {boolean} True if the argument appears to be a plain object.
*/
function isPlainObject(obj) {
if (typeof obj !== 'object' || obj === null) return false;
let proto = Object.getPrototypeOf(obj);
if (proto === null) return true;
let baseProto = proto;
while (Object.getPrototypeOf(baseProto) !== null) {
baseProto = Object.getPrototypeOf(baseProto);
}
return proto === baseProto;
}
/***/ }),
/***/ 19642:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
Object.defineProperty(exports, "unstable_batchedUpdates", ({
enumerable: true,
get: function () {
return _reactDom.unstable_batchedUpdates;
}
}));
var _reactDom = __webpack_require__(98704);
/***/ }),
/***/ 49896:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports["default"] = shallowEqual;
function is(x, y) {
if (x === y) {
return x !== 0 || y !== 0 || 1 / x === 1 / y;
} else {
return x !== x && y !== y;
}
}
function shallowEqual(objA, objB) {
if (is(objA, objB)) return true;
if (typeof objA !== 'object' || objA === null || typeof objB !== 'object' || objB === null) {
return false;
}
const keysA = Object.keys(objA);
const keysB = Object.keys(objB);
if (keysA.length !== keysB.length) return false;
for (let i = 0; i < keysA.length; i++) {
if (!Object.prototype.hasOwnProperty.call(objB, keysA[i]) || !is(objA[keysA[i]], objB[keysA[i]])) {
return false;
}
}
return true;
}
/***/ }),
/***/ 29815:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
exports.__esModule = true;
exports.useIsomorphicLayoutEffect = exports.canUseDOM = void 0;
var React = _interopRequireWildcard(__webpack_require__(18038));
function _getRequireWildcardCache(nodeInterop) { if (typeof WeakMap !== "function") return null; var cacheBabelInterop = new WeakMap(); var cacheNodeInterop = new WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); }
function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || typeof obj !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; }
// React currently throws a warning when using useLayoutEffect on the server.
// To get around it, we can conditionally useEffect on the server (no-op) and
// useLayoutEffect in the browser. We need useLayoutEffect to ensure the store
// subscription callback always has the selector from the latest render commit
// available, otherwise a store update may happen between render and the effect,
// which may cause missed updates; we also must ensure the store subscription
// is created synchronously, otherwise a store update may occur before the
// subscription is created and an inconsistent state may be observed
// Matches logic in React's `shared/ExecutionEnvironment` file
const canUseDOM = !!(typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined');
exports.canUseDOM = canUseDOM;
const useIsomorphicLayoutEffect = canUseDOM ? React.useLayoutEffect : React.useEffect;
exports.useIsomorphicLayoutEffect = useIsomorphicLayoutEffect;
/***/ }),
/***/ 64569:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports.notInitialized = void 0;
const notInitialized = () => {
throw new Error('uSES not initialized!');
};
exports.notInitialized = notInitialized;
/***/ }),
/***/ 56395:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
var _interopRequireDefault = __webpack_require__(27574);
exports.__esModule = true;
exports["default"] = verifyPlainObject;
var _isPlainObject = _interopRequireDefault(__webpack_require__(49142));
var _warning = _interopRequireDefault(__webpack_require__(49921));
function verifyPlainObject(value, displayName, methodName) {
if (!(0, _isPlainObject.default)(value)) {
(0, _warning.default)(`${methodName}() in ${displayName} must return a plain object. Instead received ${value}.`);
}
}
/***/ }),
/***/ 49921:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
exports.__esModule = true;
exports["default"] = warning;
/**
* Prints a warning in the console if it exists.
*
* @param {String} message The warning message.
* @returns {void}
*/
function warning(message) {
/* eslint-disable no-console */
if (typeof console !== 'undefined' && typeof console.error === 'function') {
console.error(message);
}
/* eslint-enable no-console */
try {
// This error was thrown as a convenience so that if you enable
// "break on all exceptions" in your console,
// it would pause the execution at this line.
throw new Error(message);
/* eslint-disable no-empty */
} catch (e) {}
/* eslint-enable no-empty */
}
/***/ }),
/***/ 68318:
/***/ ((__unused_webpack_module, exports) => {
"use strict";
/**
* @license React
* react-is.production.min.js
*
* Copyright (c) Facebook, Inc. and its affiliates.
*
* This source code is licensed under the MIT license found in the
* LICENSE file in the root directory of this source tree.
*/
var b=Symbol.for("react.element"),c=Symbol.for("react.portal"),d=Symbol.for("react.fragment"),e=Symbol.for("react.strict_mode"),f=Symbol.for("react.profiler"),g=Symbol.for("react.provider"),h=Symbol.for("react.context"),k=Symbol.for("react.server_context"),l=Symbol.for("react.forward_ref"),m=Symbol.for("react.suspense"),n=Symbol.for("react.suspense_list"),p=Symbol.for("react.memo"),q=Symbol.for("react.lazy"),t=Symbol.for("react.offscreen"),u;u=Symbol.for("react.module.reference");
function v(a){if("object"===typeof a&&null!==a){var r=a.$$typeof;switch(r){case b:switch(a=a.type,a){case d:case f:case e:case m:case n:return a;default:switch(a=a&&a.$$typeof,a){case k:case h:case l:case q:case p:case g:return a;default:return r}}case c:return r}}}exports.ContextConsumer=h;exports.ContextProvider=g;exports.Element=b;exports.ForwardRef=l;exports.Fragment=d;exports.Lazy=q;exports.Memo=p;exports.Portal=c;exports.Profiler=f;exports.StrictMode=e;exports.Suspense=m;
exports.SuspenseList=n;exports.isAsyncMode=function(){return!1};exports.isConcurrentMode=function(){return!1};exports.isContextConsumer=function(a){return v(a)===h};exports.isContextProvider=function(a){return v(a)===g};exports.isElement=function(a){return"object"===typeof a&&null!==a&&a.$$typeof===b};exports.isForwardRef=function(a){return v(a)===l};exports.isFragment=function(a){return v(a)===d};exports.isLazy=function(a){return v(a)===q};exports.isMemo=function(a){return v(a)===p};
exports.isPortal=function(a){return v(a)===c};exports.isProfiler=function(a){return v(a)===f};exports.isStrictMode=function(a){return v(a)===e};exports.isSuspense=function(a){return v(a)===m};exports.isSuspenseList=function(a){return v(a)===n};
exports.isValidElementType=function(a){return"string"===typeof a||"function"===typeof a||a===d||a===f||a===e||a===m||a===n||a===t||"object"===typeof a&&null!==a&&(a.$$typeof===q||a.$$typeof===p||a.$$typeof===g||a.$$typeof===h||a.$$typeof===l||a.$$typeof===u||void 0!==a.getModuleId)?!0:!1};exports.typeOf=v;
/***/ }),
/***/ 35774:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
"use strict";
if (true) {
module.exports = __webpack_require__(68318);
} else {}
/***/ }),
/***/ 79352:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
Object.defineProperty(exports, "__esModule", ({ value: true }));
var _objectSpread = __webpack_require__(51686);
function _interopDefaultLegacy (e) { return e && typeof e === 'object' && 'default' in e ? e : { 'default': e }; }
var _objectSpread__default = /*#__PURE__*/_interopDefaultLegacy(_objectSpread);
/**
* Adapted from React: https://github.com/facebook/react/blob/master/packages/shared/formatProdErrorMessage.js
*
* Do not require this module directly! Use normal throw error calls. These messages will be replaced with error codes
* during build.
* @param {number} code
*/
function formatProdErrorMessage(code) {
return "Minified Redux error #" + code + "; visit https://redux.js.org/Errors?code=" + code + " for the full message or " + 'use the non-minified dev environment for full errors. ';
}
// Inlined version of the `symbol-observable` polyfill
var $$observable = (function () {
return typeof Symbol === 'function' && Symbol.observable || '@@observable';
})();
/**
* These are private action types reserved by Redux.
* For any unknown actions, you must return the current state.
* If the current state is undefined, you must return the initial state.
* Do not reference these action types directly in your code.
*/
var randomString = function randomString() {
return Math.random().toString(36).substring(7).split('').join('.');
};
var ActionTypes = {
INIT: "@@redux/INIT" + randomString(),
REPLACE: "@@redux/REPLACE" + randomString(),
PROBE_UNKNOWN_ACTION: function PROBE_UNKNOWN_ACTION() {
return "@@redux/PROBE_UNKNOWN_ACTION" + randomString();
}
};
/**
* @param {any} obj The object to inspect.
* @returns {boolean} True if the argument appears to be a plain object.
*/
function isPlainObject(obj) {
if (typeof obj !== 'object' || obj === null) return false;
var proto = obj;
while (Object.getPrototypeOf(proto) !== null) {
proto = Object.getPrototypeOf(proto);
}
return Object.getPrototypeOf(obj) === proto;
}
// Inlined / shortened version of `kindOf` from https://github.com/jonschlinkert/kind-of
function miniKindOf(val) {
if (val === void 0) return 'undefined';
if (val === null) return 'null';
var type = typeof val;
switch (type) {
case 'boolean':
case 'string':
case 'number':
case 'symbol':
case 'function':
{
return type;
}
}
if (Array.isArray(val)) return 'array';
if (isDate(val)) return 'date';
if (isError(val)) return 'error';
var constructorName = ctorName(val);
switch (constructorName) {
case 'Symbol':
case 'Promise':
case 'WeakMap':
case 'WeakSet':
case 'Map':
case 'Set':
return constructorName;
} // other
return type.slice(8, -1).toLowerCase().replace(/\s/g, '');
}
function ctorName(val) {
return typeof val.constructor === 'function' ? val.constructor.name : null;
}
function isError(val) {
return val instanceof Error || typeof val.message === 'string' && val.constructor && typeof val.constructor.stackTraceLimit === 'number';
}
function isDate(val) {
if (val instanceof Date) return true;
return typeof val.toDateString === 'function' && typeof val.getDate === 'function' && typeof val.setDate === 'function';
}
function kindOf(val) {
var typeOfVal = typeof val;
if (false) {}
return typeOfVal;
}
/**
* @deprecated
*
* **We recommend using the `configureStore` method
* of the `@reduxjs/toolkit` package**, which replaces `createStore`.
*
* Redux Toolkit is our recommended approach for writing Redux logic today,
* including store setup, reducers, data fetching, and more.
*
* **For more details, please read this Redux docs page:**
* **https://redux.js.org/introduction/why-rtk-is-redux-today**
*
* `configureStore` from Redux Toolkit is an improved version of `createStore` that
* simplifies setup and helps avoid common bugs.
*
* You should not be using the `redux` core package by itself today, except for learning purposes.
* The `createStore` method from the core `redux` package will not be removed, but we encourage
* all users to migrate to using Redux Toolkit for all Redux code.
*
* If you want to use `createStore` without this visual deprecation warning, use
* the `legacy_createStore` import instead:
*
* `import { legacy_createStore as createStore} from 'redux'`
*
*/
function createStore(reducer, preloadedState, enhancer) {
var _ref2;
if (typeof preloadedState === 'function' && typeof enhancer === 'function' || typeof enhancer === 'function' && typeof arguments[3] === 'function') {
throw new Error( true ? formatProdErrorMessage(0) : 0);
}
if (typeof preloadedState === 'function' && typeof enhancer === 'undefined') {
enhancer = preloadedState;
preloadedState = undefined;
}
if (typeof enhancer !== 'undefined') {
if (typeof enhancer !== 'function') {
throw new Error( true ? formatProdErrorMessage(1) : 0);
}
return enhancer(createStore)(reducer, preloadedState);
}
if (typeof reducer !== 'function') {
throw new Error( true ? formatProdErrorMessage(2) : 0);
}
var currentReducer = reducer;
var currentState = preloadedState;
var currentListeners = [];
var nextListeners = currentListeners;
var isDispatching = false;
/**
* This makes a shallow copy of currentListeners so we can use
* nextListeners as a temporary list while dispatching.
*
* This prevents any bugs around consumers calling
* subscribe/unsubscribe in the middle of a dispatch.
*/
function ensureCanMutateNextListeners() {
if (nextListeners === currentListeners) {
nextListeners = currentListeners.slice();
}
}
/**
* Reads the state tree managed by the store.
*
* @returns {any} The current state tree of your application.
*/
function getState() {
if (isDispatching) {
throw new Error( true ? formatProdErrorMessage(3) : 0);
}
return currentState;
}
/**
* Adds a change listener. It will be called any time an action is dispatched,
* and some part of the state tree may potentially have changed. You may then
* call `getState()` to read the current state tree inside the callback.
*
* You may call `dispatch()` from a change listener, with the following
* caveats:
*
* 1. The subscriptions are snapshotted just before every `dispatch()` call.
* If you subscribe or unsubscribe while the listeners are being invoked, this
* will not have any effect on the `dispatch()` that is currently in progress.
* However, the next `dispatch()` call, whether nested or not, will use a more
* recent snapshot of the subscription list.
*
* 2. The listener should not expect to see all state changes, as the state
* might have been updated multiple times during a nested `dispatch()` before
* the listener is called. It is, however, guaranteed that all subscribers
* registered before the `dispatch()` started will be called with the latest
* state by the time it exits.
*
* @param {Function} listener A callback to be invoked on every dispatch.
* @returns {Function} A function to remove this change listener.
*/
function subscribe(listener) {
if (typeof listener !== 'function') {
throw new Error( true ? formatProdErrorMessage(4) : 0);
}
if (isDispatching) {
throw new Error( true ? formatProdErrorMessage(5) : 0);
}
var isSubscribed = true;
ensureCanMutateNextListeners();
nextListeners.push(listener);
return function unsubscribe() {
if (!isSubscribed) {
return;
}
if (isDispatching) {
throw new Error( true ? formatProdErrorMessage(6) : 0);
}
isSubscribed = false;
ensureCanMutateNextListeners();
var index = nextListeners.indexOf(listener);
nextListeners.splice(index, 1);
currentListeners = null;
};
}
/**
* Dispatches an action. It is the only way to trigger a state change.
*
* The `reducer` function, used to create the store, will be called with the
* current state tree and the given `action`. Its return value will
* be considered the **next** state of the tree, and the change listeners
* will be notified.
*
* The base implementation only supports plain object actions. If you want to
* dispatch a Promise, an Observable, a thunk, or something else, you need to
* wrap your store creating function into the corresponding middleware. For
* example, see the documentation for the `redux-thunk` package. Even the
* middleware will eventually dispatch plain object actions using this method.
*
* @param {Object} action A plain object representing “what changed”. It is
* a good idea to keep actions serializable so you can record and replay user
* sessions, or use the time travelling `redux-devtools`. An action must have
* a `type` property which may not be `undefined`. It is a good idea to use
* string constants for action types.
*
* @returns {Object} For convenience, the same action object you dispatched.
*
* Note that, if you use a custom middleware, it may wrap `dispatch()` to
* return something else (for example, a Promise you can await).
*/
function dispatch(action) {
if (!isPlainObject(action)) {
throw new Error( true ? formatProdErrorMessage(7) : 0);
}
if (typeof action.type === 'undefined') {
throw new Error( true ? formatProdErrorMessage(8) : 0);
}
if (isDispatching) {
throw new Error( true ? formatProdErrorMessage(9) : 0);
}
try {
isDispatching = true;
currentState = currentReducer(currentState, action);
} finally {
isDispatching = false;
}
var listeners = currentListeners = nextListeners;
for (var i = 0; i < listeners.length; i++) {
var listener = listeners[i];
listener();
}
return action;
}
/**
* Replaces the reducer currently used by the store to calculate the state.
*
* You might need this if your app implements code splitting and you want to
* load some of the reducers dynamically. You might also need this if you
* implement a hot reloading mechanism for Redux.
*
* @param {Function} nextReducer The reducer for the store to use instead.
* @returns {void}
*/
function replaceReducer(nextReducer) {
if (typeof nextReducer !== 'function') {
throw new Error( true ? formatProdErrorMessage(10) : 0);
}
currentReducer = nextReducer; // This action has a similiar effect to ActionTypes.INIT.
// Any reducers that existed in both the new and old rootReducer
// will receive the previous state. This effectively populates
// the new state tree with any relevant data from the old one.
dispatch({
type: ActionTypes.REPLACE
});
}
/**
* Interoperability point for observable/reactive libraries.
* @returns {observable} A minimal observable of state changes.
* For more information, see the observable proposal:
* https://github.com/tc39/proposal-observable
*/
function observable() {
var _ref;
var outerSubscribe = subscribe;
return _ref = {
/**
* The minimal observable subscription method.
* @param {Object} observer Any object that can be used as an observer.
* The observer object should have a `next` method.
* @returns {subscription} An object with an `unsubscribe` method that can
* be used to unsubscribe the observable from the store, and prevent further
* emission of values from the observable.
*/
subscribe: function subscribe(observer) {
if (typeof observer !== 'object' || observer === null) {
throw new Error( true ? formatProdErrorMessage(11) : 0);
}
function observeState() {
if (observer.next) {
observer.next(getState());
}
}
observeState();
var unsubscribe = outerSubscribe(observeState);
return {
unsubscribe: unsubscribe
};
}
}, _ref[$$observable] = function () {
return this;
}, _ref;
} // When a store is created, an "INIT" action is dispatched so that every
// reducer returns their initial state. This effectively populates
// the initial state tree.
dispatch({
type: ActionTypes.INIT
});
return _ref2 = {
dispatch: dispatch,
subscribe: subscribe,
getState: getState,
replaceReducer: replaceReducer
}, _ref2[$$observable] = observable, _ref2;
}
/**
* Creates a Redux store that holds the state tree.
*
* **We recommend using `configureStore` from the
* `@reduxjs/toolkit` package**, which replaces `createStore`:
* **https://redux.js.org/introduction/why-rtk-is-redux-today**
*
* The only way to change the data in the store is to call `dispatch()` on it.
*
* There should only be a single store in your app. To specify how different
* parts of the state tree respond to actions, you may combine several reducers
* into a single reducer function by using `combineReducers`.
*
* @param {Function} reducer A function that returns the next state tree, given
* the current state tree and the action to handle.
*
* @param {any} [preloadedState] The initial state. You may optionally specify it
* to hydrate the state from the server in universal apps, or to restore a
* previously serialized user session.
* If you use `combineReducers` to produce the root reducer function, this must be
* an object with the same shape as `combineReducers` keys.
*
* @param {Function} [enhancer] The store enhancer. You may optionally specify it
* to enhance the store with third-party capabilities such as middleware,
* time travel, persistence, etc. The only store enhancer that ships with Redux
* is `applyMiddleware()`.
*
* @returns {Store} A Redux store that lets you read the state, dispatch actions
* and subscribe to changes.
*/
var legacy_createStore = createStore;
/**
* Prints a warning in the console if it exists.
*
* @param {String} message The warning message.
* @returns {void}
*/
function warning(message) {
/* eslint-disable no-console */
if (typeof console !== 'undefined' && typeof console.error === 'function') {
console.error(message);
}
/* eslint-enable no-console */
try {
// This error was thrown as a convenience so that if you enable
// "break on all exceptions" in your console,
// it would pause the execution at this line.
throw new Error(message);
} catch (e) {} // eslint-disable-line no-empty
}
function getUnexpectedStateShapeWarningMessage(inputState, reducers, action, unexpectedKeyCache) {
var reducerKeys = Object.keys(reducers);
var argumentName = action && action.type === ActionTypes.INIT ? 'preloadedState argument passed to createStore' : 'previous state received by the reducer';
if (reducerKeys.length === 0) {
return 'Store does not have a valid reducer. Make sure the argument passed ' + 'to combineReducers is an object whose values are reducers.';
}
if (!isPlainObject(inputState)) {
return "The " + argumentName + " has unexpected type of \"" + kindOf(inputState) + "\". Expected argument to be an object with the following " + ("keys: \"" + reducerKeys.join('", "') + "\"");
}
var unexpectedKeys = Object.keys(inputState).filter(function (key) {
return !reducers.hasOwnProperty(key) && !unexpectedKeyCache[key];
});
unexpectedKeys.forEach(function (key) {
unexpectedKeyCache[key] = true;
});
if (action && action.type === ActionTypes.REPLACE) return;
if (unexpectedKeys.length > 0) {
return "Unexpected " + (unexpectedKeys.length > 1 ? 'keys' : 'key') + " " + ("\"" + unexpectedKeys.join('", "') + "\" found in " + argumentName + ". ") + "Expected to find one of the known reducer keys instead: " + ("\"" + reducerKeys.join('", "') + "\". Unexpected keys will be ignored.");
}
}
function assertReducerShape(reducers) {
Object.keys(reducers).forEach(function (key) {
var reducer = reducers[key];
var initialState = reducer(undefined, {
type: ActionTypes.INIT
});
if (typeof initialState === 'undefined') {
throw new Error( true ? formatProdErrorMessage(12) : 0);
}
if (typeof reducer(undefined, {
type: ActionTypes.PROBE_UNKNOWN_ACTION()
}) === 'undefined') {
throw new Error( true ? formatProdErrorMessage(13) : 0);
}
});
}
/**
* Turns an object whose values are different reducer functions, into a single
* reducer function. It will call every child reducer, and gather their results
* into a single state object, whose keys correspond to the keys of the passed
* reducer functions.
*
* @param {Object} reducers An object whose values correspond to different
* reducer functions that need to be combined into one. One handy way to obtain
* it is to use ES6 `import * as reducers` syntax. The reducers may never return
* undefined for any action. Instead, they should return their initial state
* if the state passed to them was undefined, and the current state for any
* unrecognized action.
*
* @returns {Function} A reducer function that invokes every reducer inside the
* passed object, and builds a state object with the same shape.
*/
function combineReducers(reducers) {
var reducerKeys = Object.keys(reducers);
var finalReducers = {};
for (var i = 0; i < reducerKeys.length; i++) {
var key = reducerKeys[i];
if (false) {}
if (typeof reducers[key] === 'function') {
finalReducers[key] = reducers[key];
}
}
var finalReducerKeys = Object.keys(finalReducers); // This is used to make sure we don't warn about the same
// keys multiple times.
var unexpectedKeyCache;
if (false) {}
var shapeAssertionError;
try {
assertReducerShape(finalReducers);
} catch (e) {
shapeAssertionError = e;
}
return function combination(state, action) {
if (state === void 0) {
state = {};
}
if (shapeAssertionError) {
throw shapeAssertionError;
}
if (false) { var warningMessage; }
var hasChanged = false;
var nextState = {};
for (var _i = 0; _i < finalReducerKeys.length; _i++) {
var _key = finalReducerKeys[_i];
var reducer = finalReducers[_key];
var previousStateForKey = state[_key];
var nextStateForKey = reducer(previousStateForKey, action);
if (typeof nextStateForKey === 'undefined') {
var actionType = action && action.type;
throw new Error( true ? formatProdErrorMessage(14) : 0);
}
nextState[_key] = nextStateForKey;
hasChanged = hasChanged || nextStateForKey !== previousStateForKey;
}
hasChanged = hasChanged || finalReducerKeys.length !== Object.keys(state).length;
return hasChanged ? nextState : state;
};
}
function bindActionCreator(actionCreator, dispatch) {
return function () {
return dispatch(actionCreator.apply(this, arguments));
};
}
/**
* Turns an object whose values are action creators, into an object with the
* same keys, but with every function wrapped into a `dispatch` call so they
* may be invoked directly. This is just a convenience method, as you can call
* `store.dispatch(MyActionCreators.doSomething())` yourself just fine.
*
* For convenience, you can also pass an action creator as the first argument,
* and get a dispatch wrapped function in return.
*
* @param {Function|Object} actionCreators An object whose values are action
* creator functions. One handy way to obtain it is to use ES6 `import * as`
* syntax. You may also pass a single function.
*
* @param {Function} dispatch The `dispatch` function available on your Redux
* store.
*
* @returns {Function|Object} The object mimicking the original object, but with
* every action creator wrapped into the `dispatch` call. If you passed a
* function as `actionCreators`, the return value will also be a single
* function.
*/
function bindActionCreators(actionCreators, dispatch) {
if (typeof actionCreators === 'function') {
return bindActionCreator(actionCreators, dispatch);
}
if (typeof actionCreators !== 'object' || actionCreators === null) {
throw new Error( true ? formatProdErrorMessage(16) : 0);
}
var boundActionCreators = {};
for (var key in actionCreators) {
var actionCreator = actionCreators[key];
if (typeof actionCreator === 'function') {
boundActionCreators[key] = bindActionCreator(actionCreator, dispatch);
}
}
return boundActionCreators;
}
/**
* Composes single-argument functions from right to left. The rightmost
* function can take multiple arguments as it provides the signature for
* the resulting composite function.
*
* @param {...Function} funcs The functions to compose.
* @returns {Function} A function obtained by composing the argument functions
* from right to left. For example, compose(f, g, h) is identical to doing
* (...args) => f(g(h(...args))).
*/
function compose() {
for (var _len = arguments.length, funcs = new Array(_len), _key = 0; _key < _len; _key++) {
funcs[_key] = arguments[_key];
}
if (funcs.length === 0) {
return function (arg) {
return arg;
};
}
if (funcs.length === 1) {
return funcs[0];
}
return funcs.reduce(function (a, b) {
return function () {
return a(b.apply(void 0, arguments));
};
});
}
/**
* Creates a store enhancer that applies middleware to the dispatch method
* of the Redux store. This is handy for a variety of tasks, such as expressing
* asynchronous actions in a concise manner, or logging every action payload.
*
* See `redux-thunk` package as an example of the Redux middleware.
*
* Because middleware is potentially asynchronous, this should be the first
* store enhancer in the composition chain.
*
* Note that each middleware will be given the `dispatch` and `getState` functions
* as named arguments.
*
* @param {...Function} middlewares The middleware chain to be applied.
* @returns {Function} A store enhancer applying the middleware.
*/
function applyMiddleware() {
for (var _len = arguments.length, middlewares = new Array(_len), _key = 0; _key < _len; _key++) {
middlewares[_key] = arguments[_key];
}
return function (createStore) {
return function () {
var store = createStore.apply(void 0, arguments);
var _dispatch = function dispatch() {
throw new Error( true ? formatProdErrorMessage(15) : 0);
};
var middlewareAPI = {
getState: store.getState,
dispatch: function dispatch() {
return _dispatch.apply(void 0, arguments);
}
};
var chain = middlewares.map(function (middleware) {
return middleware(middlewareAPI);
});
_dispatch = compose.apply(void 0, chain)(store.dispatch);
return _objectSpread__default['default'](_objectSpread__default['default']({}, store), {}, {
dispatch: _dispatch
});
};
};
}
exports.__DO_NOT_USE__ActionTypes = ActionTypes;
exports.applyMiddleware = applyMiddleware;
exports.bindActionCreators = bindActionCreators;
exports.combineReducers = combineReducers;
exports.compose = compose;
exports.createStore = createStore;
exports.legacy_createStore = legacy_createStore;
/***/ }),
/***/ 63924:
/***/ ((module) => {
"use strict";
var isProduction = "production" === 'production';
var prefix = 'Invariant failed';
function invariant(condition, message) {
if (condition) {
return;
}
if (isProduction) {
throw new Error(prefix);
}
var provided = typeof message === 'function' ? message() : message;
var value = provided ? "".concat(prefix, ": ").concat(provided) : prefix;
throw new Error(value);
}
module.exports = invariant;
/***/ }),
/***/ 97727:
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
"use strict";
Object.defineProperty(exports, "__esModule", ({ value: true }));
var react = __webpack_require__(18038);
function areInputsEqual(newInputs, lastInputs) {
if (newInputs.length !== lastInputs.length) {
return false;
}
for (var i = 0; i < newInputs.length; i++) {
if (newInputs[i] !== lastInputs[i]) {
return false;
}
}
return true;
}
function useMemoOne(getResult, inputs) {
var initial = react.useState(function () {
return {
inputs: inputs,
result: getResult()
};
})[0];
var isFirstRun = react.useRef(true);
var committed = react.useRef(initial);
var useCache = isFirstRun.current || Boolean(inputs && committed.current.inputs && areInputsEqual(inputs, committed.current.inputs));
var cache = useCache ? committed.current : {
inputs: inputs,
result: getResult()
};
react.useEffect(function () {
isFirstRun.current = false;
committed.current = cache;
}, [cache]);
return cache.result;
}
function useCallbackOne(callback, inputs) {
return useMemoOne(function () {
return callback;
}, inputs);
}
var useMemo = useMemoOne;
var useCallback = useCallbackOne;
exports.useCallback = useCallback;
exports.useCallbackOne = useCallbackOne;
exports.useMemo = useMemo;
exports.useMemoOne = useMemoOne;
/***/ }),
/***/ 75166:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
var toPropertyKey = __webpack_require__(64183);
function _defineProperty(obj, key, value) {
key = toPropertyKey(key);
if (key in obj) {
Object.defineProperty(obj, key, {
value: value,
enumerable: true,
configurable: true,
writable: true
});
} else {
obj[key] = value;
}
return obj;
}
module.exports = _defineProperty, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 59651:
/***/ ((module) => {
function _extends() {
module.exports = _extends = Object.assign ? Object.assign.bind() : function (target) {
for (var i = 1; i < arguments.length; i++) {
var source = arguments[i];
for (var key in source) {
if (Object.prototype.hasOwnProperty.call(source, key)) {
target[key] = source[key];
}
}
}
return target;
}, module.exports.__esModule = true, module.exports["default"] = module.exports;
return _extends.apply(this, arguments);
}
module.exports = _extends, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 27574:
/***/ ((module) => {
function _interopRequireDefault(obj) {
return obj && obj.__esModule ? obj : {
"default": obj
};
}
module.exports = _interopRequireDefault, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 51686:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
var defineProperty = __webpack_require__(75166);
function ownKeys(e, r) {
var t = Object.keys(e);
if (Object.getOwnPropertySymbols) {
var o = Object.getOwnPropertySymbols(e);
r && (o = o.filter(function (r) {
return Object.getOwnPropertyDescriptor(e, r).enumerable;
})), t.push.apply(t, o);
}
return t;
}
function _objectSpread2(e) {
for (var r = 1; r < arguments.length; r++) {
var t = null != arguments[r] ? arguments[r] : {};
r % 2 ? ownKeys(Object(t), !0).forEach(function (r) {
defineProperty(e, r, t[r]);
}) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) {
Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r));
});
}
return e;
}
module.exports = _objectSpread2, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 20820:
/***/ ((module) => {
function _objectWithoutPropertiesLoose(source, excluded) {
if (source == null) return {};
var target = {};
var sourceKeys = Object.keys(source);
var key, i;
for (i = 0; i < sourceKeys.length; i++) {
key = sourceKeys[i];
if (excluded.indexOf(key) >= 0) continue;
target[key] = source[key];
}
return target;
}
module.exports = _objectWithoutPropertiesLoose, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 34020:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
var _typeof = (__webpack_require__(50426)["default"]);
function toPrimitive(t, r) {
if ("object" != _typeof(t) || !t) return t;
var e = t[Symbol.toPrimitive];
if (void 0 !== e) {
var i = e.call(t, r || "default");
if ("object" != _typeof(i)) return i;
throw new TypeError("@@toPrimitive must return a primitive value.");
}
return ("string" === r ? String : Number)(t);
}
module.exports = toPrimitive, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 64183:
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
var _typeof = (__webpack_require__(50426)["default"]);
var toPrimitive = __webpack_require__(34020);
function toPropertyKey(t) {
var i = toPrimitive(t, "string");
return "symbol" == _typeof(i) ? i : String(i);
}
module.exports = toPropertyKey, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ }),
/***/ 50426:
/***/ ((module) => {
function _typeof(o) {
"@babel/helpers - typeof";
return (module.exports = _typeof = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (o) {
return typeof o;
} : function (o) {
return o && "function" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? "symbol" : typeof o;
}, module.exports.__esModule = true, module.exports["default"] = module.exports), _typeof(o);
}
module.exports = _typeof, module.exports.__esModule = true, module.exports["default"] = module.exports;
/***/ })
};
;