react-cosmos-diagram 0.8.1 → 0.8.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/esm/index.js +38 -31
- package/dist/esm/index.mjs +38 -31
- package/dist/esm/store/index.d.ts.map +1 -1
- package/dist/umd/index.js +2 -2
- package/dist/umd/store/index.d.ts.map +1 -1
- package/package.json +1 -1
package/dist/esm/index.js
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
1
|
"use client"
|
|
2
|
-
import { errorMessages, CosmosPanZoom, CosmosDrag, getRectOfNodes, getEventPosition, getNodesInside, Position, internalsSymbol as internalsSymbol$1, MarkerType, getMarkerId, isNumeric, getStraightPath, getStepPath, getBezierPath, CosmosPort, devWarn, isMouseEvent, createNodeInternals, getDimensions, getPortBounds,
|
|
2
|
+
import { errorMessages, CosmosPanZoom, CosmosDrag, getRectOfNodes, getEventPosition, getNodesInside, Position, internalsSymbol as internalsSymbol$1, MarkerType, getMarkerId, isNumeric, getStraightPath, getStepPath, getBezierPath, CosmosPort, devWarn, isMouseEvent, createNodeInternals, getDimensions, getPortBounds, isIntersected, clampPosition } from 'cosmos-diagram';
|
|
3
3
|
export { MarkerType, Position, addEdge, boxToRect, clamp, getBezierEdgeCenter, getBezierPath, getStepPath, getStraightPath, isCoreEdge, isCoreNode, rectToBox, updateEdge } from 'cosmos-diagram';
|
|
4
4
|
import { jsx, jsxs, Fragment } from 'react/jsx-runtime';
|
|
5
5
|
import { createContext, useContext, useMemo, useState, useEffect, useRef, memo, useCallback, forwardRef } from 'react';
|
|
@@ -565,8 +565,8 @@ function NodeRenderer({ nodeTypes, onNodeClick, onNodeMouseEnter, onNodeMouseMov
|
|
|
565
565
|
id,
|
|
566
566
|
className,
|
|
567
567
|
style,
|
|
568
|
-
width: nodeType === 'default'
|
|
569
|
-
height: nodeType === 'default'
|
|
568
|
+
width: width ?? (nodeType === 'default' ? 120 : undefined),
|
|
569
|
+
height: height ?? (nodeType === 'default' ? 60 : undefined),
|
|
570
570
|
ariaLabel,
|
|
571
571
|
};
|
|
572
572
|
const events = {
|
|
@@ -1451,13 +1451,15 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1451
1451
|
set({ edges: edges.map((e) => ({ ...defaultEdgeOptions, ...e })) });
|
|
1452
1452
|
},
|
|
1453
1453
|
updateNodeDimensions: (updates) => {
|
|
1454
|
-
const {
|
|
1454
|
+
const { triggerNodeChanges, updateNodesIntersection, nodeInternals, domNode, nodeOrigin, } = get();
|
|
1455
1455
|
const viewportNode = domNode?.querySelector('.react-diagram__viewport');
|
|
1456
1456
|
if (!viewportNode) {
|
|
1457
1457
|
return;
|
|
1458
1458
|
}
|
|
1459
1459
|
const style = window.getComputedStyle(viewportNode);
|
|
1460
1460
|
const { m22: zoom } = new window.DOMMatrixReadOnly(style.transform);
|
|
1461
|
+
const intersectionChanges = [];
|
|
1462
|
+
const positionChanges = [];
|
|
1461
1463
|
const changes = updates.reduce((res, update) => {
|
|
1462
1464
|
const node = nodeInternals.get(update.id);
|
|
1463
1465
|
if (node) {
|
|
@@ -1468,7 +1470,7 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1468
1470
|
node.height !== dimensions.height ||
|
|
1469
1471
|
update.forceUpdate));
|
|
1470
1472
|
if (doUpdate) {
|
|
1471
|
-
|
|
1473
|
+
const dimensionedNode = {
|
|
1472
1474
|
...node,
|
|
1473
1475
|
[internalsSymbol$1]: {
|
|
1474
1476
|
...node[internalsSymbol$1],
|
|
@@ -1479,6 +1481,22 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1479
1481
|
},
|
|
1480
1482
|
},
|
|
1481
1483
|
...dimensions,
|
|
1484
|
+
};
|
|
1485
|
+
nodeInternals.set(node.id, dimensionedNode);
|
|
1486
|
+
const nextIntersected = isIntersected(dimensionedNode, nodeInternals);
|
|
1487
|
+
if (node.intersected !== nextIntersected) {
|
|
1488
|
+
intersectionChanges.push({
|
|
1489
|
+
id: node.id,
|
|
1490
|
+
type: 'intersect',
|
|
1491
|
+
intersected: nextIntersected,
|
|
1492
|
+
});
|
|
1493
|
+
}
|
|
1494
|
+
positionChanges.push({
|
|
1495
|
+
id: node.id,
|
|
1496
|
+
type: 'position',
|
|
1497
|
+
dragging: false,
|
|
1498
|
+
position: node.position,
|
|
1499
|
+
positionAbsolute: node.positionAbsolute,
|
|
1482
1500
|
});
|
|
1483
1501
|
res.push({
|
|
1484
1502
|
id: node.id,
|
|
@@ -1489,14 +1507,14 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1489
1507
|
}
|
|
1490
1508
|
return res;
|
|
1491
1509
|
}, []);
|
|
1492
|
-
updateNodesIntersection();
|
|
1493
|
-
updateAbsoluteNodePositions(nodeInternals, nodeOrigin);
|
|
1494
1510
|
set({
|
|
1495
1511
|
nodeInternals: new Map(nodeInternals),
|
|
1496
1512
|
});
|
|
1497
|
-
|
|
1498
|
-
|
|
1499
|
-
|
|
1513
|
+
triggerNodeChanges([
|
|
1514
|
+
...changes,
|
|
1515
|
+
...intersectionChanges,
|
|
1516
|
+
...positionChanges,
|
|
1517
|
+
]);
|
|
1500
1518
|
},
|
|
1501
1519
|
updateNodesPosition: (nodes, dragging = false, updateFunc) => {
|
|
1502
1520
|
const { triggerNodeChanges } = get();
|
|
@@ -1527,29 +1545,18 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1527
1545
|
updateNodesIntersection: () => {
|
|
1528
1546
|
const { nodeInternals, triggerNodeChanges } = get();
|
|
1529
1547
|
const nodes = Array.from(nodeInternals.values());
|
|
1530
|
-
const
|
|
1531
|
-
|
|
1532
|
-
|
|
1533
|
-
|
|
1534
|
-
|
|
1535
|
-
type: 'intersect',
|
|
1536
|
-
intersected: false,
|
|
1537
|
-
}));
|
|
1538
|
-
};
|
|
1539
|
-
const addIntersectNodes = () => {
|
|
1540
|
-
return nodes
|
|
1541
|
-
.filter((node) => isIntersected(node, nodeInternals))
|
|
1542
|
-
.map((node) => {
|
|
1543
|
-
return {
|
|
1548
|
+
const intersectionChanges = [];
|
|
1549
|
+
nodes.forEach((node) => {
|
|
1550
|
+
const nextIntersected = isIntersected(node, nodeInternals);
|
|
1551
|
+
if (node.intersected !== nextIntersected) {
|
|
1552
|
+
intersectionChanges.push({
|
|
1544
1553
|
id: node.id,
|
|
1545
1554
|
type: 'intersect',
|
|
1546
|
-
intersected:
|
|
1547
|
-
};
|
|
1548
|
-
}
|
|
1549
|
-
};
|
|
1550
|
-
|
|
1551
|
-
const unIntersectedNodes = unIntersectNodes();
|
|
1552
|
-
triggerNodeChanges([...intersectedNodes, ...unIntersectedNodes]);
|
|
1555
|
+
intersected: nextIntersected,
|
|
1556
|
+
});
|
|
1557
|
+
}
|
|
1558
|
+
});
|
|
1559
|
+
triggerNodeChanges(intersectionChanges);
|
|
1553
1560
|
},
|
|
1554
1561
|
addSelectedNodes: (selectedNodeIds) => {
|
|
1555
1562
|
const { multiSelectionActive, getNodes, triggerNodeChanges } = get();
|
package/dist/esm/index.mjs
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
1
|
"use client"
|
|
2
|
-
import { errorMessages, CosmosPanZoom, CosmosDrag, getRectOfNodes, getEventPosition, getNodesInside, Position, internalsSymbol as internalsSymbol$1, MarkerType, getMarkerId, isNumeric, getStraightPath, getStepPath, getBezierPath, CosmosPort, devWarn, isMouseEvent, createNodeInternals, getDimensions, getPortBounds,
|
|
2
|
+
import { errorMessages, CosmosPanZoom, CosmosDrag, getRectOfNodes, getEventPosition, getNodesInside, Position, internalsSymbol as internalsSymbol$1, MarkerType, getMarkerId, isNumeric, getStraightPath, getStepPath, getBezierPath, CosmosPort, devWarn, isMouseEvent, createNodeInternals, getDimensions, getPortBounds, isIntersected, clampPosition } from 'cosmos-diagram';
|
|
3
3
|
export { MarkerType, Position, addEdge, boxToRect, clamp, getBezierEdgeCenter, getBezierPath, getStepPath, getStraightPath, isCoreEdge, isCoreNode, rectToBox, updateEdge } from 'cosmos-diagram';
|
|
4
4
|
import { jsx, jsxs, Fragment } from 'react/jsx-runtime';
|
|
5
5
|
import { createContext, useContext, useMemo, useState, useEffect, useRef, memo, useCallback, forwardRef } from 'react';
|
|
@@ -565,8 +565,8 @@ function NodeRenderer({ nodeTypes, onNodeClick, onNodeMouseEnter, onNodeMouseMov
|
|
|
565
565
|
id,
|
|
566
566
|
className,
|
|
567
567
|
style,
|
|
568
|
-
width: nodeType === 'default'
|
|
569
|
-
height: nodeType === 'default'
|
|
568
|
+
width: width ?? (nodeType === 'default' ? 120 : undefined),
|
|
569
|
+
height: height ?? (nodeType === 'default' ? 60 : undefined),
|
|
570
570
|
ariaLabel,
|
|
571
571
|
};
|
|
572
572
|
const events = {
|
|
@@ -1451,13 +1451,15 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1451
1451
|
set({ edges: edges.map((e) => ({ ...defaultEdgeOptions, ...e })) });
|
|
1452
1452
|
},
|
|
1453
1453
|
updateNodeDimensions: (updates) => {
|
|
1454
|
-
const {
|
|
1454
|
+
const { triggerNodeChanges, updateNodesIntersection, nodeInternals, domNode, nodeOrigin, } = get();
|
|
1455
1455
|
const viewportNode = domNode?.querySelector('.react-diagram__viewport');
|
|
1456
1456
|
if (!viewportNode) {
|
|
1457
1457
|
return;
|
|
1458
1458
|
}
|
|
1459
1459
|
const style = window.getComputedStyle(viewportNode);
|
|
1460
1460
|
const { m22: zoom } = new window.DOMMatrixReadOnly(style.transform);
|
|
1461
|
+
const intersectionChanges = [];
|
|
1462
|
+
const positionChanges = [];
|
|
1461
1463
|
const changes = updates.reduce((res, update) => {
|
|
1462
1464
|
const node = nodeInternals.get(update.id);
|
|
1463
1465
|
if (node) {
|
|
@@ -1468,7 +1470,7 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1468
1470
|
node.height !== dimensions.height ||
|
|
1469
1471
|
update.forceUpdate));
|
|
1470
1472
|
if (doUpdate) {
|
|
1471
|
-
|
|
1473
|
+
const dimensionedNode = {
|
|
1472
1474
|
...node,
|
|
1473
1475
|
[internalsSymbol$1]: {
|
|
1474
1476
|
...node[internalsSymbol$1],
|
|
@@ -1479,6 +1481,22 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1479
1481
|
},
|
|
1480
1482
|
},
|
|
1481
1483
|
...dimensions,
|
|
1484
|
+
};
|
|
1485
|
+
nodeInternals.set(node.id, dimensionedNode);
|
|
1486
|
+
const nextIntersected = isIntersected(dimensionedNode, nodeInternals);
|
|
1487
|
+
if (node.intersected !== nextIntersected) {
|
|
1488
|
+
intersectionChanges.push({
|
|
1489
|
+
id: node.id,
|
|
1490
|
+
type: 'intersect',
|
|
1491
|
+
intersected: nextIntersected,
|
|
1492
|
+
});
|
|
1493
|
+
}
|
|
1494
|
+
positionChanges.push({
|
|
1495
|
+
id: node.id,
|
|
1496
|
+
type: 'position',
|
|
1497
|
+
dragging: false,
|
|
1498
|
+
position: node.position,
|
|
1499
|
+
positionAbsolute: node.positionAbsolute,
|
|
1482
1500
|
});
|
|
1483
1501
|
res.push({
|
|
1484
1502
|
id: node.id,
|
|
@@ -1489,14 +1507,14 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1489
1507
|
}
|
|
1490
1508
|
return res;
|
|
1491
1509
|
}, []);
|
|
1492
|
-
updateNodesIntersection();
|
|
1493
|
-
updateAbsoluteNodePositions(nodeInternals, nodeOrigin);
|
|
1494
1510
|
set({
|
|
1495
1511
|
nodeInternals: new Map(nodeInternals),
|
|
1496
1512
|
});
|
|
1497
|
-
|
|
1498
|
-
|
|
1499
|
-
|
|
1513
|
+
triggerNodeChanges([
|
|
1514
|
+
...changes,
|
|
1515
|
+
...intersectionChanges,
|
|
1516
|
+
...positionChanges,
|
|
1517
|
+
]);
|
|
1500
1518
|
},
|
|
1501
1519
|
updateNodesPosition: (nodes, dragging = false, updateFunc) => {
|
|
1502
1520
|
const { triggerNodeChanges } = get();
|
|
@@ -1527,29 +1545,18 @@ const createRCDStore = () => createStore((set, get) => ({
|
|
|
1527
1545
|
updateNodesIntersection: () => {
|
|
1528
1546
|
const { nodeInternals, triggerNodeChanges } = get();
|
|
1529
1547
|
const nodes = Array.from(nodeInternals.values());
|
|
1530
|
-
const
|
|
1531
|
-
|
|
1532
|
-
|
|
1533
|
-
|
|
1534
|
-
|
|
1535
|
-
type: 'intersect',
|
|
1536
|
-
intersected: false,
|
|
1537
|
-
}));
|
|
1538
|
-
};
|
|
1539
|
-
const addIntersectNodes = () => {
|
|
1540
|
-
return nodes
|
|
1541
|
-
.filter((node) => isIntersected(node, nodeInternals))
|
|
1542
|
-
.map((node) => {
|
|
1543
|
-
return {
|
|
1548
|
+
const intersectionChanges = [];
|
|
1549
|
+
nodes.forEach((node) => {
|
|
1550
|
+
const nextIntersected = isIntersected(node, nodeInternals);
|
|
1551
|
+
if (node.intersected !== nextIntersected) {
|
|
1552
|
+
intersectionChanges.push({
|
|
1544
1553
|
id: node.id,
|
|
1545
1554
|
type: 'intersect',
|
|
1546
|
-
intersected:
|
|
1547
|
-
};
|
|
1548
|
-
}
|
|
1549
|
-
};
|
|
1550
|
-
|
|
1551
|
-
const unIntersectedNodes = unIntersectNodes();
|
|
1552
|
-
triggerNodeChanges([...intersectedNodes, ...unIntersectedNodes]);
|
|
1555
|
+
intersected: nextIntersected,
|
|
1556
|
+
});
|
|
1557
|
+
}
|
|
1558
|
+
});
|
|
1559
|
+
triggerNodeChanges(intersectionChanges);
|
|
1553
1560
|
},
|
|
1554
1561
|
addSelectedNodes: (selectedNodeIds) => {
|
|
1555
1562
|
const { multiSelectionActive, getNodes, triggerNodeChanges } = get();
|
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../react-diagram/packages/react/src/store/index.ts"],"names":[],"mappings":"
|
|
1
|
+
{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../react-diagram/packages/react/src/store/index.ts"],"names":[],"mappings":"AA6BA,OAAO,EACJ,iBAAiB,EAEnB,MAAM,yCAAyC,CAAC;AAEjD,QAAA,MAAM,cAAc,qDA4Sd,CAAC;AAEP,OAAO,EAAE,cAAc,EAAE,CAAC"}
|
package/dist/umd/index.js
CHANGED
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?t(exports,require("react/jsx-runtime"),require("react")):"function"==typeof define&&define.amd?define(["exports","react/jsx-runtime","react"],t):t((e="undefined"!=typeof globalThis?globalThis:e||self).ReactCosmosDiagram={},e.jsxRuntime,e.React)}(this,(function(e,t,n){"use strict";var o="http://www.w3.org/1999/xhtml",r={svg:"http://www.w3.org/2000/svg",xhtml:o,xlink:"http://www.w3.org/1999/xlink",xml:"http://www.w3.org/XML/1998/namespace",xmlns:"http://www.w3.org/2000/xmlns/"};function i(e){var t=e+="",n=t.indexOf(":");return n>=0&&"xmlns"!==(t=e.slice(0,n))&&(e=e.slice(n+1)),r.hasOwnProperty(t)?{space:r[t],local:e}:e}function a(e){return function(){var t=this.ownerDocument,n=this.namespaceURI;return n===o&&t.documentElement.namespaceURI===o?t.createElement(e):t.createElementNS(n,e)}}function s(e){return function(){return this.ownerDocument.createElementNS(e.space,e.local)}}function u(e){var t=i(e);return(t.local?s:a)(t)}function c(){}function l(e){return null==e?c:function(){return this.querySelector(e)}}function d(){return[]}function h(e){return null==e?d:function(){return this.querySelectorAll(e)}}function f(e){return function(){return null==(t=e.apply(this,arguments))?[]:Array.isArray(t)?t:Array.from(t);var t}}function g(e){return function(){return this.matches(e)}}function p(e){return function(t){return t.matches(e)}}var m=Array.prototype.find;function y(){return this.firstElementChild}var v=Array.prototype.filter;function x(){return Array.from(this.children)}function b(e){return new Array(e.length)}function w(e,t){this.ownerDocument=e.ownerDocument,this.namespaceURI=e.namespaceURI,this._next=null,this._parent=e,this.__data__=t}function _(e,t,n,o,r,i){for(var a,s=0,u=t.length,c=i.length;s<c;++s)(a=t[s])?(a.__data__=i[s],o[s]=a):n[s]=new w(e,i[s]);for(;s<u;++s)(a=t[s])&&(r[s]=a)}function E(e,t,n,o,r,i,a){var s,u,c,l=new Map,d=t.length,h=i.length,f=new Array(d);for(s=0;s<d;++s)(u=t[s])&&(f[s]=c=a.call(u,u.__data__,s,t)+"",l.has(c)?r[s]=u:l.set(c,u));for(s=0;s<h;++s)c=a.call(e,i[s],s,i)+"",(u=l.get(c))?(o[s]=u,u.__data__=i[s],l.delete(c)):n[s]=new w(e,i[s]);for(s=0;s<d;++s)(u=t[s])&&l.get(f[s])===u&&(r[s]=u)}function S(e){return e.__data__}function P(e){return"object"==typeof e&&"length"in e?e:Array.from(e)}function N(e,t){return e<t?-1:e>t?1:e>=t?0:NaN}function M(e){return function(){this.removeAttribute(e)}}function C(e){return function(){this.removeAttributeNS(e.space,e.local)}}function k(e,t){return function(){this.setAttribute(e,t)}}function $(e,t){return function(){this.setAttributeNS(e.space,e.local,t)}}function A(e,t){return function(){var n=t.apply(this,arguments);null==n?this.removeAttribute(e):this.setAttribute(e,n)}}function B(e,t){return function(){var n=t.apply(this,arguments);null==n?this.removeAttributeNS(e.space,e.local):this.setAttributeNS(e.space,e.local,n)}}function I(e){return e.ownerDocument&&e.ownerDocument.defaultView||e.document&&e||e.defaultView}function T(e){return function(){this.style.removeProperty(e)}}function j(e,t,n){return function(){this.style.setProperty(e,t,n)}}function z(e,t,n){return function(){var o=t.apply(this,arguments);null==o?this.style.removeProperty(e):this.style.setProperty(e,o,n)}}function R(e,t){return e.style.getPropertyValue(t)||I(e).getComputedStyle(e,null).getPropertyValue(t)}function D(e){return function(){delete this[e]}}function O(e,t){return function(){this[e]=t}}function X(e,t){return function(){var n=t.apply(this,arguments);null==n?delete this[e]:this[e]=n}}function L(e){return e.trim().split(/^|\s+/)}function Y(e){return e.classList||new Z(e)}function Z(e){this._node=e,this._names=L(e.getAttribute("class")||"")}function V(e,t){for(var n=Y(e),o=-1,r=t.length;++o<r;)n.add(t[o])}function U(e,t){for(var n=Y(e),o=-1,r=t.length;++o<r;)n.remove(t[o])}function q(e){return function(){V(this,e)}}function F(e){return function(){U(this,e)}}function W(e,t){return function(){(t.apply(this,arguments)?V:U)(this,e)}}function K(){this.textContent=""}function H(e){return function(){this.textContent=e}}function G(e){return function(){var t=e.apply(this,arguments);this.textContent=null==t?"":t}}function Q(){this.innerHTML=""}function J(e){return function(){this.innerHTML=e}}function ee(e){return function(){var t=e.apply(this,arguments);this.innerHTML=null==t?"":t}}function te(){this.nextSibling&&this.parentNode.appendChild(this)}function ne(){this.previousSibling&&this.parentNode.insertBefore(this,this.parentNode.firstChild)}function oe(){return null}function re(){var e=this.parentNode;e&&e.removeChild(this)}function ie(){var e=this.cloneNode(!1),t=this.parentNode;return t?t.insertBefore(e,this.nextSibling):e}function ae(){var e=this.cloneNode(!0),t=this.parentNode;return t?t.insertBefore(e,this.nextSibling):e}function se(e){return function(){var t=this.__on;if(t){for(var n,o=0,r=-1,i=t.length;o<i;++o)n=t[o],e.type&&n.type!==e.type||n.name!==e.name?t[++r]=n:this.removeEventListener(n.type,n.listener,n.options);++r?t.length=r:delete this.__on}}}function ue(e,t,n){return function(){var o,r=this.__on,i=function(e){return function(t){e.call(this,t,this.__data__)}}(t);if(r)for(var a=0,s=r.length;a<s;++a)if((o=r[a]).type===e.type&&o.name===e.name)return this.removeEventListener(o.type,o.listener,o.options),this.addEventListener(o.type,o.listener=i,o.options=n),void(o.value=t);this.addEventListener(e.type,i,n),o={type:e.type,name:e.name,value:t,listener:i,options:n},r?r.push(o):this.__on=[o]}}function ce(e,t,n){var o=I(e),r=o.CustomEvent;"function"==typeof r?r=new r(t,n):(r=o.document.createEvent("Event"),n?(r.initEvent(t,n.bubbles,n.cancelable),r.detail=n.detail):r.initEvent(t,!1,!1)),e.dispatchEvent(r)}function le(e,t){return function(){return ce(this,e,t)}}function de(e,t){return function(){return ce(this,e,t.apply(this,arguments))}}w.prototype={constructor:w,appendChild:function(e){return this._parent.insertBefore(e,this._next)},insertBefore:function(e,t){return this._parent.insertBefore(e,t)},querySelector:function(e){return this._parent.querySelector(e)},querySelectorAll:function(e){return this._parent.querySelectorAll(e)}},Z.prototype={add:function(e){this._names.indexOf(e)<0&&(this._names.push(e),this._node.setAttribute("class",this._names.join(" ")))},remove:function(e){var t=this._names.indexOf(e);t>=0&&(this._names.splice(t,1),this._node.setAttribute("class",this._names.join(" ")))},contains:function(e){return this._names.indexOf(e)>=0}};var he=[null];function fe(e,t){this._groups=e,this._parents=t}function ge(){return new fe([[document.documentElement]],he)}function pe(e){return"string"==typeof e?new fe([[document.querySelector(e)]],[document.documentElement]):new fe([[e]],he)}function me(e,t){if(e=function(e){let t;for(;t=e.sourceEvent;)e=t;return e}(e),void 0===t&&(t=e.currentTarget),t){var n=t.ownerSVGElement||t;if(n.createSVGPoint){var o=n.createSVGPoint();return o.x=e.clientX,o.y=e.clientY,[(o=o.matrixTransform(t.getScreenCTM().inverse())).x,o.y]}if(t.getBoundingClientRect){var r=t.getBoundingClientRect();return[e.clientX-r.left-t.clientLeft,e.clientY-r.top-t.clientTop]}}return[e.pageX,e.pageY]}fe.prototype=ge.prototype={constructor:fe,select:function(e){"function"!=typeof e&&(e=l(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a,s=t[r],u=s.length,c=o[r]=new Array(u),d=0;d<u;++d)(i=s[d])&&(a=e.call(i,i.__data__,d,s))&&("__data__"in i&&(a.__data__=i.__data__),c[d]=a);return new fe(o,this._parents)},selectAll:function(e){e="function"==typeof e?f(e):h(e);for(var t=this._groups,n=t.length,o=[],r=[],i=0;i<n;++i)for(var a,s=t[i],u=s.length,c=0;c<u;++c)(a=s[c])&&(o.push(e.call(a,a.__data__,c,s)),r.push(a));return new fe(o,r)},selectChild:function(e){return this.select(null==e?y:function(e){return function(){return m.call(this.children,e)}}("function"==typeof e?e:p(e)))},selectChildren:function(e){return this.selectAll(null==e?x:function(e){return function(){return v.call(this.children,e)}}("function"==typeof e?e:p(e)))},filter:function(e){"function"!=typeof e&&(e=g(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a=t[r],s=a.length,u=o[r]=[],c=0;c<s;++c)(i=a[c])&&e.call(i,i.__data__,c,a)&&u.push(i);return new fe(o,this._parents)},data:function(e,t){if(!arguments.length)return Array.from(this,S);var n,o=t?E:_,r=this._parents,i=this._groups;"function"!=typeof e&&(n=e,e=function(){return n});for(var a=i.length,s=new Array(a),u=new Array(a),c=new Array(a),l=0;l<a;++l){var d=r[l],h=i[l],f=h.length,g=P(e.call(d,d&&d.__data__,l,r)),p=g.length,m=u[l]=new Array(p),y=s[l]=new Array(p);o(d,h,m,y,c[l]=new Array(f),g,t);for(var v,x,b=0,w=0;b<p;++b)if(v=m[b]){for(b>=w&&(w=b+1);!(x=y[w])&&++w<p;);v._next=x||null}}return(s=new fe(s,r))._enter=u,s._exit=c,s},enter:function(){return new fe(this._enter||this._groups.map(b),this._parents)},exit:function(){return new fe(this._exit||this._groups.map(b),this._parents)},join:function(e,t,n){var o=this.enter(),r=this,i=this.exit();return"function"==typeof e?(o=e(o))&&(o=o.selection()):o=o.append(e+""),null!=t&&(r=t(r))&&(r=r.selection()),null==n?i.remove():n(i),o&&r?o.merge(r).order():r},merge:function(e){for(var t=e.selection?e.selection():e,n=this._groups,o=t._groups,r=n.length,i=o.length,a=Math.min(r,i),s=new Array(r),u=0;u<a;++u)for(var c,l=n[u],d=o[u],h=l.length,f=s[u]=new Array(h),g=0;g<h;++g)(c=l[g]||d[g])&&(f[g]=c);for(;u<r;++u)s[u]=n[u];return new fe(s,this._parents)},selection:function(){return this},order:function(){for(var e=this._groups,t=-1,n=e.length;++t<n;)for(var o,r=e[t],i=r.length-1,a=r[i];--i>=0;)(o=r[i])&&(a&&4^o.compareDocumentPosition(a)&&a.parentNode.insertBefore(o,a),a=o);return this},sort:function(e){function t(t,n){return t&&n?e(t.__data__,n.__data__):!t-!n}e||(e=N);for(var n=this._groups,o=n.length,r=new Array(o),i=0;i<o;++i){for(var a,s=n[i],u=s.length,c=r[i]=new Array(u),l=0;l<u;++l)(a=s[l])&&(c[l]=a);c.sort(t)}return new fe(r,this._parents).order()},call:function(){var e=arguments[0];return arguments[0]=this,e.apply(null,arguments),this},nodes:function(){return Array.from(this)},node:function(){for(var e=this._groups,t=0,n=e.length;t<n;++t)for(var o=e[t],r=0,i=o.length;r<i;++r){var a=o[r];if(a)return a}return null},size:function(){let e=0;for(const t of this)++e;return e},empty:function(){return!this.node()},each:function(e){for(var t=this._groups,n=0,o=t.length;n<o;++n)for(var r,i=t[n],a=0,s=i.length;a<s;++a)(r=i[a])&&e.call(r,r.__data__,a,i);return this},attr:function(e,t){var n=i(e);if(arguments.length<2){var o=this.node();return n.local?o.getAttributeNS(n.space,n.local):o.getAttribute(n)}return this.each((null==t?n.local?C:M:"function"==typeof t?n.local?B:A:n.local?$:k)(n,t))},style:function(e,t,n){return arguments.length>1?this.each((null==t?T:"function"==typeof t?z:j)(e,t,null==n?"":n)):R(this.node(),e)},property:function(e,t){return arguments.length>1?this.each((null==t?D:"function"==typeof t?X:O)(e,t)):this.node()[e]},classed:function(e,t){var n=L(e+"");if(arguments.length<2){for(var o=Y(this.node()),r=-1,i=n.length;++r<i;)if(!o.contains(n[r]))return!1;return!0}return this.each(("function"==typeof t?W:t?q:F)(n,t))},text:function(e){return arguments.length?this.each(null==e?K:("function"==typeof e?G:H)(e)):this.node().textContent},html:function(e){return arguments.length?this.each(null==e?Q:("function"==typeof e?ee:J)(e)):this.node().innerHTML},raise:function(){return this.each(te)},lower:function(){return this.each(ne)},append:function(e){var t="function"==typeof e?e:u(e);return this.select((function(){return this.appendChild(t.apply(this,arguments))}))},insert:function(e,t){var n="function"==typeof e?e:u(e),o=null==t?oe:"function"==typeof t?t:l(t);return this.select((function(){return this.insertBefore(n.apply(this,arguments),o.apply(this,arguments)||null)}))},remove:function(){return this.each(re)},clone:function(e){return this.select(e?ae:ie)},datum:function(e){return arguments.length?this.property("__data__",e):this.node().__data__},on:function(e,t,n){var o,r,i=function(e){return e.trim().split(/^|\s+/).map((function(e){var t="",n=e.indexOf(".");return n>=0&&(t=e.slice(n+1),e=e.slice(0,n)),{type:e,name:t}}))}(e+""),a=i.length;if(!(arguments.length<2)){for(s=t?ue:se,o=0;o<a;++o)this.each(s(i[o],t,n));return this}var s=this.node().__on;if(s)for(var u,c=0,l=s.length;c<l;++c)for(o=0,u=s[c];o<a;++o)if((r=i[o]).type===u.type&&r.name===u.name)return u.value},dispatch:function(e,t){return this.each(("function"==typeof t?de:le)(e,t))},[Symbol.iterator]:function*(){for(var e=this._groups,t=0,n=e.length;t<n;++t)for(var o,r=e[t],i=0,a=r.length;i<a;++i)(o=r[i])&&(yield o)}};var ye={value:()=>{}};function ve(){for(var e,t=0,n=arguments.length,o={};t<n;++t){if(!(e=arguments[t]+"")||e in o||/[\s.]/.test(e))throw new Error("illegal type: "+e);o[e]=[]}return new xe(o)}function xe(e){this._=e}function be(e,t){for(var n,o=0,r=e.length;o<r;++o)if((n=e[o]).name===t)return n.value}function we(e,t,n){for(var o=0,r=e.length;o<r;++o)if(e[o].name===t){e[o]=ye,e=e.slice(0,o).concat(e.slice(o+1));break}return null!=n&&e.push({name:t,value:n}),e}xe.prototype=ve.prototype={constructor:xe,on:function(e,t){var n,o,r=this._,i=(o=r,(e+"").trim().split(/^|\s+/).map((function(e){var t="",n=e.indexOf(".");if(n>=0&&(t=e.slice(n+1),e=e.slice(0,n)),e&&!o.hasOwnProperty(e))throw new Error("unknown type: "+e);return{type:e,name:t}}))),a=-1,s=i.length;if(!(arguments.length<2)){if(null!=t&&"function"!=typeof t)throw new Error("invalid callback: "+t);for(;++a<s;)if(n=(e=i[a]).type)r[n]=we(r[n],e.name,t);else if(null==t)for(n in r)r[n]=we(r[n],e.name,null);return this}for(;++a<s;)if((n=(e=i[a]).type)&&(n=be(r[n],e.name)))return n},copy:function(){var e={},t=this._;for(var n in t)e[n]=t[n].slice();return new xe(e)},call:function(e,t){if((n=arguments.length-2)>0)for(var n,o,r=new Array(n),i=0;i<n;++i)r[i]=arguments[i+2];if(!this._.hasOwnProperty(e))throw new Error("unknown type: "+e);for(i=0,n=(o=this._[e]).length;i<n;++i)o[i].value.apply(t,r)},apply:function(e,t,n){if(!this._.hasOwnProperty(e))throw new Error("unknown type: "+e);for(var o=this._[e],r=0,i=o.length;r<i;++r)o[r].value.apply(t,n)}};const _e={passive:!1},Ee={capture:!0,passive:!1};function Se(e){e.stopImmediatePropagation()}function Pe(e){e.preventDefault(),e.stopImmediatePropagation()}function Ne(e){var t=e.document.documentElement,n=pe(e).on("dragstart.drag",Pe,Ee);"onselectstart"in t?n.on("selectstart.drag",Pe,Ee):(t.__noselect=t.style.MozUserSelect,t.style.MozUserSelect="none")}function Me(e,t){var n=e.document.documentElement,o=pe(e).on("dragstart.drag",null);t&&(o.on("click.drag",Pe,Ee),setTimeout((function(){o.on("click.drag",null)}),0)),"onselectstart"in n?o.on("selectstart.drag",null):(n.style.MozUserSelect=n.__noselect,delete n.__noselect)}var Ce=e=>()=>e;function ke(e,{sourceEvent:t,subject:n,target:o,identifier:r,active:i,x:a,y:s,dx:u,dy:c,dispatch:l}){Object.defineProperties(this,{type:{value:e,enumerable:!0,configurable:!0},sourceEvent:{value:t,enumerable:!0,configurable:!0},subject:{value:n,enumerable:!0,configurable:!0},target:{value:o,enumerable:!0,configurable:!0},identifier:{value:r,enumerable:!0,configurable:!0},active:{value:i,enumerable:!0,configurable:!0},x:{value:a,enumerable:!0,configurable:!0},y:{value:s,enumerable:!0,configurable:!0},dx:{value:u,enumerable:!0,configurable:!0},dy:{value:c,enumerable:!0,configurable:!0},_:{value:l}})}function $e(e){return!e.ctrlKey&&!e.button}function Ae(){return this.parentNode}function Be(e,t){return null==t?{x:e.x,y:e.y}:t}function Ie(){return navigator.maxTouchPoints||"ontouchstart"in this}function Te(e,t,n){e.prototype=t.prototype=n,n.constructor=e}function je(e,t){var n=Object.create(e.prototype);for(var o in t)n[o]=t[o];return n}function ze(){}ke.prototype.on=function(){var e=this._.on.apply(this._,arguments);return e===this._?this:e};var Re=.7,De=1/Re,Oe="\\s*([+-]?\\d+)\\s*",Xe="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)\\s*",Le="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)%\\s*",Ye=/^#([0-9a-f]{3,8})$/,Ze=new RegExp(`^rgb\\(${Oe},${Oe},${Oe}\\)$`),Ve=new RegExp(`^rgb\\(${Le},${Le},${Le}\\)$`),Ue=new RegExp(`^rgba\\(${Oe},${Oe},${Oe},${Xe}\\)$`),qe=new RegExp(`^rgba\\(${Le},${Le},${Le},${Xe}\\)$`),Fe=new RegExp(`^hsl\\(${Xe},${Le},${Le}\\)$`),We=new RegExp(`^hsla\\(${Xe},${Le},${Le},${Xe}\\)$`),Ke={aliceblue:15792383,antiquewhite:16444375,aqua:65535,aquamarine:8388564,azure:15794175,beige:16119260,bisque:16770244,black:0,blanchedalmond:16772045,blue:255,blueviolet:9055202,brown:10824234,burlywood:14596231,cadetblue:6266528,chartreuse:8388352,chocolate:13789470,coral:16744272,cornflowerblue:6591981,cornsilk:16775388,crimson:14423100,cyan:65535,darkblue:139,darkcyan:35723,darkgoldenrod:12092939,darkgray:11119017,darkgreen:25600,darkgrey:11119017,darkkhaki:12433259,darkmagenta:9109643,darkolivegreen:5597999,darkorange:16747520,darkorchid:10040012,darkred:9109504,darksalmon:15308410,darkseagreen:9419919,darkslateblue:4734347,darkslategray:3100495,darkslategrey:3100495,darkturquoise:52945,darkviolet:9699539,deeppink:16716947,deepskyblue:49151,dimgray:6908265,dimgrey:6908265,dodgerblue:2003199,firebrick:11674146,floralwhite:16775920,forestgreen:2263842,fuchsia:16711935,gainsboro:14474460,ghostwhite:16316671,gold:16766720,goldenrod:14329120,gray:8421504,green:32768,greenyellow:11403055,grey:8421504,honeydew:15794160,hotpink:16738740,indianred:13458524,indigo:4915330,ivory:16777200,khaki:15787660,lavender:15132410,lavenderblush:16773365,lawngreen:8190976,lemonchiffon:16775885,lightblue:11393254,lightcoral:15761536,lightcyan:14745599,lightgoldenrodyellow:16448210,lightgray:13882323,lightgreen:9498256,lightgrey:13882323,lightpink:16758465,lightsalmon:16752762,lightseagreen:2142890,lightskyblue:8900346,lightslategray:7833753,lightslategrey:7833753,lightsteelblue:11584734,lightyellow:16777184,lime:65280,limegreen:3329330,linen:16445670,magenta:16711935,maroon:8388608,mediumaquamarine:6737322,mediumblue:205,mediumorchid:12211667,mediumpurple:9662683,mediumseagreen:3978097,mediumslateblue:8087790,mediumspringgreen:64154,mediumturquoise:4772300,mediumvioletred:13047173,midnightblue:1644912,mintcream:16121850,mistyrose:16770273,moccasin:16770229,navajowhite:16768685,navy:128,oldlace:16643558,olive:8421376,olivedrab:7048739,orange:16753920,orangered:16729344,orchid:14315734,palegoldenrod:15657130,palegreen:10025880,paleturquoise:11529966,palevioletred:14381203,papayawhip:16773077,peachpuff:16767673,peru:13468991,pink:16761035,plum:14524637,powderblue:11591910,purple:8388736,rebeccapurple:6697881,red:16711680,rosybrown:12357519,royalblue:4286945,saddlebrown:9127187,salmon:16416882,sandybrown:16032864,seagreen:3050327,seashell:16774638,sienna:10506797,silver:12632256,skyblue:8900331,slateblue:6970061,slategray:7372944,slategrey:7372944,snow:16775930,springgreen:65407,steelblue:4620980,tan:13808780,teal:32896,thistle:14204888,tomato:16737095,turquoise:4251856,violet:15631086,wheat:16113331,white:16777215,whitesmoke:16119285,yellow:16776960,yellowgreen:10145074};function He(){return this.rgb().formatHex()}function Ge(){return this.rgb().formatRgb()}function Qe(e){var t,n;return e=(e+"").trim().toLowerCase(),(t=Ye.exec(e))?(n=t[1].length,t=parseInt(t[1],16),6===n?Je(t):3===n?new nt(t>>8&15|t>>4&240,t>>4&15|240&t,(15&t)<<4|15&t,1):8===n?et(t>>24&255,t>>16&255,t>>8&255,(255&t)/255):4===n?et(t>>12&15|t>>8&240,t>>8&15|t>>4&240,t>>4&15|240&t,((15&t)<<4|15&t)/255):null):(t=Ze.exec(e))?new nt(t[1],t[2],t[3],1):(t=Ve.exec(e))?new nt(255*t[1]/100,255*t[2]/100,255*t[3]/100,1):(t=Ue.exec(e))?et(t[1],t[2],t[3],t[4]):(t=qe.exec(e))?et(255*t[1]/100,255*t[2]/100,255*t[3]/100,t[4]):(t=Fe.exec(e))?ut(t[1],t[2]/100,t[3]/100,1):(t=We.exec(e))?ut(t[1],t[2]/100,t[3]/100,t[4]):Ke.hasOwnProperty(e)?Je(Ke[e]):"transparent"===e?new nt(NaN,NaN,NaN,0):null}function Je(e){return new nt(e>>16&255,e>>8&255,255&e,1)}function et(e,t,n,o){return o<=0&&(e=t=n=NaN),new nt(e,t,n,o)}function tt(e,t,n,o){return 1===arguments.length?((r=e)instanceof ze||(r=Qe(r)),r?new nt((r=r.rgb()).r,r.g,r.b,r.opacity):new nt):new nt(e,t,n,null==o?1:o);var r}function nt(e,t,n,o){this.r=+e,this.g=+t,this.b=+n,this.opacity=+o}function ot(){return`#${st(this.r)}${st(this.g)}${st(this.b)}`}function rt(){const e=it(this.opacity);return`${1===e?"rgb(":"rgba("}${at(this.r)}, ${at(this.g)}, ${at(this.b)}${1===e?")":`, ${e})`}`}function it(e){return isNaN(e)?1:Math.max(0,Math.min(1,e))}function at(e){return Math.max(0,Math.min(255,Math.round(e)||0))}function st(e){return((e=at(e))<16?"0":"")+e.toString(16)}function ut(e,t,n,o){return o<=0?e=t=n=NaN:n<=0||n>=1?e=t=NaN:t<=0&&(e=NaN),new lt(e,t,n,o)}function ct(e){if(e instanceof lt)return new lt(e.h,e.s,e.l,e.opacity);if(e instanceof ze||(e=Qe(e)),!e)return new lt;if(e instanceof lt)return e;var t=(e=e.rgb()).r/255,n=e.g/255,o=e.b/255,r=Math.min(t,n,o),i=Math.max(t,n,o),a=NaN,s=i-r,u=(i+r)/2;return s?(a=t===i?(n-o)/s+6*(n<o):n===i?(o-t)/s+2:(t-n)/s+4,s/=u<.5?i+r:2-i-r,a*=60):s=u>0&&u<1?0:a,new lt(a,s,u,e.opacity)}function lt(e,t,n,o){this.h=+e,this.s=+t,this.l=+n,this.opacity=+o}function dt(e){return(e=(e||0)%360)<0?e+360:e}function ht(e){return Math.max(0,Math.min(1,e||0))}function ft(e,t,n){return 255*(e<60?t+(n-t)*e/60:e<180?n:e<240?t+(n-t)*(240-e)/60:t)}Te(ze,Qe,{copy(e){return Object.assign(new this.constructor,this,e)},displayable(){return this.rgb().displayable()},hex:He,formatHex:He,formatHex8:function(){return this.rgb().formatHex8()},formatHsl:function(){return ct(this).formatHsl()},formatRgb:Ge,toString:Ge}),Te(nt,tt,je(ze,{brighter(e){return e=null==e?De:Math.pow(De,e),new nt(this.r*e,this.g*e,this.b*e,this.opacity)},darker(e){return e=null==e?Re:Math.pow(Re,e),new nt(this.r*e,this.g*e,this.b*e,this.opacity)},rgb(){return this},clamp(){return new nt(at(this.r),at(this.g),at(this.b),it(this.opacity))},displayable(){return-.5<=this.r&&this.r<255.5&&-.5<=this.g&&this.g<255.5&&-.5<=this.b&&this.b<255.5&&0<=this.opacity&&this.opacity<=1},hex:ot,formatHex:ot,formatHex8:function(){return`#${st(this.r)}${st(this.g)}${st(this.b)}${st(255*(isNaN(this.opacity)?1:this.opacity))}`},formatRgb:rt,toString:rt})),Te(lt,(function(e,t,n,o){return 1===arguments.length?ct(e):new lt(e,t,n,null==o?1:o)}),je(ze,{brighter(e){return e=null==e?De:Math.pow(De,e),new lt(this.h,this.s,this.l*e,this.opacity)},darker(e){return e=null==e?Re:Math.pow(Re,e),new lt(this.h,this.s,this.l*e,this.opacity)},rgb(){var e=this.h%360+360*(this.h<0),t=isNaN(e)||isNaN(this.s)?0:this.s,n=this.l,o=n+(n<.5?n:1-n)*t,r=2*n-o;return new nt(ft(e>=240?e-240:e+120,r,o),ft(e,r,o),ft(e<120?e+240:e-120,r,o),this.opacity)},clamp(){return new lt(dt(this.h),ht(this.s),ht(this.l),it(this.opacity))},displayable(){return(0<=this.s&&this.s<=1||isNaN(this.s))&&0<=this.l&&this.l<=1&&0<=this.opacity&&this.opacity<=1},formatHsl(){const e=it(this.opacity);return`${1===e?"hsl(":"hsla("}${dt(this.h)}, ${100*ht(this.s)}%, ${100*ht(this.l)}%${1===e?")":`, ${e})`}`}}));var gt=e=>()=>e;function pt(e){return 1==(e=+e)?mt:function(t,n){return n-t?function(e,t,n){return e=Math.pow(e,n),t=Math.pow(t,n)-e,n=1/n,function(o){return Math.pow(e+o*t,n)}}(t,n,e):gt(isNaN(t)?n:t)}}function mt(e,t){var n=t-e;return n?function(e,t){return function(n){return e+n*t}}(e,n):gt(isNaN(e)?t:e)}var yt=function e(t){var n=pt(t);function o(e,t){var o=n((e=tt(e)).r,(t=tt(t)).r),r=n(e.g,t.g),i=n(e.b,t.b),a=mt(e.opacity,t.opacity);return function(t){return e.r=o(t),e.g=r(t),e.b=i(t),e.opacity=a(t),e+""}}return o.gamma=e,o}(1);function vt(e,t){return e=+e,t=+t,function(n){return e*(1-n)+t*n}}var xt=/[-+]?(?:\d+\.?\d*|\.?\d+)(?:[eE][-+]?\d+)?/g,bt=new RegExp(xt.source,"g");function wt(e,t){var n,o,r,i=xt.lastIndex=bt.lastIndex=0,a=-1,s=[],u=[];for(e+="",t+="";(n=xt.exec(e))&&(o=bt.exec(t));)(r=o.index)>i&&(r=t.slice(i,r),s[a]?s[a]+=r:s[++a]=r),(n=n[0])===(o=o[0])?s[a]?s[a]+=o:s[++a]=o:(s[++a]=null,u.push({i:a,x:vt(n,o)})),i=bt.lastIndex;return i<t.length&&(r=t.slice(i),s[a]?s[a]+=r:s[++a]=r),s.length<2?u[0]?function(e){return function(t){return e(t)+""}}(u[0].x):function(e){return function(){return e}}(t):(t=u.length,function(e){for(var n,o=0;o<t;++o)s[(n=u[o]).i]=n.x(e);return s.join("")})}var _t,Et=180/Math.PI,St={translateX:0,translateY:0,rotate:0,skewX:0,scaleX:1,scaleY:1};function Pt(e,t,n,o,r,i){var a,s,u;return(a=Math.sqrt(e*e+t*t))&&(e/=a,t/=a),(u=e*n+t*o)&&(n-=e*u,o-=t*u),(s=Math.sqrt(n*n+o*o))&&(n/=s,o/=s,u/=s),e*o<t*n&&(e=-e,t=-t,u=-u,a=-a),{translateX:r,translateY:i,rotate:Math.atan2(t,e)*Et,skewX:Math.atan(u)*Et,scaleX:a,scaleY:s}}function Nt(e,t,n,o){function r(e){return e.length?e.pop()+" ":""}return function(i,a){var s=[],u=[];return i=e(i),a=e(a),function(e,o,r,i,a,s){if(e!==r||o!==i){var u=a.push("translate(",null,t,null,n);s.push({i:u-4,x:vt(e,r)},{i:u-2,x:vt(o,i)})}else(r||i)&&a.push("translate("+r+t+i+n)}(i.translateX,i.translateY,a.translateX,a.translateY,s,u),function(e,t,n,i){e!==t?(e-t>180?t+=360:t-e>180&&(e+=360),i.push({i:n.push(r(n)+"rotate(",null,o)-2,x:vt(e,t)})):t&&n.push(r(n)+"rotate("+t+o)}(i.rotate,a.rotate,s,u),function(e,t,n,i){e!==t?i.push({i:n.push(r(n)+"skewX(",null,o)-2,x:vt(e,t)}):t&&n.push(r(n)+"skewX("+t+o)}(i.skewX,a.skewX,s,u),function(e,t,n,o,i,a){if(e!==n||t!==o){var s=i.push(r(i)+"scale(",null,",",null,")");a.push({i:s-4,x:vt(e,n)},{i:s-2,x:vt(t,o)})}else 1===n&&1===o||i.push(r(i)+"scale("+n+","+o+")")}(i.scaleX,i.scaleY,a.scaleX,a.scaleY,s,u),i=a=null,function(e){for(var t,n=-1,o=u.length;++n<o;)s[(t=u[n]).i]=t.x(e);return s.join("")}}}var Mt=Nt((function(e){const t=new("function"==typeof DOMMatrix?DOMMatrix:WebKitCSSMatrix)(e+"");return t.isIdentity?St:Pt(t.a,t.b,t.c,t.d,t.e,t.f)}),"px, ","px)","deg)"),Ct=Nt((function(e){return null==e?St:(_t||(_t=document.createElementNS("http://www.w3.org/2000/svg","g")),_t.setAttribute("transform",e),(e=_t.transform.baseVal.consolidate())?Pt((e=e.matrix).a,e.b,e.c,e.d,e.e,e.f):St)}),", ",")",")");function kt(e){return((e=Math.exp(e))+1/e)/2}var $t,At,Bt=function e(t,n,o){function r(e,r){var i,a,s=e[0],u=e[1],c=e[2],l=r[0],d=r[1],h=r[2],f=l-s,g=d-u,p=f*f+g*g;if(p<1e-12)a=Math.log(h/c)/t,i=function(e){return[s+e*f,u+e*g,c*Math.exp(t*e*a)]};else{var m=Math.sqrt(p),y=(h*h-c*c+o*p)/(2*c*n*m),v=(h*h-c*c-o*p)/(2*h*n*m),x=Math.log(Math.sqrt(y*y+1)-y),b=Math.log(Math.sqrt(v*v+1)-v);a=(b-x)/t,i=function(e){var o,r=e*a,i=kt(x),l=c/(n*m)*(i*(o=t*r+x,((o=Math.exp(2*o))-1)/(o+1))-function(e){return((e=Math.exp(e))-1/e)/2}(x));return[s+l*f,u+l*g,c*i/kt(t*r+x)]}}return i.duration=1e3*a*t/Math.SQRT2,i}return r.rho=function(t){var n=Math.max(.001,+t),o=n*n;return e(n,o,o*o)},r}(Math.SQRT2,2,4),It=0,Tt=0,jt=0,zt=1e3,Rt=0,Dt=0,Ot=0,Xt="object"==typeof performance&&performance.now?performance:Date,Lt="object"==typeof window&&window.requestAnimationFrame?window.requestAnimationFrame.bind(window):function(e){setTimeout(e,17)};function Yt(){return Dt||(Lt(Zt),Dt=Xt.now()+Ot)}function Zt(){Dt=0}function Vt(){this._call=this._time=this._next=null}function Ut(e,t,n){var o=new Vt;return o.restart(e,t,n),o}function qt(){Dt=(Rt=Xt.now())+Ot,It=Tt=0;try{!function(){Yt(),++It;for(var e,t=$t;t;)(e=Dt-t._time)>=0&&t._call.call(void 0,e),t=t._next;--It}()}finally{It=0,function(){var e,t,n=$t,o=1/0;for(;n;)n._call?(o>n._time&&(o=n._time),e=n,n=n._next):(t=n._next,n._next=null,n=e?e._next=t:$t=t);At=e,Wt(o)}(),Dt=0}}function Ft(){var e=Xt.now(),t=e-Rt;t>zt&&(Ot-=t,Rt=e)}function Wt(e){It||(Tt&&(Tt=clearTimeout(Tt)),e-Dt>24?(e<1/0&&(Tt=setTimeout(qt,e-Xt.now()-Ot)),jt&&(jt=clearInterval(jt))):(jt||(Rt=Xt.now(),jt=setInterval(Ft,zt)),It=1,Lt(qt)))}function Kt(e,t,n){var o=new Vt;return t=null==t?0:+t,o.restart((n=>{o.stop(),e(n+t)}),t,n),o}Vt.prototype=Ut.prototype={constructor:Vt,restart:function(e,t,n){if("function"!=typeof e)throw new TypeError("callback is not a function");n=(null==n?Yt():+n)+(null==t?0:+t),this._next||At===this||(At?At._next=this:$t=this,At=this),this._call=e,this._time=n,Wt()},stop:function(){this._call&&(this._call=null,this._time=1/0,Wt())}};var Ht=ve("start","end","cancel","interrupt"),Gt=[],Qt=0,Jt=1,en=2,tn=3,nn=4,on=5,rn=6;function an(e,t,n,o,r,i){var a=e.__transition;if(a){if(n in a)return}else e.__transition={};!function(e,t,n){var o,r=e.__transition;function i(e){n.state=Jt,n.timer.restart(a,n.delay,n.time),n.delay<=e&&a(e-n.delay)}function a(i){var c,l,d,h;if(n.state!==Jt)return u();for(c in r)if((h=r[c]).name===n.name){if(h.state===tn)return Kt(a);h.state===nn?(h.state=rn,h.timer.stop(),h.on.call("interrupt",e,e.__data__,h.index,h.group),delete r[c]):+c<t&&(h.state=rn,h.timer.stop(),h.on.call("cancel",e,e.__data__,h.index,h.group),delete r[c])}if(Kt((function(){n.state===tn&&(n.state=nn,n.timer.restart(s,n.delay,n.time),s(i))})),n.state=en,n.on.call("start",e,e.__data__,n.index,n.group),n.state===en){for(n.state=tn,o=new Array(d=n.tween.length),c=0,l=-1;c<d;++c)(h=n.tween[c].value.call(e,e.__data__,n.index,n.group))&&(o[++l]=h);o.length=l+1}}function s(t){for(var r=t<n.duration?n.ease.call(null,t/n.duration):(n.timer.restart(u),n.state=on,1),i=-1,a=o.length;++i<a;)o[i].call(e,r);n.state===on&&(n.on.call("end",e,e.__data__,n.index,n.group),u())}function u(){for(var o in n.state=rn,n.timer.stop(),delete r[t],r)return;delete e.__transition}r[t]=n,n.timer=Ut(i,0,n.time)}(e,n,{name:t,index:o,group:r,on:Ht,tween:Gt,time:i.time,delay:i.delay,duration:i.duration,ease:i.ease,timer:null,state:Qt})}function sn(e,t){var n=cn(e,t);if(n.state>Qt)throw new Error("too late; already scheduled");return n}function un(e,t){var n=cn(e,t);if(n.state>tn)throw new Error("too late; already running");return n}function cn(e,t){var n=e.__transition;if(!n||!(n=n[t]))throw new Error("transition not found");return n}function ln(e,t){var n,o,r,i=e.__transition,a=!0;if(i){for(r in t=null==t?null:t+"",i)(n=i[r]).name===t?(o=n.state>en&&n.state<on,n.state=rn,n.timer.stop(),n.on.call(o?"interrupt":"cancel",e,e.__data__,n.index,n.group),delete i[r]):a=!1;a&&delete e.__transition}}function dn(e,t){var n,o;return function(){var r=un(this,e),i=r.tween;if(i!==n)for(var a=0,s=(o=n=i).length;a<s;++a)if(o[a].name===t){(o=o.slice()).splice(a,1);break}r.tween=o}}function hn(e,t,n){var o,r;if("function"!=typeof n)throw new Error;return function(){var i=un(this,e),a=i.tween;if(a!==o){r=(o=a).slice();for(var s={name:t,value:n},u=0,c=r.length;u<c;++u)if(r[u].name===t){r[u]=s;break}u===c&&r.push(s)}i.tween=r}}function fn(e,t,n){var o=e._id;return e.each((function(){var e=un(this,o);(e.value||(e.value={}))[t]=n.apply(this,arguments)})),function(e){return cn(e,o).value[t]}}function gn(e,t){var n;return("number"==typeof t?vt:t instanceof Qe?yt:(n=Qe(t))?(t=n,yt):wt)(e,t)}function pn(e){return function(){this.removeAttribute(e)}}function mn(e){return function(){this.removeAttributeNS(e.space,e.local)}}function yn(e,t,n){var o,r,i=n+"";return function(){var a=this.getAttribute(e);return a===i?null:a===o?r:r=t(o=a,n)}}function vn(e,t,n){var o,r,i=n+"";return function(){var a=this.getAttributeNS(e.space,e.local);return a===i?null:a===o?r:r=t(o=a,n)}}function xn(e,t,n){var o,r,i;return function(){var a,s,u=n(this);if(null!=u)return(a=this.getAttribute(e))===(s=u+"")?null:a===o&&s===r?i:(r=s,i=t(o=a,u));this.removeAttribute(e)}}function bn(e,t,n){var o,r,i;return function(){var a,s,u=n(this);if(null!=u)return(a=this.getAttributeNS(e.space,e.local))===(s=u+"")?null:a===o&&s===r?i:(r=s,i=t(o=a,u));this.removeAttributeNS(e.space,e.local)}}function wn(e,t){var n,o;function r(){var r=t.apply(this,arguments);return r!==o&&(n=(o=r)&&function(e,t){return function(n){this.setAttributeNS(e.space,e.local,t.call(this,n))}}(e,r)),n}return r._value=t,r}function _n(e,t){var n,o;function r(){var r=t.apply(this,arguments);return r!==o&&(n=(o=r)&&function(e,t){return function(n){this.setAttribute(e,t.call(this,n))}}(e,r)),n}return r._value=t,r}function En(e,t){return function(){sn(this,e).delay=+t.apply(this,arguments)}}function Sn(e,t){return t=+t,function(){sn(this,e).delay=t}}function Pn(e,t){return function(){un(this,e).duration=+t.apply(this,arguments)}}function Nn(e,t){return t=+t,function(){un(this,e).duration=t}}var Mn=ge.prototype.constructor;function Cn(e){return function(){this.style.removeProperty(e)}}var kn=0;function $n(e,t,n,o){this._groups=e,this._parents=t,this._name=n,this._id=o}function An(){return++kn}var Bn=ge.prototype;$n.prototype={constructor:$n,select:function(e){var t=this._name,n=this._id;"function"!=typeof e&&(e=l(e));for(var o=this._groups,r=o.length,i=new Array(r),a=0;a<r;++a)for(var s,u,c=o[a],d=c.length,h=i[a]=new Array(d),f=0;f<d;++f)(s=c[f])&&(u=e.call(s,s.__data__,f,c))&&("__data__"in s&&(u.__data__=s.__data__),h[f]=u,an(h[f],t,n,f,h,cn(s,n)));return new $n(i,this._parents,t,n)},selectAll:function(e){var t=this._name,n=this._id;"function"!=typeof e&&(e=h(e));for(var o=this._groups,r=o.length,i=[],a=[],s=0;s<r;++s)for(var u,c=o[s],l=c.length,d=0;d<l;++d)if(u=c[d]){for(var f,g=e.call(u,u.__data__,d,c),p=cn(u,n),m=0,y=g.length;m<y;++m)(f=g[m])&&an(f,t,n,m,g,p);i.push(g),a.push(u)}return new $n(i,a,t,n)},selectChild:Bn.selectChild,selectChildren:Bn.selectChildren,filter:function(e){"function"!=typeof e&&(e=g(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a=t[r],s=a.length,u=o[r]=[],c=0;c<s;++c)(i=a[c])&&e.call(i,i.__data__,c,a)&&u.push(i);return new $n(o,this._parents,this._name,this._id)},merge:function(e){if(e._id!==this._id)throw new Error;for(var t=this._groups,n=e._groups,o=t.length,r=n.length,i=Math.min(o,r),a=new Array(o),s=0;s<i;++s)for(var u,c=t[s],l=n[s],d=c.length,h=a[s]=new Array(d),f=0;f<d;++f)(u=c[f]||l[f])&&(h[f]=u);for(;s<o;++s)a[s]=t[s];return new $n(a,this._parents,this._name,this._id)},selection:function(){return new Mn(this._groups,this._parents)},transition:function(){for(var e=this._name,t=this._id,n=An(),o=this._groups,r=o.length,i=0;i<r;++i)for(var a,s=o[i],u=s.length,c=0;c<u;++c)if(a=s[c]){var l=cn(a,t);an(a,e,n,c,s,{time:l.time+l.delay+l.duration,delay:0,duration:l.duration,ease:l.ease})}return new $n(o,this._parents,e,n)},call:Bn.call,nodes:Bn.nodes,node:Bn.node,size:Bn.size,empty:Bn.empty,each:Bn.each,on:function(e,t){var n=this._id;return arguments.length<2?cn(this.node(),n).on.on(e):this.each(function(e,t,n){var o,r,i=function(e){return(e+"").trim().split(/^|\s+/).every((function(e){var t=e.indexOf(".");return t>=0&&(e=e.slice(0,t)),!e||"start"===e}))}(t)?sn:un;return function(){var a=i(this,e),s=a.on;s!==o&&(r=(o=s).copy()).on(t,n),a.on=r}}(n,e,t))},attr:function(e,t){var n=i(e),o="transform"===n?Ct:gn;return this.attrTween(e,"function"==typeof t?(n.local?bn:xn)(n,o,fn(this,"attr."+e,t)):null==t?(n.local?mn:pn)(n):(n.local?vn:yn)(n,o,t))},attrTween:function(e,t){var n="attr."+e;if(arguments.length<2)return(n=this.tween(n))&&n._value;if(null==t)return this.tween(n,null);if("function"!=typeof t)throw new Error;var o=i(e);return this.tween(n,(o.local?wn:_n)(o,t))},style:function(e,t,n){var o="transform"==(e+="")?Mt:gn;return null==t?this.styleTween(e,function(e,t){var n,o,r;return function(){var i=R(this,e),a=(this.style.removeProperty(e),R(this,e));return i===a?null:i===n&&a===o?r:r=t(n=i,o=a)}}(e,o)).on("end.style."+e,Cn(e)):"function"==typeof t?this.styleTween(e,function(e,t,n){var o,r,i;return function(){var a=R(this,e),s=n(this),u=s+"";return null==s&&(this.style.removeProperty(e),u=s=R(this,e)),a===u?null:a===o&&u===r?i:(r=u,i=t(o=a,s))}}(e,o,fn(this,"style."+e,t))).each(function(e,t){var n,o,r,i,a="style."+t,s="end."+a;return function(){var u=un(this,e),c=u.on,l=null==u.value[a]?i||(i=Cn(t)):void 0;c===n&&r===l||(o=(n=c).copy()).on(s,r=l),u.on=o}}(this._id,e)):this.styleTween(e,function(e,t,n){var o,r,i=n+"";return function(){var a=R(this,e);return a===i?null:a===o?r:r=t(o=a,n)}}(e,o,t),n).on("end.style."+e,null)},styleTween:function(e,t,n){var o="style."+(e+="");if(arguments.length<2)return(o=this.tween(o))&&o._value;if(null==t)return this.tween(o,null);if("function"!=typeof t)throw new Error;return this.tween(o,function(e,t,n){var o,r;function i(){var i=t.apply(this,arguments);return i!==r&&(o=(r=i)&&function(e,t,n){return function(o){this.style.setProperty(e,t.call(this,o),n)}}(e,i,n)),o}return i._value=t,i}(e,t,null==n?"":n))},text:function(e){return this.tween("text","function"==typeof e?function(e){return function(){var t=e(this);this.textContent=null==t?"":t}}(fn(this,"text",e)):function(e){return function(){this.textContent=e}}(null==e?"":e+""))},textTween:function(e){var t="text";if(arguments.length<1)return(t=this.tween(t))&&t._value;if(null==e)return this.tween(t,null);if("function"!=typeof e)throw new Error;return this.tween(t,function(e){var t,n;function o(){var o=e.apply(this,arguments);return o!==n&&(t=(n=o)&&function(e){return function(t){this.textContent=e.call(this,t)}}(o)),t}return o._value=e,o}(e))},remove:function(){return this.on("end.remove",function(e){return function(){var t=this.parentNode;for(var n in this.__transition)if(+n!==e)return;t&&t.removeChild(this)}}(this._id))},tween:function(e,t){var n=this._id;if(e+="",arguments.length<2){for(var o,r=cn(this.node(),n).tween,i=0,a=r.length;i<a;++i)if((o=r[i]).name===e)return o.value;return null}return this.each((null==t?dn:hn)(n,e,t))},delay:function(e){var t=this._id;return arguments.length?this.each(("function"==typeof e?En:Sn)(t,e)):cn(this.node(),t).delay},duration:function(e){var t=this._id;return arguments.length?this.each(("function"==typeof e?Pn:Nn)(t,e)):cn(this.node(),t).duration},ease:function(e){var t=this._id;return arguments.length?this.each(function(e,t){if("function"!=typeof t)throw new Error;return function(){un(this,e).ease=t}}(t,e)):cn(this.node(),t).ease},easeVarying:function(e){if("function"!=typeof e)throw new Error;return this.each(function(e,t){return function(){var n=t.apply(this,arguments);if("function"!=typeof n)throw new Error;un(this,e).ease=n}}(this._id,e))},end:function(){var e,t,n=this,o=n._id,r=n.size();return new Promise((function(i,a){var s={value:a},u={value:function(){0==--r&&i()}};n.each((function(){var n=un(this,o),r=n.on;r!==e&&((t=(e=r).copy())._.cancel.push(s),t._.interrupt.push(s),t._.end.push(u)),n.on=t})),0===r&&i()}))},[Symbol.iterator]:Bn[Symbol.iterator]};var In={time:null,delay:0,duration:250,ease:function(e){return((e*=2)<=1?e*e*e:(e-=2)*e*e+2)/2}};function Tn(e,t){for(var n;!(n=e.__transition)||!(n=n[t]);)if(!(e=e.parentNode))throw new Error(`transition ${t} not found`);return n}ge.prototype.interrupt=function(e){return this.each((function(){ln(this,e)}))},ge.prototype.transition=function(e){var t,n;e instanceof $n?(t=e._id,e=e._name):(t=An(),(n=In).time=Yt(),e=null==e?null:e+"");for(var o=this._groups,r=o.length,i=0;i<r;++i)for(var a,s=o[i],u=s.length,c=0;c<u;++c)(a=s[c])&&an(a,e,t,c,s,n||Tn(a,t));return new $n(o,this._parents,e,t)};var jn=e=>()=>e;function zn(e,{sourceEvent:t,target:n,transform:o,dispatch:r}){Object.defineProperties(this,{type:{value:e,enumerable:!0,configurable:!0},sourceEvent:{value:t,enumerable:!0,configurable:!0},target:{value:n,enumerable:!0,configurable:!0},transform:{value:o,enumerable:!0,configurable:!0},_:{value:r}})}function Rn(e,t,n){this.k=e,this.x=t,this.y=n}Rn.prototype={constructor:Rn,scale:function(e){return 1===e?this:new Rn(this.k*e,this.x,this.y)},translate:function(e,t){return 0===e&0===t?this:new Rn(this.k,this.x+this.k*e,this.y+this.k*t)},apply:function(e){return[e[0]*this.k+this.x,e[1]*this.k+this.y]},applyX:function(e){return e*this.k+this.x},applyY:function(e){return e*this.k+this.y},invert:function(e){return[(e[0]-this.x)/this.k,(e[1]-this.y)/this.k]},invertX:function(e){return(e-this.x)/this.k},invertY:function(e){return(e-this.y)/this.k},rescaleX:function(e){return e.copy().domain(e.range().map(this.invertX,this).map(e.invert,e))},rescaleY:function(e){return e.copy().domain(e.range().map(this.invertY,this).map(e.invert,e))},toString:function(){return"translate("+this.x+","+this.y+") scale("+this.k+")"}};var Dn,On=new Rn(1,0,0);function Xn(e){for(;!e.__zoom;)if(!(e=e.parentNode))return On;return e.__zoom}function Ln(e){e.stopImmediatePropagation()}function Yn(e){e.preventDefault(),e.stopImmediatePropagation()}function Zn(e){return!(e.ctrlKey&&"wheel"!==e.type||e.button)}function Vn(){var e=this;return e instanceof SVGElement?(e=e.ownerSVGElement||e).hasAttribute("viewBox")?[[(e=e.viewBox.baseVal).x,e.y],[e.x+e.width,e.y+e.height]]:[[0,0],[e.width.baseVal.value,e.height.baseVal.value]]:[[0,0],[e.clientWidth,e.clientHeight]]}function Un(){return this.__zoom||On}function qn(e){return-e.deltaY*(1===e.deltaMode?.05:e.deltaMode?1:.002)*(e.ctrlKey?10:1)}function Fn(){return navigator.maxTouchPoints||"ontouchstart"in this}function Wn(e,t,n){var o=e.invertX(t[0][0])-n[0][0],r=e.invertX(t[1][0])-n[1][0],i=e.invertY(t[0][1])-n[0][1],a=e.invertY(t[1][1])-n[1][1];return e.translate(r>o?(o+r)/2:Math.min(0,o)||Math.max(0,r),a>i?(i+a)/2:Math.min(0,i)||Math.max(0,a))}Xn.prototype=Rn.prototype,e.Position=void 0,(Dn=e.Position||(e.Position={})).Left="left",Dn.Top="top",Dn.Right="right",Dn.Bottom="bottom";const Kn="internals";e.MarkerType=void 0,(e.MarkerType||(e.MarkerType={})).Arrow="arrow";const Hn=e=>({width:e.offsetWidth,height:e.offsetHeight}),Gn=(e,t,n,o)=>{const r=t.querySelectorAll(e);if(!r||!r.length)return null;const i=Array.from(r),a=t.getBoundingClientRect(),s=a.width*o[0],u=a.height*o[1];return i.map((e=>{const t=e.getBoundingClientRect();return{id:e.getAttribute("data-portid"),position:e.dataset.portPosition,x:(t.left-a.left-s)/n,y:(t.top-a.top-u)/n,...Hn(e)}}))},Qn=e=>"clientX"in e,Jn=(e,t)=>{const n=Qn(e),o=n?e.clientX:e.touches?.[0].clientX,r=n?e.clientY:e.touches?.[0].clientY;return{x:o-(t?.left??0),y:r-(t?.top??0)}},eo=({x:e,y:t},[n,o,r])=>({x:(e-n)/r,y:(t-o)/r}),to=({x:e,y:t},[n,o,r])=>({x:e*r+n,y:t*r+o}),no=(e,{transform:t,gridStep:n,centerStep:o})=>{const{x:r,y:i}=Jn(e),a=eo({x:r,y:i},t);return{getStepPosition:(e={position:a})=>{const{position:t,nodeSize:r}=e;if(!n)return t;let i=n[0]*Math.round(t.x/n[0]),s=n[1]*Math.round(t.y/n[1]);if(o&&r){const e=(n[0]-r.width)/2,o=(n[1]-r.height)/2,a=t.x-e,u=t.y-o;i=n[0]*Math.round(a/n[0])+e,s=n[1]*Math.round(u/n[1])+o}return{x:i,y:s}},...a}},oo={"001":()=>"Seems like you have not used zustand provider as an ancestor","002":()=>"It looks like you`ve created a new nodeTypes or edgeTypes object. If this wasn`t on purpose please define the nodeTypes/edgeTypes outside of the component or memoize them.","010":e=>`Node type "${e}" not found. Using fallback type "default".`,"011":()=>"Only child nodes can use a parent extent","020":()=>"Can`t create edge. An edge needs a source and a target.","021":e=>`The old edge with id=${e} does not exist.`,"022":e=>`Marker type "${e}" doesn't exist.`},ro=(e,t=0,n=1)=>Math.min(Math.max(e,t),n),io=(e,t,n,o)=>{const r=t-n;return e<n?ro(Math.abs(e-n),1,50)/50*o:e>r?-ro(Math.abs(e-r),1,50)/50*o:0},ao=(e,t)=>[io(e.x,t.width,30,10),io(e.y,t.height,30,10)],so=({x:e,y:t,width:n,height:o})=>({x:e,y:t,x2:e+n,y2:t+o}),uo=({x:e,y:t,x2:n,y2:o})=>({x:e,y:t,width:n-e,height:o-t}),co=e=>!isNaN(e)&&isFinite(e),lo=(e={x:0,y:0},t)=>({x:ro(e.x,t[0][0],t[1][0]),y:ro(e.y,t[0][1],t[1][1])}),ho=e=>"source"in e&&"target"in e,fo=(e,t=[0,0])=>{if(!e)return{x:0,y:0,positionAbsolute:{x:0,y:0}};const n=(e.width??0)*t[0],o=(e.height??0)*t[1],r={x:e.position.x-n,y:e.position.y-o};return{...r,positionAbsolute:e.positionAbsolute?{x:e.positionAbsolute.x-n,y:e.positionAbsolute.y-o}:r}},go=(e,t,[n,o,r]=[0,0,1],i=!1,a=!1,s=[0,0])=>{const u={x:(t.x-n)/r,y:(t.y-o)/r,width:t.width/r,height:t.height/r},c=[];return e.forEach((e=>{const{width:t,height:n,selectable:o=!0,hidden:r=!1}=e;if(a&&!o||r)return!1;const{positionAbsolute:l}=fo(e,s),d={x:l.x,y:l.y,width:t||0,height:n||0},h=((e,t)=>{const n=Math.max(0,Math.min(e.x+e.width,t.x+t.width)-Math.max(e.x,t.x)),o=Math.max(0,Math.min(e.y+e.height,t.y+t.height)-Math.max(e.y,t.y));return Math.ceil(n*o)})(u,d);(void 0===t||void 0===n||null===t||null===n||i&&h>0||h>=(t||0)*(n||0)||e.dragging)&&c.push(e)})),c},po=(e,t=[0,0])=>{if(0===e.length)return{x:0,y:0,width:0,height:0};const n=e.reduce(((e,n)=>{const{x:o,y:r}=fo(n,t).positionAbsolute,i=so({x:o,y:r,width:n.width||0,height:n.height||0});return a=e,s=i,{x:Math.min(a.x,s.x),y:Math.min(a.y,s.y),x2:Math.max(a.x2,s.x2),y2:Math.max(a.y2,s.y2)};var a,s}),{x:1/0,y:1/0,x2:-1/0,y2:-1/0});return uo(n)},mo=(e,t)=>{if(void 0===e)return"";if("string"==typeof e)return e;return`${t?`${t}__`:""}${Object.keys(e).sort().map((t=>`${t}=${e[t]}`)).join("&")}`},yo=({sourceX:e,sourceY:t,targetX:n,targetY:o})=>{const r=Math.abs(n-e)/2,i=n<e?n+r:n-r,a=Math.abs(o-t)/2;return[i,o<t?o+a:o-a,r,a]},vo=({source:e,sourcePort:t,target:n,targetPort:o})=>`react-diagram__edge-${e}${t}-${n}${o}`,xo={[e.Position.Left]:{x:-1,y:0},[e.Position.Right]:{x:1,y:0},[e.Position.Top]:{x:0,y:-1},[e.Position.Bottom]:{x:0,y:1}},bo=(e,t)=>Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2)),wo=({source:t,sourcePosition:n=e.Position.Bottom,target:o,targetPosition:r=e.Position.Top,center:i,offset:a})=>{const s=xo[n],u=xo[r],c={x:t.x+s.x*a,y:t.y+s.y*a},l={x:o.x+u.x*a,y:o.y+u.y*a},d=(({source:t,sourcePosition:n=e.Position.Bottom,target:o})=>n===e.Position.Left||n===e.Position.Right?t.x<o.x?{x:1,y:0}:{x:-1,y:0}:t.y<o.y?{x:0,y:1}:{x:0,y:-1})({source:c,sourcePosition:n,target:l}),h=0!==d.x?"x":"y",f=d[h];let g=[],p=0,m=0;const[y,v,x,b]=yo({sourceX:t.x,sourceY:t.y,targetX:o.x,targetY:o.y});if(s[h]*u[h]==-1){p=i.x||y,m=i.y||v;const e=[{x:p,y:c.y},{x:p,y:l.y}],t=[{x:c.x,y:m},{x:l.x,y:m}];g=s[h]!==f?"x"===h?t:e:"x"===h?e:t}return[[t,c,...g,l,o],p,m,x,b]},_o=({sourceX:t,sourceY:n,sourcePosition:o=e.Position.Bottom,targetX:r,targetY:i,targetPosition:a=e.Position.Top,borderRadius:s=5,centerX:u,centerY:c,offset:l=20})=>{const[d,h,f,g,p]=wo({source:{x:t,y:n},sourcePosition:o,target:{x:r,y:i},targetPosition:a,center:{x:u,y:c},offset:l});return[d.reduce(((e,t,n)=>{let o="";return o=n>0&&n<d.length-1?((e,t,n,o)=>{const r=Math.min(bo(e,t)/2,bo(t,n)/2,o),{x:i,y:a}=t;if(e.x===i&&i===n.x||e.y===a&&a===n.y)return`L${i} ${a}`;if(e.y===a)return`L ${i+r*(e.x<n.x?-1:1)},${a}Q ${i},${a} ${i},${a+r*(e.y<n.y?1:-1)}`;const s=e.x<n.x?1:-1;return`L ${i},${a+r*(e.y<n.y?-1:1)}Q ${i},${a} ${i+r*s},${a}`})(d[n-1],t,d[n+1],s):`${0===n?"M":"L"}${t.x} ${t.y}`,e+=o}),""),h,f,g,p]},Eo=({sourceX:e,sourceY:t,targetX:n,targetY:o})=>{const[r,i,a,s]=yo({sourceX:e,sourceY:t,targetX:n,targetY:o});return[`M ${e},${t}L ${n},${o}`,r,i,a,s]},So=({sourceX:e,sourceY:t,targetX:n,targetY:o,sourceControlX:r,sourceControlY:i,targetControlX:a,targetControlY:s})=>{const u=.125,c=.375,l=e*u+r*c+a*c+n*u,d=t*u+i*c+s*c+o*u;return[l,d,Math.abs(l-e),Math.abs(d-t)]},Po=(e,t)=>e>=0?.5*e:25*t*Math.sqrt(-e),No=({pos:t,x1:n,y1:o,x2:r,y2:i,c:a})=>{switch(t){case e.Position.Left:return[n-Po(n-r,a),o];case e.Position.Right:return[n+Po(r-n,a),o];case e.Position.Top:return[n,o-Po(o-i,a)];case e.Position.Bottom:return[n,o+Po(i-o,a)]}},Mo=({sourceX:t,sourceY:n,sourcePosition:o=e.Position.Bottom,targetX:r,targetY:i,targetPosition:a=e.Position.Top,curvature:s=.25})=>{const[u,c]=No({pos:o,x1:t,y1:n,x2:r,y2:i,c:s}),[l,d]=No({pos:a,x1:r,y1:i,x2:t,y2:n,c:s}),[h,f,g,p]=So({sourceX:t,sourceY:n,targetX:r,targetY:i,sourceControlX:u,sourceControlY:c,targetControlX:l,targetControlY:d});return[`M${t},${n} C${u},${c} ${l},${d} ${r},${i}`,h,f,g,p]};function Co(e,t,n,o){if(!e.parentNode)return n;const r=t.get(e.parentNode),i=fo(r,o);return Co(r,t,{x:(n.x??0)+i.x,y:(n.y??0)+i.y,z:(r[Kn]?.z??0)>(n.z??0)?r[Kn]?.z??0:n.z??0},o)}function ko(e,t,n){e.forEach((o=>{if(o.parentNode&&!e.has(o.parentNode))throw new Error(`Parent node ${o.parentNode} not found`);if(o.parentNode||n?.[o.id]){const{x:r,y:i,z:a}=Co(o,e,{...o.position,z:o[Kn]?.z??0},t);o.positionAbsolute={x:r,y:i},o[Kn].z=a,n?.[o.id]&&(o[Kn].isParent=!0)}}))}function $o(e,t,n,o){const r=new Map,i={},a=o?1e3:0;return e.forEach((e=>{const n=(co(e.zIndex)?e.zIndex:0)+(e.selected?a:0),o=t.get(e.id),s={width:o?.width,height:o?.height,...e,positionAbsolute:{x:e.position.x,y:e.position.y}};e.parentNode&&(s.parentNode=e.parentNode,i[e.parentNode]=!0),Object.defineProperty(s,Kn,{enumerable:!1,value:{portBounds:o?.[Kn]?.portBounds,z:n}}),r.set(e.id,s)})),ko(r,n,i),r}function Ao(e,t){const{id:n,width:o,height:r,positionAbsolute:i}=e;if(!o||!r)return!1;let a=!1;for(const[e,s]of t){if(n===e)continue;const{positionAbsolute:t,width:u,height:c}=s;if(!u||!c)continue;if(!t||!i)continue;const l=t.x+u>=i.x,d=i.x+o>=t.x,h=t.y+c>=i.y,f=i.y+r>=t.y;if(l&&d&&h&&f){a=!0;break}}return a}const Bo=(e,t,n,o)=>(t[n]||[]).reduce(((t,r)=>(`${e.id}-${r.id}-${n}`!==o&&t.push({portId:r.id||null,portType:n,nodeId:e.id,x:(e.positionAbsolute?.x??0)+r.x+r.width/2,y:(e.positionAbsolute?.y??0)+r.y+r.height/2}),t)),[]),Io=e=>e?.classList.contains("target")?"target":e?.classList.contains("source")?"source":null;let To=null;const jo=({isAnchor:e=!1,event:t,nodeId:n,portId:o,portType:r,domNode:i,autoPanOnConnect:a,connectionRadius:s,nodes:u,getTransform:c,cancelConnection:l,onConnectStart:d,onConnect:h,onConnectEnd:f,onEdgeUpdateEnd:g,panBy:p,updateConnection:m})=>{const y=(v=t.target,v.getRootNode?.()||window?.document);var v;const x=i?.getBoundingClientRect(),{x:b,y:w}=Jn(t),_=y?.elementFromPoint(b,w),E=e?r:Io(_),S=(({nodes:e,nodeId:t,portId:n,portType:o})=>e.reduce(((e,r)=>{if(r[Kn]){const{portBounds:i}=r[Kn];let a=[],s=[];i&&(a=Bo(r,i,"source",`${t}-${n}-${o}`),s=Bo(r,i,"target",`${t}-${n}-${o}`)),e.push(...a,...s)}return e}),[]))({nodes:u,nodeId:n,portId:o,portType:r});let P=Jn(t,x),N=null,M=!1,C=null,k=0,$=!1;if(!x||!r)return;const A=()=>{if(!a)return;const[e,t]=ao(P,x);p({x:e,y:t}),k=requestAnimationFrame(A)};To={nodeId:n,portId:o,portType:E},m({connectionPosition:P,connectionStartPort:To,connectionEndPort:null}),d?.(t,{nodeId:n,portId:o,portType:r});const B=e=>{const t=c();P=Jn(e,x),N=((e,t,n)=>{let o=null,r=1/0;return n.forEach((n=>{const i=Math.sqrt(Math.pow(n.x-e.x,2)+Math.pow(n.y-e.y,2));i<=t&&i<r&&(r=i,o=n)})),o})(eo(P,t),s,S),$||(A(),$=!0);const i=((e,t,n,o,r,i)=>{const a="target"===r,s={isValid:!1,connection:null,endPort:null},u=i.querySelector(`.react-diagram__port[data-id="${t?.nodeId}-${t?.portId}-${t?.portType}"]`),{x:c,y:l}=Jn(e),d=i.elementFromPoint(c,l),h=d?.classList.contains("react-diagram__port")?d:u;if(h){const e=Io(h),r=h.getAttribute("data-nodeid"),i=h.getAttribute("data-portid"),u={source:a?r:n,target:a?n:r,sourcePort:a?t?.portId||null:o,targetPort:a?o:t?.portId||null};s.connection=u,(a&&"source"===e||!a&&"target"===e)&&(s.isValid=!0,s.endPort={nodeId:r,portId:i,portType:e})}return s})(e,N,n,o,r,y);M=i.isValid,C=i.connection,m({connectionPosition:N&&M?to(N,t):P,connectionStartPort:To,connectionEndPort:i.endPort})},I=e=>{M&&C&&h?.(C),f?.(e),r&&g?.(e),l(),cancelAnimationFrame(k),M=!1,C=null,$=!1,y.removeEventListener("mousemove",B),y.removeEventListener("mouseup",I),y.removeEventListener("touchmove",B),y.removeEventListener("touchend",I)};y.addEventListener("mousemove",B),y.addEventListener("mouseup",I),y.addEventListener("touchmove",B),y.addEventListener("touchend",I)},zo=(e,t)=>{if(!e.parentNode)return!1;const n=t.get(e.parentNode);return!!n&&(!!n.selected||zo(n,t))},Ro=(e,t)=>e.x!==t.x||e.y!==t.y,Do=({nodeId:e,dragItems:t,nodeInternals:n})=>{const o=t.map((e=>({...n.get(e.id),position:e.position,positionAbsolute:e.positionAbsolute})));return[e?o.find((t=>t.id===e)):o[0],o]},Oo=({getStore:e,onNodeMouseDown:t,onDragStart:n,onDrag:o,onDragEnd:r})=>{let i=[],a=null,s={x:0,y:0},u={x:0,y:0},c=null,l=!1,d=0,h=null;return{update:({domNode:f,nodeId:g,noDragClassName:p})=>{const m=(t,n=!1)=>o=>{if(!("distance"in o))return;const{nodeInternals:r,nodeExtent:i,nodeOrigin:a,smoothStep:s,gridStep:u}=e(),{distance:c,width:l,height:d}=o,{x:h,y:f,getStepPosition:g}=t;let p={x:h-c.x,y:f-c.y};if(u&&g){const e=g({position:p,nodeSize:{width:l,height:d}});(!s||s&&n)&&(p=e)}const m=((e,t,n,o,r=[0,0])=>{let i=e.extent||o;if(e.extent&&e.parentNode){const t=n.get(e.parentNode),{x:o,y:a}=fo(t,r).positionAbsolute;i=[[e.extent[0][0]+o,e.extent[0][1]+a],[e.extent[1][0]+o,e.extent[1][1]+a]]}let a={x:0,y:0};if(e.parentNode){const t=n.get(e.parentNode);a=fo(t,r).positionAbsolute}const s=i?lo(t,i):t;return{position:{x:s.x-a.x,y:s.y-a.y},positionAbsolute:s}})(o,p,r,i,a);Ro(o.position,m.position)&&(o.position=m.position,o.positionAbsolute=m.positionAbsolute)};h=pe(f);const y=t=>{const{nodeInternals:n,updateNodesPosition:r}=e(),{x:a,y:s}=t;if(u={x:a,y:s},r(i,!0,m(t)),o&&c){const[e,t]=Do({nodeId:g,dragItems:i,nodeInternals:n});o(c,i,e,t)}},v=()=>{if(!a)return;const[t,n]=ao(s,a);if(0!==t||0!==n){const{transform:o,panBy:r}=e();u.x-=t/o[2],u.y-=n/o[2],y(u),r({x:t,y:n})}d=requestAnimationFrame(v)},x=o=>{const{nodeInternals:r,nodesDraggable:u,domNode:c,transform:l,gridStep:d,centerStep:h}=e();g&&t?.(g);const f=no(o.sourceEvent,{transform:l,gridStep:d,centerStep:h});if(i=((e,t,n,o)=>Array.from(e.values()).filter((n=>{const r=n.width&&n.height,i=n.selected||n.id===o,a=!n.parentNode||!zo(n,e),s=n.draggable||t&&void 0===n.draggable;return r&&i&&a&&s})).map((e=>({id:e.id,position:e.position||{x:0,y:0},positionAbsolute:e.positionAbsolute||{x:0,y:0},distance:{x:n.x-(e.positionAbsolute?.x??0),y:n.y-(e.positionAbsolute?.y??0)},extent:e.extent,parentNode:e.parentNode,width:e.width||0,height:e.height||0}))))(r,u,f,g),n&&i){const[e,t]=Do({nodeId:g,dragItems:i,nodeInternals:r});n?.(o.sourceEvent,i,e,t)}a=c?.getBoundingClientRect()||null,s=Jn(o.sourceEvent,a)},b=function(){var e,t,n,o,r=$e,i=Ae,a=Be,s=Ie,u={},c=ve("start","drag","end"),l=0,d=0;function h(e){e.on("mousedown.drag",f).filter(s).on("touchstart.drag",m).on("touchmove.drag",y,_e).on("touchend.drag touchcancel.drag",v).style("touch-action","none").style("-webkit-tap-highlight-color","rgba(0,0,0,0)")}function f(a,s){if(!o&&r.call(this,a,s)){var u=x(this,i.call(this,a,s),a,s,"mouse");u&&(pe(a.view).on("mousemove.drag",g,Ee).on("mouseup.drag",p,Ee),Ne(a.view),Se(a),n=!1,e=a.clientX,t=a.clientY,u("start",a))}}function g(o){if(Pe(o),!n){var r=o.clientX-e,i=o.clientY-t;n=r*r+i*i>d}u.mouse("drag",o)}function p(e){pe(e.view).on("mousemove.drag mouseup.drag",null),Me(e.view,n),Pe(e),u.mouse("end",e)}function m(e,t){if(r.call(this,e,t)){var n,o,a=e.changedTouches,s=i.call(this,e,t),u=a.length;for(n=0;n<u;++n)(o=x(this,s,e,t,a[n].identifier,a[n]))&&(Se(e),o("start",e,a[n]))}}function y(e){var t,n,o=e.changedTouches,r=o.length;for(t=0;t<r;++t)(n=u[o[t].identifier])&&(Pe(e),n("drag",e,o[t]))}function v(e){var t,n,r=e.changedTouches,i=r.length;for(o&&clearTimeout(o),o=setTimeout((function(){o=null}),500),t=0;t<i;++t)(n=u[r[t].identifier])&&(Se(e),n("end",e,r[t]))}function x(e,t,n,o,r,i){var s,d,f,g=c.copy(),p=me(i||n,t);if(null!=(f=a.call(e,new ke("beforestart",{sourceEvent:n,target:h,identifier:r,active:l,x:p[0],y:p[1],dx:0,dy:0,dispatch:g}),o)))return s=f.x-p[0]||0,d=f.y-p[1]||0,function n(i,a,c){var m,y=p;switch(i){case"start":u[r]=n,m=l++;break;case"end":delete u[r],--l;case"drag":p=me(c||a,t),m=l}g.call(i,e,new ke(i,{sourceEvent:a,subject:f,target:h,identifier:r,active:m,x:p[0]+s,y:p[1]+d,dx:p[0]-y[0],dy:p[1]-y[1],dispatch:g}),o)}}return h.filter=function(e){return arguments.length?(r="function"==typeof e?e:Ce(!!e),h):r},h.container=function(e){return arguments.length?(i="function"==typeof e?e:Ce(e),h):i},h.subject=function(e){return arguments.length?(a="function"==typeof e?e:Ce(e),h):a},h.touchable=function(e){return arguments.length?(s="function"==typeof e?e:Ce(!!e),h):s},h.on=function(){var e=c.on.apply(c,arguments);return e===c?h:e},h.clickDistance=function(e){return arguments.length?(d=(e=+e)*e,h):Math.sqrt(d)},h}().on("start",(e=>{x(e)})).on("drag",(t=>{const{transform:n,gridStep:o,centerStep:r,autoPanOnNodeDrag:d,updateNodesIntersection:h}=e(),f=no(t.sourceEvent,{transform:n,gridStep:o,centerStep:r});!l&&d&&(l=!0,v());Ro(u,f.getStepPosition())&&i&&(c=t.sourceEvent,s=Jn(t.sourceEvent,a),y(f),h())})).on("end",(t=>{if(l=!1,cancelAnimationFrame(d),i){const{nodeInternals:n,transform:o,gridStep:a,centerStep:s,smoothStep:u,updateNodesPosition:c,updateNodesIntersection:l}=e();if(!!a&&u){const e=no(t.sourceEvent,{transform:o,gridStep:a,centerStep:s});c(i,!1,m(e,!0)),l()}else c(i,!1);if(r){const[e,o]=Do({nodeId:g,dragItems:i,nodeInternals:n});r(t.sourceEvent,i,e,o)}}})).filter((e=>{const t=e.target;if(!f)return!1;const n=!(e.button||p&&((e,t,n)=>{let o=e;do{if(o?.matches(t))return!0;if(o===n)return!1;o=o.parentElement}while(o);return!1})(t,`.${p}`,f));return n}));h.call(b)},destroy:()=>{h?.on(".drag",null)}}},Xo=e=>{const{x:t,y:n,k:o}=e;return{x:t,y:n,zoom:o}},Lo=({filter:e,onPaneClick:t})=>function(n){if(e&&!e(n))return null;const o=Xn(this),r={x:o.x,y:o.y,zoom:o.k};t&&t?.(n,r)},Yo=({domNode:e,panning:t,minZoom:n,maxZoom:o,viewport:r,translateExtent:i,onTransformChange:a,onPanningChange:s,onPanZoom:u,onPanZoomStart:c,onPanZoomEnd:l,onPaneClick:d})=>{const h={isZoomingOrPanning:!1,timerId:void 0,prevViewport:{x:0,y:0,zoom:0},mouseButton:0,isPanScrolling:!1},f=e.getBoundingClientRect(),g=function(){var e,t,n,o=Zn,r=Vn,i=Wn,a=qn,s=Fn,u=[0,1/0],c=[[-1/0,-1/0],[1/0,1/0]],l=250,d=Bt,h=ve("start","zoom","end"),f=500,g=150,p=0,m=10;function y(e){e.property("__zoom",Un).on("wheel.zoom",S,{passive:!1}).on("mousedown.zoom",P).on("dblclick.zoom",N).filter(s).on("touchstart.zoom",M).on("touchmove.zoom",C).on("touchend.zoom touchcancel.zoom",k).style("-webkit-tap-highlight-color","rgba(0,0,0,0)")}function v(e,t){return(t=Math.max(u[0],Math.min(u[1],t)))===e.k?e:new Rn(t,e.x,e.y)}function x(e,t,n){var o=t[0]-n[0]*e.k,r=t[1]-n[1]*e.k;return o===e.x&&r===e.y?e:new Rn(e.k,o,r)}function b(e){return[(+e[0][0]+ +e[1][0])/2,(+e[0][1]+ +e[1][1])/2]}function w(e,t,n,o){e.on("start.zoom",(function(){_(this,arguments).event(o).start()})).on("interrupt.zoom end.zoom",(function(){_(this,arguments).event(o).end()})).tween("zoom",(function(){var e=this,i=arguments,a=_(e,i).event(o),s=r.apply(e,i),u=null==n?b(s):"function"==typeof n?n.apply(e,i):n,c=Math.max(s[1][0]-s[0][0],s[1][1]-s[0][1]),l=e.__zoom,h="function"==typeof t?t.apply(e,i):t,f=d(l.invert(u).concat(c/l.k),h.invert(u).concat(c/h.k));return function(e){if(1===e)e=h;else{var t=f(e),n=c/t[2];e=new Rn(n,u[0]-t[0]*n,u[1]-t[1]*n)}a.zoom(null,e)}}))}function _(e,t,n){return!n&&e.__zooming||new E(e,t)}function E(e,t){this.that=e,this.args=t,this.active=0,this.sourceEvent=null,this.extent=r.apply(e,t),this.taps=0}function S(e,...t){if(o.apply(this,arguments)){var n=_(this,t).event(e),r=this.__zoom,s=Math.max(u[0],Math.min(u[1],r.k*Math.pow(2,a.apply(this,arguments)))),l=me(e);if(n.wheel)n.mouse[0][0]===l[0]&&n.mouse[0][1]===l[1]||(n.mouse[1]=r.invert(n.mouse[0]=l)),clearTimeout(n.wheel);else{if(r.k===s)return;n.mouse=[l,r.invert(l)],ln(this),n.start()}Yn(e),n.wheel=setTimeout((function(){n.wheel=null,n.end()}),g),n.zoom("mouse",i(x(v(r,s),n.mouse[0],n.mouse[1]),n.extent,c))}}function P(e,...t){if(!n&&o.apply(this,arguments)){var r=e.currentTarget,a=_(this,t,!0).event(e),s=pe(e.view).on("mousemove.zoom",(function(e){if(Yn(e),!a.moved){var t=e.clientX-l,n=e.clientY-d;a.moved=t*t+n*n>p}a.event(e).zoom("mouse",i(x(a.that.__zoom,a.mouse[0]=me(e,r),a.mouse[1]),a.extent,c))}),!0).on("mouseup.zoom",(function(e){s.on("mousemove.zoom mouseup.zoom",null),Me(e.view,a.moved),Yn(e),a.event(e).end()}),!0),u=me(e,r),l=e.clientX,d=e.clientY;Ne(e.view),Ln(e),a.mouse=[u,this.__zoom.invert(u)],ln(this),a.start()}}function N(e,...t){if(o.apply(this,arguments)){var n=this.__zoom,a=me(e.changedTouches?e.changedTouches[0]:e,this),s=n.invert(a),u=n.k*(e.shiftKey?.5:2),d=i(x(v(n,u),a,s),r.apply(this,t),c);Yn(e),l>0?pe(this).transition().duration(l).call(w,d,a,e):pe(this).call(y.transform,d,a,e)}}function M(n,...r){if(o.apply(this,arguments)){var i,a,s,u,c=n.touches,l=c.length,d=_(this,r,n.changedTouches.length===l).event(n);for(Ln(n),a=0;a<l;++a)u=[u=me(s=c[a],this),this.__zoom.invert(u),s.identifier],d.touch0?d.touch1||d.touch0[2]===u[2]||(d.touch1=u,d.taps=0):(d.touch0=u,i=!0,d.taps=1+!!e);e&&(e=clearTimeout(e)),i&&(d.taps<2&&(t=u[0],e=setTimeout((function(){e=null}),f)),ln(this),d.start())}}function C(e,...t){if(this.__zooming){var n,o,r,a,s=_(this,t).event(e),u=e.changedTouches,l=u.length;for(Yn(e),n=0;n<l;++n)r=me(o=u[n],this),s.touch0&&s.touch0[2]===o.identifier?s.touch0[0]=r:s.touch1&&s.touch1[2]===o.identifier&&(s.touch1[0]=r);if(o=s.that.__zoom,s.touch1){var d=s.touch0[0],h=s.touch0[1],f=s.touch1[0],g=s.touch1[1],p=(p=f[0]-d[0])*p+(p=f[1]-d[1])*p,m=(m=g[0]-h[0])*m+(m=g[1]-h[1])*m;o=v(o,Math.sqrt(p/m)),r=[(d[0]+f[0])/2,(d[1]+f[1])/2],a=[(h[0]+g[0])/2,(h[1]+g[1])/2]}else{if(!s.touch0)return;r=s.touch0[0],a=s.touch0[1]}s.zoom("touch",i(x(o,r,a),s.extent,c))}}function k(e,...o){if(this.__zooming){var r,i,a=_(this,o).event(e),s=e.changedTouches,u=s.length;for(Ln(e),n&&clearTimeout(n),n=setTimeout((function(){n=null}),f),r=0;r<u;++r)i=s[r],a.touch0&&a.touch0[2]===i.identifier?delete a.touch0:a.touch1&&a.touch1[2]===i.identifier&&delete a.touch1;if(a.touch1&&!a.touch0&&(a.touch0=a.touch1,delete a.touch1),a.touch0)a.touch0[1]=this.__zoom.invert(a.touch0[0]);else if(a.end(),2===a.taps&&(i=me(i,this),Math.hypot(t[0]-i[0],t[1]-i[1])<m)){var c=pe(this).on("dblclick.zoom");c&&c.apply(this,arguments)}}}return y.transform=function(e,t,n,o){var r=e.selection?e.selection():e;r.property("__zoom",Un),e!==r?w(e,t,n,o):r.interrupt().each((function(){_(this,arguments).event(o).start().zoom(null,"function"==typeof t?t.apply(this,arguments):t).end()}))},y.scaleBy=function(e,t,n,o){y.scaleTo(e,(function(){return this.__zoom.k*("function"==typeof t?t.apply(this,arguments):t)}),n,o)},y.scaleTo=function(e,t,n,o){y.transform(e,(function(){var e=r.apply(this,arguments),o=this.__zoom,a=null==n?b(e):"function"==typeof n?n.apply(this,arguments):n,s=o.invert(a),u="function"==typeof t?t.apply(this,arguments):t;return i(x(v(o,u),a,s),e,c)}),n,o)},y.translateBy=function(e,t,n,o){y.transform(e,(function(){return i(this.__zoom.translate("function"==typeof t?t.apply(this,arguments):t,"function"==typeof n?n.apply(this,arguments):n),r.apply(this,arguments),c)}),null,o)},y.translateTo=function(e,t,n,o,a){y.transform(e,(function(){var e=r.apply(this,arguments),a=this.__zoom,s=null==o?b(e):"function"==typeof o?o.apply(this,arguments):o;return i(On.translate(s[0],s[1]).scale(a.k).translate("function"==typeof t?-t.apply(this,arguments):-t,"function"==typeof n?-n.apply(this,arguments):-n),e,c)}),o,a)},E.prototype={event:function(e){return e&&(this.sourceEvent=e),this},start:function(){return 1==++this.active&&(this.that.__zooming=this,this.emit("start")),this},zoom:function(e,t){return this.mouse&&"mouse"!==e&&(this.mouse[1]=t.invert(this.mouse[0])),this.touch0&&"touch"!==e&&(this.touch0[1]=t.invert(this.touch0[0])),this.touch1&&"touch"!==e&&(this.touch1[1]=t.invert(this.touch1[0])),this.that.__zoom=t,this.emit("zoom"),this},end:function(){return 0==--this.active&&(delete this.that.__zooming,this.emit("end")),this},emit:function(e){var t=pe(this.that).datum();h.call(e,this.that,new zn(e,{sourceEvent:this.sourceEvent,target:y,type:e,transform:this.that.__zoom,dispatch:h}),t)}},y.wheelDelta=function(e){return arguments.length?(a="function"==typeof e?e:jn(+e),y):a},y.filter=function(e){return arguments.length?(o="function"==typeof e?e:jn(!!e),y):o},y.touchable=function(e){return arguments.length?(s="function"==typeof e?e:jn(!!e),y):s},y.extent=function(e){return arguments.length?(r="function"==typeof e?e:jn([[+e[0][0],+e[0][1]],[+e[1][0],+e[1][1]]]),y):r},y.scaleExtent=function(e){return arguments.length?(u[0]=+e[0],u[1]=+e[1],y):[u[0],u[1]]},y.translateExtent=function(e){return arguments.length?(c[0][0]=+e[0][0],c[1][0]=+e[1][0],c[0][1]=+e[0][1],c[1][1]=+e[1][1],y):[[c[0][0],c[0][1]],[c[1][0],c[1][1]]]},y.constrain=function(e){return arguments.length?(i=e,y):i},y.duration=function(e){return arguments.length?(l=+e,y):l},y.interpolate=function(e){return arguments.length?(d=e,y):d},y.on=function(){var e=h.on.apply(h,arguments);return e===h?y:e},y.clickDistance=function(e){return arguments.length?(p=(e=+e)*e,y):Math.sqrt(p)},y.tapDistance=function(e){return arguments.length?(m=+e,y):m},y}().scaleExtent([n,o]).translateExtent(i),p=pe(e).call(g),m=(e,t,n)=>{const o=(({x:e,y:t,zoom:n})=>On.translate(e,t).scale(n))(e),r=g.constrain()(o,t,n);return r&&((e,t)=>{p&&g?.transform(((e,t=0)=>"number"==typeof t&&t>0?e.transition().duration(t):e)(p,t?.duration),e)})(r),r};m({x:r.x,y:r.y,zoom:ro(r.zoom,n,o)},[[0,0],[f.width,f.height]],i);const y=()=>{g.on("zoom",null),g.on("start",null),g.on("end",null),p.on("click.zoom",null)};return{update:({noPanClassName:e,selection:n})=>{n&&!h.isZoomingOrPanning&&y();const o=o=>{if(n)return!1;if(((e,t)=>e.target.closest(`.${t}`))(o,e)&&"wheel"!==o.type)return!1;if(!t)return!1;return!(o.button&&!(o.button<=1))},r=Lo({filter:o,onPaneClick:d});if(p.on("click.zoom",r,{passive:!1}),!n){const e=(({zoomPanValues:e,onPanningChange:t,onPanZoomStart:n})=>o=>{if(o.sourceEvent?.internal)return;const r=Xo(o.transform);e.mouseButton=o.sourceEvent?.button||0,e.isZoomingOrPanning=!0,e.prevViewport=r;const i=o.sourceEvent?.type;t&&("mousedown"!==i&&"touchstart"!==i||t(!0)),n&&n?.(o.sourceEvent,r)})({zoomPanValues:h,onPanningChange:s,onPanZoomStart:c}),t=(({onPanZoom:e,onTransformChange:t})=>n=>{t&&(n.sourceEvent?.sync||t([n.transform.x,n.transform.y,n.transform.k])),e&&!n.sourceEvent?.internal&&e?.(n.sourceEvent,Xo(n.transform))})({onPanZoom:u,onTransformChange:a}),n=(({zoomPanValues:e,onPanningChange:t,onPanZoomEnd:n})=>o=>{if(!o.sourceEvent?.internal&&(e.isZoomingOrPanning=!1,t&&t(!1),n&&((e,t)=>{const{x:n,y:o,zoom:r}=e,{x:i,y:a,k:s}=t;return n!==i||o!==a||r!==s})(e.prevViewport,o.transform))){const t=Xo(o.transform);e.prevViewport=t,clearTimeout(e.timerId),e.timerId=setTimeout((()=>{n?.(o.sourceEvent,t)}),0)}})({zoomPanValues:h,onPanningChange:s,onPanZoomEnd:l});g.on("start",e),g.on("zoom",t),g.on("end",n)}g.filter(o)},destroy:y,getViewport:()=>{const e=p?Xn(p.node()):{x:0,y:0,k:1};return{x:e.x,y:e.y,zoom:e.k}},setViewportConstrained:m}},Zo=e=>{let t;const n=new Set,o=(e,o)=>{const r="function"==typeof e?e(t):e;if(!Object.is(r,t)){const e=t;t=(null!=o?o:"object"!=typeof r)?r:Object.assign({},t,r),n.forEach((n=>n(t,e)))}},r=()=>t,i={setState:o,getState:r,subscribe:e=>(n.add(e),()=>n.delete(e)),destroy:()=>{console.warn("[DEPRECATED] The `destroy` method will be unsupported in a future version. Instead use unsubscribe function returned by subscribe. Everything will be garbage-collected if store is garbage-collected."),n.clear()}};return t=e(o,r,i),i};function Vo(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var Uo,qo,Fo,Wo={exports:{}},Ko={},Ho={exports:{}},Go={};function Qo(){return qo||(qo=1,Ho.exports=function(){if(Uo)return Go;Uo=1;var e=n,t="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},o=e.useState,r=e.useEffect,i=e.useLayoutEffect,a=e.useDebugValue;function s(e){var n=e.getSnapshot;e=e.value;try{var o=n();return!t(e,o)}catch(e){return!0}}var u="undefined"==typeof window||void 0===window.document||void 0===window.document.createElement?function(e,t){return t()}:function(e,t){var n=t(),u=o({inst:{value:n,getSnapshot:t}}),c=u[0].inst,l=u[1];return i((function(){c.value=n,c.getSnapshot=t,s(c)&&l({inst:c})}),[e,n,t]),r((function(){return s(c)&&l({inst:c}),e((function(){s(c)&&l({inst:c})}))}),[e]),a(n),n};return Go.useSyncExternalStore=void 0!==e.useSyncExternalStore?e.useSyncExternalStore:u,Go}()),Ho.exports}
|
|
1
|
+
!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?t(exports,require("react/jsx-runtime"),require("react")):"function"==typeof define&&define.amd?define(["exports","react/jsx-runtime","react"],t):t((e="undefined"!=typeof globalThis?globalThis:e||self).ReactCosmosDiagram={},e.jsxRuntime,e.React)}(this,(function(e,t,n){"use strict";var o="http://www.w3.org/1999/xhtml",r={svg:"http://www.w3.org/2000/svg",xhtml:o,xlink:"http://www.w3.org/1999/xlink",xml:"http://www.w3.org/XML/1998/namespace",xmlns:"http://www.w3.org/2000/xmlns/"};function i(e){var t=e+="",n=t.indexOf(":");return n>=0&&"xmlns"!==(t=e.slice(0,n))&&(e=e.slice(n+1)),r.hasOwnProperty(t)?{space:r[t],local:e}:e}function a(e){return function(){var t=this.ownerDocument,n=this.namespaceURI;return n===o&&t.documentElement.namespaceURI===o?t.createElement(e):t.createElementNS(n,e)}}function s(e){return function(){return this.ownerDocument.createElementNS(e.space,e.local)}}function u(e){var t=i(e);return(t.local?s:a)(t)}function c(){}function l(e){return null==e?c:function(){return this.querySelector(e)}}function d(){return[]}function h(e){return null==e?d:function(){return this.querySelectorAll(e)}}function f(e){return function(){return null==(t=e.apply(this,arguments))?[]:Array.isArray(t)?t:Array.from(t);var t}}function g(e){return function(){return this.matches(e)}}function p(e){return function(t){return t.matches(e)}}var m=Array.prototype.find;function y(){return this.firstElementChild}var v=Array.prototype.filter;function x(){return Array.from(this.children)}function b(e){return new Array(e.length)}function w(e,t){this.ownerDocument=e.ownerDocument,this.namespaceURI=e.namespaceURI,this._next=null,this._parent=e,this.__data__=t}function _(e,t,n,o,r,i){for(var a,s=0,u=t.length,c=i.length;s<c;++s)(a=t[s])?(a.__data__=i[s],o[s]=a):n[s]=new w(e,i[s]);for(;s<u;++s)(a=t[s])&&(r[s]=a)}function E(e,t,n,o,r,i,a){var s,u,c,l=new Map,d=t.length,h=i.length,f=new Array(d);for(s=0;s<d;++s)(u=t[s])&&(f[s]=c=a.call(u,u.__data__,s,t)+"",l.has(c)?r[s]=u:l.set(c,u));for(s=0;s<h;++s)c=a.call(e,i[s],s,i)+"",(u=l.get(c))?(o[s]=u,u.__data__=i[s],l.delete(c)):n[s]=new w(e,i[s]);for(s=0;s<d;++s)(u=t[s])&&l.get(f[s])===u&&(r[s]=u)}function S(e){return e.__data__}function P(e){return"object"==typeof e&&"length"in e?e:Array.from(e)}function N(e,t){return e<t?-1:e>t?1:e>=t?0:NaN}function M(e){return function(){this.removeAttribute(e)}}function C(e){return function(){this.removeAttributeNS(e.space,e.local)}}function k(e,t){return function(){this.setAttribute(e,t)}}function A(e,t){return function(){this.setAttributeNS(e.space,e.local,t)}}function $(e,t){return function(){var n=t.apply(this,arguments);null==n?this.removeAttribute(e):this.setAttribute(e,n)}}function B(e,t){return function(){var n=t.apply(this,arguments);null==n?this.removeAttributeNS(e.space,e.local):this.setAttributeNS(e.space,e.local,n)}}function I(e){return e.ownerDocument&&e.ownerDocument.defaultView||e.document&&e||e.defaultView}function T(e){return function(){this.style.removeProperty(e)}}function j(e,t,n){return function(){this.style.setProperty(e,t,n)}}function z(e,t,n){return function(){var o=t.apply(this,arguments);null==o?this.style.removeProperty(e):this.style.setProperty(e,o,n)}}function R(e,t){return e.style.getPropertyValue(t)||I(e).getComputedStyle(e,null).getPropertyValue(t)}function D(e){return function(){delete this[e]}}function O(e,t){return function(){this[e]=t}}function X(e,t){return function(){var n=t.apply(this,arguments);null==n?delete this[e]:this[e]=n}}function L(e){return e.trim().split(/^|\s+/)}function Y(e){return e.classList||new Z(e)}function Z(e){this._node=e,this._names=L(e.getAttribute("class")||"")}function V(e,t){for(var n=Y(e),o=-1,r=t.length;++o<r;)n.add(t[o])}function U(e,t){for(var n=Y(e),o=-1,r=t.length;++o<r;)n.remove(t[o])}function q(e){return function(){V(this,e)}}function F(e){return function(){U(this,e)}}function W(e,t){return function(){(t.apply(this,arguments)?V:U)(this,e)}}function K(){this.textContent=""}function H(e){return function(){this.textContent=e}}function G(e){return function(){var t=e.apply(this,arguments);this.textContent=null==t?"":t}}function Q(){this.innerHTML=""}function J(e){return function(){this.innerHTML=e}}function ee(e){return function(){var t=e.apply(this,arguments);this.innerHTML=null==t?"":t}}function te(){this.nextSibling&&this.parentNode.appendChild(this)}function ne(){this.previousSibling&&this.parentNode.insertBefore(this,this.parentNode.firstChild)}function oe(){return null}function re(){var e=this.parentNode;e&&e.removeChild(this)}function ie(){var e=this.cloneNode(!1),t=this.parentNode;return t?t.insertBefore(e,this.nextSibling):e}function ae(){var e=this.cloneNode(!0),t=this.parentNode;return t?t.insertBefore(e,this.nextSibling):e}function se(e){return function(){var t=this.__on;if(t){for(var n,o=0,r=-1,i=t.length;o<i;++o)n=t[o],e.type&&n.type!==e.type||n.name!==e.name?t[++r]=n:this.removeEventListener(n.type,n.listener,n.options);++r?t.length=r:delete this.__on}}}function ue(e,t,n){return function(){var o,r=this.__on,i=function(e){return function(t){e.call(this,t,this.__data__)}}(t);if(r)for(var a=0,s=r.length;a<s;++a)if((o=r[a]).type===e.type&&o.name===e.name)return this.removeEventListener(o.type,o.listener,o.options),this.addEventListener(o.type,o.listener=i,o.options=n),void(o.value=t);this.addEventListener(e.type,i,n),o={type:e.type,name:e.name,value:t,listener:i,options:n},r?r.push(o):this.__on=[o]}}function ce(e,t,n){var o=I(e),r=o.CustomEvent;"function"==typeof r?r=new r(t,n):(r=o.document.createEvent("Event"),n?(r.initEvent(t,n.bubbles,n.cancelable),r.detail=n.detail):r.initEvent(t,!1,!1)),e.dispatchEvent(r)}function le(e,t){return function(){return ce(this,e,t)}}function de(e,t){return function(){return ce(this,e,t.apply(this,arguments))}}w.prototype={constructor:w,appendChild:function(e){return this._parent.insertBefore(e,this._next)},insertBefore:function(e,t){return this._parent.insertBefore(e,t)},querySelector:function(e){return this._parent.querySelector(e)},querySelectorAll:function(e){return this._parent.querySelectorAll(e)}},Z.prototype={add:function(e){this._names.indexOf(e)<0&&(this._names.push(e),this._node.setAttribute("class",this._names.join(" ")))},remove:function(e){var t=this._names.indexOf(e);t>=0&&(this._names.splice(t,1),this._node.setAttribute("class",this._names.join(" ")))},contains:function(e){return this._names.indexOf(e)>=0}};var he=[null];function fe(e,t){this._groups=e,this._parents=t}function ge(){return new fe([[document.documentElement]],he)}function pe(e){return"string"==typeof e?new fe([[document.querySelector(e)]],[document.documentElement]):new fe([[e]],he)}function me(e,t){if(e=function(e){let t;for(;t=e.sourceEvent;)e=t;return e}(e),void 0===t&&(t=e.currentTarget),t){var n=t.ownerSVGElement||t;if(n.createSVGPoint){var o=n.createSVGPoint();return o.x=e.clientX,o.y=e.clientY,[(o=o.matrixTransform(t.getScreenCTM().inverse())).x,o.y]}if(t.getBoundingClientRect){var r=t.getBoundingClientRect();return[e.clientX-r.left-t.clientLeft,e.clientY-r.top-t.clientTop]}}return[e.pageX,e.pageY]}fe.prototype=ge.prototype={constructor:fe,select:function(e){"function"!=typeof e&&(e=l(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a,s=t[r],u=s.length,c=o[r]=new Array(u),d=0;d<u;++d)(i=s[d])&&(a=e.call(i,i.__data__,d,s))&&("__data__"in i&&(a.__data__=i.__data__),c[d]=a);return new fe(o,this._parents)},selectAll:function(e){e="function"==typeof e?f(e):h(e);for(var t=this._groups,n=t.length,o=[],r=[],i=0;i<n;++i)for(var a,s=t[i],u=s.length,c=0;c<u;++c)(a=s[c])&&(o.push(e.call(a,a.__data__,c,s)),r.push(a));return new fe(o,r)},selectChild:function(e){return this.select(null==e?y:function(e){return function(){return m.call(this.children,e)}}("function"==typeof e?e:p(e)))},selectChildren:function(e){return this.selectAll(null==e?x:function(e){return function(){return v.call(this.children,e)}}("function"==typeof e?e:p(e)))},filter:function(e){"function"!=typeof e&&(e=g(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a=t[r],s=a.length,u=o[r]=[],c=0;c<s;++c)(i=a[c])&&e.call(i,i.__data__,c,a)&&u.push(i);return new fe(o,this._parents)},data:function(e,t){if(!arguments.length)return Array.from(this,S);var n,o=t?E:_,r=this._parents,i=this._groups;"function"!=typeof e&&(n=e,e=function(){return n});for(var a=i.length,s=new Array(a),u=new Array(a),c=new Array(a),l=0;l<a;++l){var d=r[l],h=i[l],f=h.length,g=P(e.call(d,d&&d.__data__,l,r)),p=g.length,m=u[l]=new Array(p),y=s[l]=new Array(p);o(d,h,m,y,c[l]=new Array(f),g,t);for(var v,x,b=0,w=0;b<p;++b)if(v=m[b]){for(b>=w&&(w=b+1);!(x=y[w])&&++w<p;);v._next=x||null}}return(s=new fe(s,r))._enter=u,s._exit=c,s},enter:function(){return new fe(this._enter||this._groups.map(b),this._parents)},exit:function(){return new fe(this._exit||this._groups.map(b),this._parents)},join:function(e,t,n){var o=this.enter(),r=this,i=this.exit();return"function"==typeof e?(o=e(o))&&(o=o.selection()):o=o.append(e+""),null!=t&&(r=t(r))&&(r=r.selection()),null==n?i.remove():n(i),o&&r?o.merge(r).order():r},merge:function(e){for(var t=e.selection?e.selection():e,n=this._groups,o=t._groups,r=n.length,i=o.length,a=Math.min(r,i),s=new Array(r),u=0;u<a;++u)for(var c,l=n[u],d=o[u],h=l.length,f=s[u]=new Array(h),g=0;g<h;++g)(c=l[g]||d[g])&&(f[g]=c);for(;u<r;++u)s[u]=n[u];return new fe(s,this._parents)},selection:function(){return this},order:function(){for(var e=this._groups,t=-1,n=e.length;++t<n;)for(var o,r=e[t],i=r.length-1,a=r[i];--i>=0;)(o=r[i])&&(a&&4^o.compareDocumentPosition(a)&&a.parentNode.insertBefore(o,a),a=o);return this},sort:function(e){function t(t,n){return t&&n?e(t.__data__,n.__data__):!t-!n}e||(e=N);for(var n=this._groups,o=n.length,r=new Array(o),i=0;i<o;++i){for(var a,s=n[i],u=s.length,c=r[i]=new Array(u),l=0;l<u;++l)(a=s[l])&&(c[l]=a);c.sort(t)}return new fe(r,this._parents).order()},call:function(){var e=arguments[0];return arguments[0]=this,e.apply(null,arguments),this},nodes:function(){return Array.from(this)},node:function(){for(var e=this._groups,t=0,n=e.length;t<n;++t)for(var o=e[t],r=0,i=o.length;r<i;++r){var a=o[r];if(a)return a}return null},size:function(){let e=0;for(const t of this)++e;return e},empty:function(){return!this.node()},each:function(e){for(var t=this._groups,n=0,o=t.length;n<o;++n)for(var r,i=t[n],a=0,s=i.length;a<s;++a)(r=i[a])&&e.call(r,r.__data__,a,i);return this},attr:function(e,t){var n=i(e);if(arguments.length<2){var o=this.node();return n.local?o.getAttributeNS(n.space,n.local):o.getAttribute(n)}return this.each((null==t?n.local?C:M:"function"==typeof t?n.local?B:$:n.local?A:k)(n,t))},style:function(e,t,n){return arguments.length>1?this.each((null==t?T:"function"==typeof t?z:j)(e,t,null==n?"":n)):R(this.node(),e)},property:function(e,t){return arguments.length>1?this.each((null==t?D:"function"==typeof t?X:O)(e,t)):this.node()[e]},classed:function(e,t){var n=L(e+"");if(arguments.length<2){for(var o=Y(this.node()),r=-1,i=n.length;++r<i;)if(!o.contains(n[r]))return!1;return!0}return this.each(("function"==typeof t?W:t?q:F)(n,t))},text:function(e){return arguments.length?this.each(null==e?K:("function"==typeof e?G:H)(e)):this.node().textContent},html:function(e){return arguments.length?this.each(null==e?Q:("function"==typeof e?ee:J)(e)):this.node().innerHTML},raise:function(){return this.each(te)},lower:function(){return this.each(ne)},append:function(e){var t="function"==typeof e?e:u(e);return this.select((function(){return this.appendChild(t.apply(this,arguments))}))},insert:function(e,t){var n="function"==typeof e?e:u(e),o=null==t?oe:"function"==typeof t?t:l(t);return this.select((function(){return this.insertBefore(n.apply(this,arguments),o.apply(this,arguments)||null)}))},remove:function(){return this.each(re)},clone:function(e){return this.select(e?ae:ie)},datum:function(e){return arguments.length?this.property("__data__",e):this.node().__data__},on:function(e,t,n){var o,r,i=function(e){return e.trim().split(/^|\s+/).map((function(e){var t="",n=e.indexOf(".");return n>=0&&(t=e.slice(n+1),e=e.slice(0,n)),{type:e,name:t}}))}(e+""),a=i.length;if(!(arguments.length<2)){for(s=t?ue:se,o=0;o<a;++o)this.each(s(i[o],t,n));return this}var s=this.node().__on;if(s)for(var u,c=0,l=s.length;c<l;++c)for(o=0,u=s[c];o<a;++o)if((r=i[o]).type===u.type&&r.name===u.name)return u.value},dispatch:function(e,t){return this.each(("function"==typeof t?de:le)(e,t))},[Symbol.iterator]:function*(){for(var e=this._groups,t=0,n=e.length;t<n;++t)for(var o,r=e[t],i=0,a=r.length;i<a;++i)(o=r[i])&&(yield o)}};var ye={value:()=>{}};function ve(){for(var e,t=0,n=arguments.length,o={};t<n;++t){if(!(e=arguments[t]+"")||e in o||/[\s.]/.test(e))throw new Error("illegal type: "+e);o[e]=[]}return new xe(o)}function xe(e){this._=e}function be(e,t){for(var n,o=0,r=e.length;o<r;++o)if((n=e[o]).name===t)return n.value}function we(e,t,n){for(var o=0,r=e.length;o<r;++o)if(e[o].name===t){e[o]=ye,e=e.slice(0,o).concat(e.slice(o+1));break}return null!=n&&e.push({name:t,value:n}),e}xe.prototype=ve.prototype={constructor:xe,on:function(e,t){var n,o,r=this._,i=(o=r,(e+"").trim().split(/^|\s+/).map((function(e){var t="",n=e.indexOf(".");if(n>=0&&(t=e.slice(n+1),e=e.slice(0,n)),e&&!o.hasOwnProperty(e))throw new Error("unknown type: "+e);return{type:e,name:t}}))),a=-1,s=i.length;if(!(arguments.length<2)){if(null!=t&&"function"!=typeof t)throw new Error("invalid callback: "+t);for(;++a<s;)if(n=(e=i[a]).type)r[n]=we(r[n],e.name,t);else if(null==t)for(n in r)r[n]=we(r[n],e.name,null);return this}for(;++a<s;)if((n=(e=i[a]).type)&&(n=be(r[n],e.name)))return n},copy:function(){var e={},t=this._;for(var n in t)e[n]=t[n].slice();return new xe(e)},call:function(e,t){if((n=arguments.length-2)>0)for(var n,o,r=new Array(n),i=0;i<n;++i)r[i]=arguments[i+2];if(!this._.hasOwnProperty(e))throw new Error("unknown type: "+e);for(i=0,n=(o=this._[e]).length;i<n;++i)o[i].value.apply(t,r)},apply:function(e,t,n){if(!this._.hasOwnProperty(e))throw new Error("unknown type: "+e);for(var o=this._[e],r=0,i=o.length;r<i;++r)o[r].value.apply(t,n)}};const _e={passive:!1},Ee={capture:!0,passive:!1};function Se(e){e.stopImmediatePropagation()}function Pe(e){e.preventDefault(),e.stopImmediatePropagation()}function Ne(e){var t=e.document.documentElement,n=pe(e).on("dragstart.drag",Pe,Ee);"onselectstart"in t?n.on("selectstart.drag",Pe,Ee):(t.__noselect=t.style.MozUserSelect,t.style.MozUserSelect="none")}function Me(e,t){var n=e.document.documentElement,o=pe(e).on("dragstart.drag",null);t&&(o.on("click.drag",Pe,Ee),setTimeout((function(){o.on("click.drag",null)}),0)),"onselectstart"in n?o.on("selectstart.drag",null):(n.style.MozUserSelect=n.__noselect,delete n.__noselect)}var Ce=e=>()=>e;function ke(e,{sourceEvent:t,subject:n,target:o,identifier:r,active:i,x:a,y:s,dx:u,dy:c,dispatch:l}){Object.defineProperties(this,{type:{value:e,enumerable:!0,configurable:!0},sourceEvent:{value:t,enumerable:!0,configurable:!0},subject:{value:n,enumerable:!0,configurable:!0},target:{value:o,enumerable:!0,configurable:!0},identifier:{value:r,enumerable:!0,configurable:!0},active:{value:i,enumerable:!0,configurable:!0},x:{value:a,enumerable:!0,configurable:!0},y:{value:s,enumerable:!0,configurable:!0},dx:{value:u,enumerable:!0,configurable:!0},dy:{value:c,enumerable:!0,configurable:!0},_:{value:l}})}function Ae(e){return!e.ctrlKey&&!e.button}function $e(){return this.parentNode}function Be(e,t){return null==t?{x:e.x,y:e.y}:t}function Ie(){return navigator.maxTouchPoints||"ontouchstart"in this}function Te(e,t,n){e.prototype=t.prototype=n,n.constructor=e}function je(e,t){var n=Object.create(e.prototype);for(var o in t)n[o]=t[o];return n}function ze(){}ke.prototype.on=function(){var e=this._.on.apply(this._,arguments);return e===this._?this:e};var Re=.7,De=1/Re,Oe="\\s*([+-]?\\d+)\\s*",Xe="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)\\s*",Le="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)%\\s*",Ye=/^#([0-9a-f]{3,8})$/,Ze=new RegExp(`^rgb\\(${Oe},${Oe},${Oe}\\)$`),Ve=new RegExp(`^rgb\\(${Le},${Le},${Le}\\)$`),Ue=new RegExp(`^rgba\\(${Oe},${Oe},${Oe},${Xe}\\)$`),qe=new RegExp(`^rgba\\(${Le},${Le},${Le},${Xe}\\)$`),Fe=new RegExp(`^hsl\\(${Xe},${Le},${Le}\\)$`),We=new RegExp(`^hsla\\(${Xe},${Le},${Le},${Xe}\\)$`),Ke={aliceblue:15792383,antiquewhite:16444375,aqua:65535,aquamarine:8388564,azure:15794175,beige:16119260,bisque:16770244,black:0,blanchedalmond:16772045,blue:255,blueviolet:9055202,brown:10824234,burlywood:14596231,cadetblue:6266528,chartreuse:8388352,chocolate:13789470,coral:16744272,cornflowerblue:6591981,cornsilk:16775388,crimson:14423100,cyan:65535,darkblue:139,darkcyan:35723,darkgoldenrod:12092939,darkgray:11119017,darkgreen:25600,darkgrey:11119017,darkkhaki:12433259,darkmagenta:9109643,darkolivegreen:5597999,darkorange:16747520,darkorchid:10040012,darkred:9109504,darksalmon:15308410,darkseagreen:9419919,darkslateblue:4734347,darkslategray:3100495,darkslategrey:3100495,darkturquoise:52945,darkviolet:9699539,deeppink:16716947,deepskyblue:49151,dimgray:6908265,dimgrey:6908265,dodgerblue:2003199,firebrick:11674146,floralwhite:16775920,forestgreen:2263842,fuchsia:16711935,gainsboro:14474460,ghostwhite:16316671,gold:16766720,goldenrod:14329120,gray:8421504,green:32768,greenyellow:11403055,grey:8421504,honeydew:15794160,hotpink:16738740,indianred:13458524,indigo:4915330,ivory:16777200,khaki:15787660,lavender:15132410,lavenderblush:16773365,lawngreen:8190976,lemonchiffon:16775885,lightblue:11393254,lightcoral:15761536,lightcyan:14745599,lightgoldenrodyellow:16448210,lightgray:13882323,lightgreen:9498256,lightgrey:13882323,lightpink:16758465,lightsalmon:16752762,lightseagreen:2142890,lightskyblue:8900346,lightslategray:7833753,lightslategrey:7833753,lightsteelblue:11584734,lightyellow:16777184,lime:65280,limegreen:3329330,linen:16445670,magenta:16711935,maroon:8388608,mediumaquamarine:6737322,mediumblue:205,mediumorchid:12211667,mediumpurple:9662683,mediumseagreen:3978097,mediumslateblue:8087790,mediumspringgreen:64154,mediumturquoise:4772300,mediumvioletred:13047173,midnightblue:1644912,mintcream:16121850,mistyrose:16770273,moccasin:16770229,navajowhite:16768685,navy:128,oldlace:16643558,olive:8421376,olivedrab:7048739,orange:16753920,orangered:16729344,orchid:14315734,palegoldenrod:15657130,palegreen:10025880,paleturquoise:11529966,palevioletred:14381203,papayawhip:16773077,peachpuff:16767673,peru:13468991,pink:16761035,plum:14524637,powderblue:11591910,purple:8388736,rebeccapurple:6697881,red:16711680,rosybrown:12357519,royalblue:4286945,saddlebrown:9127187,salmon:16416882,sandybrown:16032864,seagreen:3050327,seashell:16774638,sienna:10506797,silver:12632256,skyblue:8900331,slateblue:6970061,slategray:7372944,slategrey:7372944,snow:16775930,springgreen:65407,steelblue:4620980,tan:13808780,teal:32896,thistle:14204888,tomato:16737095,turquoise:4251856,violet:15631086,wheat:16113331,white:16777215,whitesmoke:16119285,yellow:16776960,yellowgreen:10145074};function He(){return this.rgb().formatHex()}function Ge(){return this.rgb().formatRgb()}function Qe(e){var t,n;return e=(e+"").trim().toLowerCase(),(t=Ye.exec(e))?(n=t[1].length,t=parseInt(t[1],16),6===n?Je(t):3===n?new nt(t>>8&15|t>>4&240,t>>4&15|240&t,(15&t)<<4|15&t,1):8===n?et(t>>24&255,t>>16&255,t>>8&255,(255&t)/255):4===n?et(t>>12&15|t>>8&240,t>>8&15|t>>4&240,t>>4&15|240&t,((15&t)<<4|15&t)/255):null):(t=Ze.exec(e))?new nt(t[1],t[2],t[3],1):(t=Ve.exec(e))?new nt(255*t[1]/100,255*t[2]/100,255*t[3]/100,1):(t=Ue.exec(e))?et(t[1],t[2],t[3],t[4]):(t=qe.exec(e))?et(255*t[1]/100,255*t[2]/100,255*t[3]/100,t[4]):(t=Fe.exec(e))?ut(t[1],t[2]/100,t[3]/100,1):(t=We.exec(e))?ut(t[1],t[2]/100,t[3]/100,t[4]):Ke.hasOwnProperty(e)?Je(Ke[e]):"transparent"===e?new nt(NaN,NaN,NaN,0):null}function Je(e){return new nt(e>>16&255,e>>8&255,255&e,1)}function et(e,t,n,o){return o<=0&&(e=t=n=NaN),new nt(e,t,n,o)}function tt(e,t,n,o){return 1===arguments.length?((r=e)instanceof ze||(r=Qe(r)),r?new nt((r=r.rgb()).r,r.g,r.b,r.opacity):new nt):new nt(e,t,n,null==o?1:o);var r}function nt(e,t,n,o){this.r=+e,this.g=+t,this.b=+n,this.opacity=+o}function ot(){return`#${st(this.r)}${st(this.g)}${st(this.b)}`}function rt(){const e=it(this.opacity);return`${1===e?"rgb(":"rgba("}${at(this.r)}, ${at(this.g)}, ${at(this.b)}${1===e?")":`, ${e})`}`}function it(e){return isNaN(e)?1:Math.max(0,Math.min(1,e))}function at(e){return Math.max(0,Math.min(255,Math.round(e)||0))}function st(e){return((e=at(e))<16?"0":"")+e.toString(16)}function ut(e,t,n,o){return o<=0?e=t=n=NaN:n<=0||n>=1?e=t=NaN:t<=0&&(e=NaN),new lt(e,t,n,o)}function ct(e){if(e instanceof lt)return new lt(e.h,e.s,e.l,e.opacity);if(e instanceof ze||(e=Qe(e)),!e)return new lt;if(e instanceof lt)return e;var t=(e=e.rgb()).r/255,n=e.g/255,o=e.b/255,r=Math.min(t,n,o),i=Math.max(t,n,o),a=NaN,s=i-r,u=(i+r)/2;return s?(a=t===i?(n-o)/s+6*(n<o):n===i?(o-t)/s+2:(t-n)/s+4,s/=u<.5?i+r:2-i-r,a*=60):s=u>0&&u<1?0:a,new lt(a,s,u,e.opacity)}function lt(e,t,n,o){this.h=+e,this.s=+t,this.l=+n,this.opacity=+o}function dt(e){return(e=(e||0)%360)<0?e+360:e}function ht(e){return Math.max(0,Math.min(1,e||0))}function ft(e,t,n){return 255*(e<60?t+(n-t)*e/60:e<180?n:e<240?t+(n-t)*(240-e)/60:t)}Te(ze,Qe,{copy(e){return Object.assign(new this.constructor,this,e)},displayable(){return this.rgb().displayable()},hex:He,formatHex:He,formatHex8:function(){return this.rgb().formatHex8()},formatHsl:function(){return ct(this).formatHsl()},formatRgb:Ge,toString:Ge}),Te(nt,tt,je(ze,{brighter(e){return e=null==e?De:Math.pow(De,e),new nt(this.r*e,this.g*e,this.b*e,this.opacity)},darker(e){return e=null==e?Re:Math.pow(Re,e),new nt(this.r*e,this.g*e,this.b*e,this.opacity)},rgb(){return this},clamp(){return new nt(at(this.r),at(this.g),at(this.b),it(this.opacity))},displayable(){return-.5<=this.r&&this.r<255.5&&-.5<=this.g&&this.g<255.5&&-.5<=this.b&&this.b<255.5&&0<=this.opacity&&this.opacity<=1},hex:ot,formatHex:ot,formatHex8:function(){return`#${st(this.r)}${st(this.g)}${st(this.b)}${st(255*(isNaN(this.opacity)?1:this.opacity))}`},formatRgb:rt,toString:rt})),Te(lt,(function(e,t,n,o){return 1===arguments.length?ct(e):new lt(e,t,n,null==o?1:o)}),je(ze,{brighter(e){return e=null==e?De:Math.pow(De,e),new lt(this.h,this.s,this.l*e,this.opacity)},darker(e){return e=null==e?Re:Math.pow(Re,e),new lt(this.h,this.s,this.l*e,this.opacity)},rgb(){var e=this.h%360+360*(this.h<0),t=isNaN(e)||isNaN(this.s)?0:this.s,n=this.l,o=n+(n<.5?n:1-n)*t,r=2*n-o;return new nt(ft(e>=240?e-240:e+120,r,o),ft(e,r,o),ft(e<120?e+240:e-120,r,o),this.opacity)},clamp(){return new lt(dt(this.h),ht(this.s),ht(this.l),it(this.opacity))},displayable(){return(0<=this.s&&this.s<=1||isNaN(this.s))&&0<=this.l&&this.l<=1&&0<=this.opacity&&this.opacity<=1},formatHsl(){const e=it(this.opacity);return`${1===e?"hsl(":"hsla("}${dt(this.h)}, ${100*ht(this.s)}%, ${100*ht(this.l)}%${1===e?")":`, ${e})`}`}}));var gt=e=>()=>e;function pt(e){return 1==(e=+e)?mt:function(t,n){return n-t?function(e,t,n){return e=Math.pow(e,n),t=Math.pow(t,n)-e,n=1/n,function(o){return Math.pow(e+o*t,n)}}(t,n,e):gt(isNaN(t)?n:t)}}function mt(e,t){var n=t-e;return n?function(e,t){return function(n){return e+n*t}}(e,n):gt(isNaN(e)?t:e)}var yt=function e(t){var n=pt(t);function o(e,t){var o=n((e=tt(e)).r,(t=tt(t)).r),r=n(e.g,t.g),i=n(e.b,t.b),a=mt(e.opacity,t.opacity);return function(t){return e.r=o(t),e.g=r(t),e.b=i(t),e.opacity=a(t),e+""}}return o.gamma=e,o}(1);function vt(e,t){return e=+e,t=+t,function(n){return e*(1-n)+t*n}}var xt=/[-+]?(?:\d+\.?\d*|\.?\d+)(?:[eE][-+]?\d+)?/g,bt=new RegExp(xt.source,"g");function wt(e,t){var n,o,r,i=xt.lastIndex=bt.lastIndex=0,a=-1,s=[],u=[];for(e+="",t+="";(n=xt.exec(e))&&(o=bt.exec(t));)(r=o.index)>i&&(r=t.slice(i,r),s[a]?s[a]+=r:s[++a]=r),(n=n[0])===(o=o[0])?s[a]?s[a]+=o:s[++a]=o:(s[++a]=null,u.push({i:a,x:vt(n,o)})),i=bt.lastIndex;return i<t.length&&(r=t.slice(i),s[a]?s[a]+=r:s[++a]=r),s.length<2?u[0]?function(e){return function(t){return e(t)+""}}(u[0].x):function(e){return function(){return e}}(t):(t=u.length,function(e){for(var n,o=0;o<t;++o)s[(n=u[o]).i]=n.x(e);return s.join("")})}var _t,Et=180/Math.PI,St={translateX:0,translateY:0,rotate:0,skewX:0,scaleX:1,scaleY:1};function Pt(e,t,n,o,r,i){var a,s,u;return(a=Math.sqrt(e*e+t*t))&&(e/=a,t/=a),(u=e*n+t*o)&&(n-=e*u,o-=t*u),(s=Math.sqrt(n*n+o*o))&&(n/=s,o/=s,u/=s),e*o<t*n&&(e=-e,t=-t,u=-u,a=-a),{translateX:r,translateY:i,rotate:Math.atan2(t,e)*Et,skewX:Math.atan(u)*Et,scaleX:a,scaleY:s}}function Nt(e,t,n,o){function r(e){return e.length?e.pop()+" ":""}return function(i,a){var s=[],u=[];return i=e(i),a=e(a),function(e,o,r,i,a,s){if(e!==r||o!==i){var u=a.push("translate(",null,t,null,n);s.push({i:u-4,x:vt(e,r)},{i:u-2,x:vt(o,i)})}else(r||i)&&a.push("translate("+r+t+i+n)}(i.translateX,i.translateY,a.translateX,a.translateY,s,u),function(e,t,n,i){e!==t?(e-t>180?t+=360:t-e>180&&(e+=360),i.push({i:n.push(r(n)+"rotate(",null,o)-2,x:vt(e,t)})):t&&n.push(r(n)+"rotate("+t+o)}(i.rotate,a.rotate,s,u),function(e,t,n,i){e!==t?i.push({i:n.push(r(n)+"skewX(",null,o)-2,x:vt(e,t)}):t&&n.push(r(n)+"skewX("+t+o)}(i.skewX,a.skewX,s,u),function(e,t,n,o,i,a){if(e!==n||t!==o){var s=i.push(r(i)+"scale(",null,",",null,")");a.push({i:s-4,x:vt(e,n)},{i:s-2,x:vt(t,o)})}else 1===n&&1===o||i.push(r(i)+"scale("+n+","+o+")")}(i.scaleX,i.scaleY,a.scaleX,a.scaleY,s,u),i=a=null,function(e){for(var t,n=-1,o=u.length;++n<o;)s[(t=u[n]).i]=t.x(e);return s.join("")}}}var Mt=Nt((function(e){const t=new("function"==typeof DOMMatrix?DOMMatrix:WebKitCSSMatrix)(e+"");return t.isIdentity?St:Pt(t.a,t.b,t.c,t.d,t.e,t.f)}),"px, ","px)","deg)"),Ct=Nt((function(e){return null==e?St:(_t||(_t=document.createElementNS("http://www.w3.org/2000/svg","g")),_t.setAttribute("transform",e),(e=_t.transform.baseVal.consolidate())?Pt((e=e.matrix).a,e.b,e.c,e.d,e.e,e.f):St)}),", ",")",")");function kt(e){return((e=Math.exp(e))+1/e)/2}var At,$t,Bt=function e(t,n,o){function r(e,r){var i,a,s=e[0],u=e[1],c=e[2],l=r[0],d=r[1],h=r[2],f=l-s,g=d-u,p=f*f+g*g;if(p<1e-12)a=Math.log(h/c)/t,i=function(e){return[s+e*f,u+e*g,c*Math.exp(t*e*a)]};else{var m=Math.sqrt(p),y=(h*h-c*c+o*p)/(2*c*n*m),v=(h*h-c*c-o*p)/(2*h*n*m),x=Math.log(Math.sqrt(y*y+1)-y),b=Math.log(Math.sqrt(v*v+1)-v);a=(b-x)/t,i=function(e){var o,r=e*a,i=kt(x),l=c/(n*m)*(i*(o=t*r+x,((o=Math.exp(2*o))-1)/(o+1))-function(e){return((e=Math.exp(e))-1/e)/2}(x));return[s+l*f,u+l*g,c*i/kt(t*r+x)]}}return i.duration=1e3*a*t/Math.SQRT2,i}return r.rho=function(t){var n=Math.max(.001,+t),o=n*n;return e(n,o,o*o)},r}(Math.SQRT2,2,4),It=0,Tt=0,jt=0,zt=1e3,Rt=0,Dt=0,Ot=0,Xt="object"==typeof performance&&performance.now?performance:Date,Lt="object"==typeof window&&window.requestAnimationFrame?window.requestAnimationFrame.bind(window):function(e){setTimeout(e,17)};function Yt(){return Dt||(Lt(Zt),Dt=Xt.now()+Ot)}function Zt(){Dt=0}function Vt(){this._call=this._time=this._next=null}function Ut(e,t,n){var o=new Vt;return o.restart(e,t,n),o}function qt(){Dt=(Rt=Xt.now())+Ot,It=Tt=0;try{!function(){Yt(),++It;for(var e,t=At;t;)(e=Dt-t._time)>=0&&t._call.call(void 0,e),t=t._next;--It}()}finally{It=0,function(){var e,t,n=At,o=1/0;for(;n;)n._call?(o>n._time&&(o=n._time),e=n,n=n._next):(t=n._next,n._next=null,n=e?e._next=t:At=t);$t=e,Wt(o)}(),Dt=0}}function Ft(){var e=Xt.now(),t=e-Rt;t>zt&&(Ot-=t,Rt=e)}function Wt(e){It||(Tt&&(Tt=clearTimeout(Tt)),e-Dt>24?(e<1/0&&(Tt=setTimeout(qt,e-Xt.now()-Ot)),jt&&(jt=clearInterval(jt))):(jt||(Rt=Xt.now(),jt=setInterval(Ft,zt)),It=1,Lt(qt)))}function Kt(e,t,n){var o=new Vt;return t=null==t?0:+t,o.restart((n=>{o.stop(),e(n+t)}),t,n),o}Vt.prototype=Ut.prototype={constructor:Vt,restart:function(e,t,n){if("function"!=typeof e)throw new TypeError("callback is not a function");n=(null==n?Yt():+n)+(null==t?0:+t),this._next||$t===this||($t?$t._next=this:At=this,$t=this),this._call=e,this._time=n,Wt()},stop:function(){this._call&&(this._call=null,this._time=1/0,Wt())}};var Ht=ve("start","end","cancel","interrupt"),Gt=[],Qt=0,Jt=1,en=2,tn=3,nn=4,on=5,rn=6;function an(e,t,n,o,r,i){var a=e.__transition;if(a){if(n in a)return}else e.__transition={};!function(e,t,n){var o,r=e.__transition;function i(e){n.state=Jt,n.timer.restart(a,n.delay,n.time),n.delay<=e&&a(e-n.delay)}function a(i){var c,l,d,h;if(n.state!==Jt)return u();for(c in r)if((h=r[c]).name===n.name){if(h.state===tn)return Kt(a);h.state===nn?(h.state=rn,h.timer.stop(),h.on.call("interrupt",e,e.__data__,h.index,h.group),delete r[c]):+c<t&&(h.state=rn,h.timer.stop(),h.on.call("cancel",e,e.__data__,h.index,h.group),delete r[c])}if(Kt((function(){n.state===tn&&(n.state=nn,n.timer.restart(s,n.delay,n.time),s(i))})),n.state=en,n.on.call("start",e,e.__data__,n.index,n.group),n.state===en){for(n.state=tn,o=new Array(d=n.tween.length),c=0,l=-1;c<d;++c)(h=n.tween[c].value.call(e,e.__data__,n.index,n.group))&&(o[++l]=h);o.length=l+1}}function s(t){for(var r=t<n.duration?n.ease.call(null,t/n.duration):(n.timer.restart(u),n.state=on,1),i=-1,a=o.length;++i<a;)o[i].call(e,r);n.state===on&&(n.on.call("end",e,e.__data__,n.index,n.group),u())}function u(){for(var o in n.state=rn,n.timer.stop(),delete r[t],r)return;delete e.__transition}r[t]=n,n.timer=Ut(i,0,n.time)}(e,n,{name:t,index:o,group:r,on:Ht,tween:Gt,time:i.time,delay:i.delay,duration:i.duration,ease:i.ease,timer:null,state:Qt})}function sn(e,t){var n=cn(e,t);if(n.state>Qt)throw new Error("too late; already scheduled");return n}function un(e,t){var n=cn(e,t);if(n.state>tn)throw new Error("too late; already running");return n}function cn(e,t){var n=e.__transition;if(!n||!(n=n[t]))throw new Error("transition not found");return n}function ln(e,t){var n,o,r,i=e.__transition,a=!0;if(i){for(r in t=null==t?null:t+"",i)(n=i[r]).name===t?(o=n.state>en&&n.state<on,n.state=rn,n.timer.stop(),n.on.call(o?"interrupt":"cancel",e,e.__data__,n.index,n.group),delete i[r]):a=!1;a&&delete e.__transition}}function dn(e,t){var n,o;return function(){var r=un(this,e),i=r.tween;if(i!==n)for(var a=0,s=(o=n=i).length;a<s;++a)if(o[a].name===t){(o=o.slice()).splice(a,1);break}r.tween=o}}function hn(e,t,n){var o,r;if("function"!=typeof n)throw new Error;return function(){var i=un(this,e),a=i.tween;if(a!==o){r=(o=a).slice();for(var s={name:t,value:n},u=0,c=r.length;u<c;++u)if(r[u].name===t){r[u]=s;break}u===c&&r.push(s)}i.tween=r}}function fn(e,t,n){var o=e._id;return e.each((function(){var e=un(this,o);(e.value||(e.value={}))[t]=n.apply(this,arguments)})),function(e){return cn(e,o).value[t]}}function gn(e,t){var n;return("number"==typeof t?vt:t instanceof Qe?yt:(n=Qe(t))?(t=n,yt):wt)(e,t)}function pn(e){return function(){this.removeAttribute(e)}}function mn(e){return function(){this.removeAttributeNS(e.space,e.local)}}function yn(e,t,n){var o,r,i=n+"";return function(){var a=this.getAttribute(e);return a===i?null:a===o?r:r=t(o=a,n)}}function vn(e,t,n){var o,r,i=n+"";return function(){var a=this.getAttributeNS(e.space,e.local);return a===i?null:a===o?r:r=t(o=a,n)}}function xn(e,t,n){var o,r,i;return function(){var a,s,u=n(this);if(null!=u)return(a=this.getAttribute(e))===(s=u+"")?null:a===o&&s===r?i:(r=s,i=t(o=a,u));this.removeAttribute(e)}}function bn(e,t,n){var o,r,i;return function(){var a,s,u=n(this);if(null!=u)return(a=this.getAttributeNS(e.space,e.local))===(s=u+"")?null:a===o&&s===r?i:(r=s,i=t(o=a,u));this.removeAttributeNS(e.space,e.local)}}function wn(e,t){var n,o;function r(){var r=t.apply(this,arguments);return r!==o&&(n=(o=r)&&function(e,t){return function(n){this.setAttributeNS(e.space,e.local,t.call(this,n))}}(e,r)),n}return r._value=t,r}function _n(e,t){var n,o;function r(){var r=t.apply(this,arguments);return r!==o&&(n=(o=r)&&function(e,t){return function(n){this.setAttribute(e,t.call(this,n))}}(e,r)),n}return r._value=t,r}function En(e,t){return function(){sn(this,e).delay=+t.apply(this,arguments)}}function Sn(e,t){return t=+t,function(){sn(this,e).delay=t}}function Pn(e,t){return function(){un(this,e).duration=+t.apply(this,arguments)}}function Nn(e,t){return t=+t,function(){un(this,e).duration=t}}var Mn=ge.prototype.constructor;function Cn(e){return function(){this.style.removeProperty(e)}}var kn=0;function An(e,t,n,o){this._groups=e,this._parents=t,this._name=n,this._id=o}function $n(){return++kn}var Bn=ge.prototype;An.prototype={constructor:An,select:function(e){var t=this._name,n=this._id;"function"!=typeof e&&(e=l(e));for(var o=this._groups,r=o.length,i=new Array(r),a=0;a<r;++a)for(var s,u,c=o[a],d=c.length,h=i[a]=new Array(d),f=0;f<d;++f)(s=c[f])&&(u=e.call(s,s.__data__,f,c))&&("__data__"in s&&(u.__data__=s.__data__),h[f]=u,an(h[f],t,n,f,h,cn(s,n)));return new An(i,this._parents,t,n)},selectAll:function(e){var t=this._name,n=this._id;"function"!=typeof e&&(e=h(e));for(var o=this._groups,r=o.length,i=[],a=[],s=0;s<r;++s)for(var u,c=o[s],l=c.length,d=0;d<l;++d)if(u=c[d]){for(var f,g=e.call(u,u.__data__,d,c),p=cn(u,n),m=0,y=g.length;m<y;++m)(f=g[m])&&an(f,t,n,m,g,p);i.push(g),a.push(u)}return new An(i,a,t,n)},selectChild:Bn.selectChild,selectChildren:Bn.selectChildren,filter:function(e){"function"!=typeof e&&(e=g(e));for(var t=this._groups,n=t.length,o=new Array(n),r=0;r<n;++r)for(var i,a=t[r],s=a.length,u=o[r]=[],c=0;c<s;++c)(i=a[c])&&e.call(i,i.__data__,c,a)&&u.push(i);return new An(o,this._parents,this._name,this._id)},merge:function(e){if(e._id!==this._id)throw new Error;for(var t=this._groups,n=e._groups,o=t.length,r=n.length,i=Math.min(o,r),a=new Array(o),s=0;s<i;++s)for(var u,c=t[s],l=n[s],d=c.length,h=a[s]=new Array(d),f=0;f<d;++f)(u=c[f]||l[f])&&(h[f]=u);for(;s<o;++s)a[s]=t[s];return new An(a,this._parents,this._name,this._id)},selection:function(){return new Mn(this._groups,this._parents)},transition:function(){for(var e=this._name,t=this._id,n=$n(),o=this._groups,r=o.length,i=0;i<r;++i)for(var a,s=o[i],u=s.length,c=0;c<u;++c)if(a=s[c]){var l=cn(a,t);an(a,e,n,c,s,{time:l.time+l.delay+l.duration,delay:0,duration:l.duration,ease:l.ease})}return new An(o,this._parents,e,n)},call:Bn.call,nodes:Bn.nodes,node:Bn.node,size:Bn.size,empty:Bn.empty,each:Bn.each,on:function(e,t){var n=this._id;return arguments.length<2?cn(this.node(),n).on.on(e):this.each(function(e,t,n){var o,r,i=function(e){return(e+"").trim().split(/^|\s+/).every((function(e){var t=e.indexOf(".");return t>=0&&(e=e.slice(0,t)),!e||"start"===e}))}(t)?sn:un;return function(){var a=i(this,e),s=a.on;s!==o&&(r=(o=s).copy()).on(t,n),a.on=r}}(n,e,t))},attr:function(e,t){var n=i(e),o="transform"===n?Ct:gn;return this.attrTween(e,"function"==typeof t?(n.local?bn:xn)(n,o,fn(this,"attr."+e,t)):null==t?(n.local?mn:pn)(n):(n.local?vn:yn)(n,o,t))},attrTween:function(e,t){var n="attr."+e;if(arguments.length<2)return(n=this.tween(n))&&n._value;if(null==t)return this.tween(n,null);if("function"!=typeof t)throw new Error;var o=i(e);return this.tween(n,(o.local?wn:_n)(o,t))},style:function(e,t,n){var o="transform"==(e+="")?Mt:gn;return null==t?this.styleTween(e,function(e,t){var n,o,r;return function(){var i=R(this,e),a=(this.style.removeProperty(e),R(this,e));return i===a?null:i===n&&a===o?r:r=t(n=i,o=a)}}(e,o)).on("end.style."+e,Cn(e)):"function"==typeof t?this.styleTween(e,function(e,t,n){var o,r,i;return function(){var a=R(this,e),s=n(this),u=s+"";return null==s&&(this.style.removeProperty(e),u=s=R(this,e)),a===u?null:a===o&&u===r?i:(r=u,i=t(o=a,s))}}(e,o,fn(this,"style."+e,t))).each(function(e,t){var n,o,r,i,a="style."+t,s="end."+a;return function(){var u=un(this,e),c=u.on,l=null==u.value[a]?i||(i=Cn(t)):void 0;c===n&&r===l||(o=(n=c).copy()).on(s,r=l),u.on=o}}(this._id,e)):this.styleTween(e,function(e,t,n){var o,r,i=n+"";return function(){var a=R(this,e);return a===i?null:a===o?r:r=t(o=a,n)}}(e,o,t),n).on("end.style."+e,null)},styleTween:function(e,t,n){var o="style."+(e+="");if(arguments.length<2)return(o=this.tween(o))&&o._value;if(null==t)return this.tween(o,null);if("function"!=typeof t)throw new Error;return this.tween(o,function(e,t,n){var o,r;function i(){var i=t.apply(this,arguments);return i!==r&&(o=(r=i)&&function(e,t,n){return function(o){this.style.setProperty(e,t.call(this,o),n)}}(e,i,n)),o}return i._value=t,i}(e,t,null==n?"":n))},text:function(e){return this.tween("text","function"==typeof e?function(e){return function(){var t=e(this);this.textContent=null==t?"":t}}(fn(this,"text",e)):function(e){return function(){this.textContent=e}}(null==e?"":e+""))},textTween:function(e){var t="text";if(arguments.length<1)return(t=this.tween(t))&&t._value;if(null==e)return this.tween(t,null);if("function"!=typeof e)throw new Error;return this.tween(t,function(e){var t,n;function o(){var o=e.apply(this,arguments);return o!==n&&(t=(n=o)&&function(e){return function(t){this.textContent=e.call(this,t)}}(o)),t}return o._value=e,o}(e))},remove:function(){return this.on("end.remove",function(e){return function(){var t=this.parentNode;for(var n in this.__transition)if(+n!==e)return;t&&t.removeChild(this)}}(this._id))},tween:function(e,t){var n=this._id;if(e+="",arguments.length<2){for(var o,r=cn(this.node(),n).tween,i=0,a=r.length;i<a;++i)if((o=r[i]).name===e)return o.value;return null}return this.each((null==t?dn:hn)(n,e,t))},delay:function(e){var t=this._id;return arguments.length?this.each(("function"==typeof e?En:Sn)(t,e)):cn(this.node(),t).delay},duration:function(e){var t=this._id;return arguments.length?this.each(("function"==typeof e?Pn:Nn)(t,e)):cn(this.node(),t).duration},ease:function(e){var t=this._id;return arguments.length?this.each(function(e,t){if("function"!=typeof t)throw new Error;return function(){un(this,e).ease=t}}(t,e)):cn(this.node(),t).ease},easeVarying:function(e){if("function"!=typeof e)throw new Error;return this.each(function(e,t){return function(){var n=t.apply(this,arguments);if("function"!=typeof n)throw new Error;un(this,e).ease=n}}(this._id,e))},end:function(){var e,t,n=this,o=n._id,r=n.size();return new Promise((function(i,a){var s={value:a},u={value:function(){0==--r&&i()}};n.each((function(){var n=un(this,o),r=n.on;r!==e&&((t=(e=r).copy())._.cancel.push(s),t._.interrupt.push(s),t._.end.push(u)),n.on=t})),0===r&&i()}))},[Symbol.iterator]:Bn[Symbol.iterator]};var In={time:null,delay:0,duration:250,ease:function(e){return((e*=2)<=1?e*e*e:(e-=2)*e*e+2)/2}};function Tn(e,t){for(var n;!(n=e.__transition)||!(n=n[t]);)if(!(e=e.parentNode))throw new Error(`transition ${t} not found`);return n}ge.prototype.interrupt=function(e){return this.each((function(){ln(this,e)}))},ge.prototype.transition=function(e){var t,n;e instanceof An?(t=e._id,e=e._name):(t=$n(),(n=In).time=Yt(),e=null==e?null:e+"");for(var o=this._groups,r=o.length,i=0;i<r;++i)for(var a,s=o[i],u=s.length,c=0;c<u;++c)(a=s[c])&&an(a,e,t,c,s,n||Tn(a,t));return new An(o,this._parents,e,t)};var jn=e=>()=>e;function zn(e,{sourceEvent:t,target:n,transform:o,dispatch:r}){Object.defineProperties(this,{type:{value:e,enumerable:!0,configurable:!0},sourceEvent:{value:t,enumerable:!0,configurable:!0},target:{value:n,enumerable:!0,configurable:!0},transform:{value:o,enumerable:!0,configurable:!0},_:{value:r}})}function Rn(e,t,n){this.k=e,this.x=t,this.y=n}Rn.prototype={constructor:Rn,scale:function(e){return 1===e?this:new Rn(this.k*e,this.x,this.y)},translate:function(e,t){return 0===e&0===t?this:new Rn(this.k,this.x+this.k*e,this.y+this.k*t)},apply:function(e){return[e[0]*this.k+this.x,e[1]*this.k+this.y]},applyX:function(e){return e*this.k+this.x},applyY:function(e){return e*this.k+this.y},invert:function(e){return[(e[0]-this.x)/this.k,(e[1]-this.y)/this.k]},invertX:function(e){return(e-this.x)/this.k},invertY:function(e){return(e-this.y)/this.k},rescaleX:function(e){return e.copy().domain(e.range().map(this.invertX,this).map(e.invert,e))},rescaleY:function(e){return e.copy().domain(e.range().map(this.invertY,this).map(e.invert,e))},toString:function(){return"translate("+this.x+","+this.y+") scale("+this.k+")"}};var Dn,On=new Rn(1,0,0);function Xn(e){for(;!e.__zoom;)if(!(e=e.parentNode))return On;return e.__zoom}function Ln(e){e.stopImmediatePropagation()}function Yn(e){e.preventDefault(),e.stopImmediatePropagation()}function Zn(e){return!(e.ctrlKey&&"wheel"!==e.type||e.button)}function Vn(){var e=this;return e instanceof SVGElement?(e=e.ownerSVGElement||e).hasAttribute("viewBox")?[[(e=e.viewBox.baseVal).x,e.y],[e.x+e.width,e.y+e.height]]:[[0,0],[e.width.baseVal.value,e.height.baseVal.value]]:[[0,0],[e.clientWidth,e.clientHeight]]}function Un(){return this.__zoom||On}function qn(e){return-e.deltaY*(1===e.deltaMode?.05:e.deltaMode?1:.002)*(e.ctrlKey?10:1)}function Fn(){return navigator.maxTouchPoints||"ontouchstart"in this}function Wn(e,t,n){var o=e.invertX(t[0][0])-n[0][0],r=e.invertX(t[1][0])-n[1][0],i=e.invertY(t[0][1])-n[0][1],a=e.invertY(t[1][1])-n[1][1];return e.translate(r>o?(o+r)/2:Math.min(0,o)||Math.max(0,r),a>i?(i+a)/2:Math.min(0,i)||Math.max(0,a))}Xn.prototype=Rn.prototype,e.Position=void 0,(Dn=e.Position||(e.Position={})).Left="left",Dn.Top="top",Dn.Right="right",Dn.Bottom="bottom";const Kn="internals";e.MarkerType=void 0,(e.MarkerType||(e.MarkerType={})).Arrow="arrow";const Hn=e=>({width:e.offsetWidth,height:e.offsetHeight}),Gn=(e,t,n,o)=>{const r=t.querySelectorAll(e);if(!r||!r.length)return null;const i=Array.from(r),a=t.getBoundingClientRect(),s=a.width*o[0],u=a.height*o[1];return i.map((e=>{const t=e.getBoundingClientRect();return{id:e.getAttribute("data-portid"),position:e.dataset.portPosition,x:(t.left-a.left-s)/n,y:(t.top-a.top-u)/n,...Hn(e)}}))},Qn=e=>"clientX"in e,Jn=(e,t)=>{const n=Qn(e),o=n?e.clientX:e.touches?.[0].clientX,r=n?e.clientY:e.touches?.[0].clientY;return{x:o-(t?.left??0),y:r-(t?.top??0)}},eo=({x:e,y:t},[n,o,r])=>({x:(e-n)/r,y:(t-o)/r}),to=({x:e,y:t},[n,o,r])=>({x:e*r+n,y:t*r+o}),no=(e,{transform:t,gridStep:n,centerStep:o})=>{const{x:r,y:i}=Jn(e),a=eo({x:r,y:i},t);return{getStepPosition:(e={position:a})=>{const{position:t,nodeSize:r}=e;if(!n)return t;let i=n[0]*Math.round(t.x/n[0]),s=n[1]*Math.round(t.y/n[1]);if(o&&r){const e=(n[0]-r.width)/2,o=(n[1]-r.height)/2,a=t.x-e,u=t.y-o;i=n[0]*Math.round(a/n[0])+e,s=n[1]*Math.round(u/n[1])+o}return{x:i,y:s}},...a}},oo={"001":()=>"Seems like you have not used zustand provider as an ancestor","002":()=>"It looks like you`ve created a new nodeTypes or edgeTypes object. If this wasn`t on purpose please define the nodeTypes/edgeTypes outside of the component or memoize them.","010":e=>`Node type "${e}" not found. Using fallback type "default".`,"011":()=>"Only child nodes can use a parent extent","020":()=>"Can`t create edge. An edge needs a source and a target.","021":e=>`The old edge with id=${e} does not exist.`,"022":e=>`Marker type "${e}" doesn't exist.`},ro=(e,t=0,n=1)=>Math.min(Math.max(e,t),n),io=(e,t,n,o)=>{const r=t-n;return e<n?ro(Math.abs(e-n),1,50)/50*o:e>r?-ro(Math.abs(e-r),1,50)/50*o:0},ao=(e,t)=>[io(e.x,t.width,30,10),io(e.y,t.height,30,10)],so=({x:e,y:t,width:n,height:o})=>({x:e,y:t,x2:e+n,y2:t+o}),uo=({x:e,y:t,x2:n,y2:o})=>({x:e,y:t,width:n-e,height:o-t}),co=e=>!isNaN(e)&&isFinite(e),lo=(e={x:0,y:0},t)=>({x:ro(e.x,t[0][0],t[1][0]),y:ro(e.y,t[0][1],t[1][1])}),ho=e=>"source"in e&&"target"in e,fo=(e,t=[0,0])=>{if(!e)return{x:0,y:0,positionAbsolute:{x:0,y:0}};const n=(e.width??0)*t[0],o=(e.height??0)*t[1],r={x:e.position.x-n,y:e.position.y-o};return{...r,positionAbsolute:e.positionAbsolute?{x:e.positionAbsolute.x-n,y:e.positionAbsolute.y-o}:r}},go=(e,t,[n,o,r]=[0,0,1],i=!1,a=!1,s=[0,0])=>{const u={x:(t.x-n)/r,y:(t.y-o)/r,width:t.width/r,height:t.height/r},c=[];return e.forEach((e=>{const{width:t,height:n,selectable:o=!0,hidden:r=!1}=e;if(a&&!o||r)return!1;const{positionAbsolute:l}=fo(e,s),d={x:l.x,y:l.y,width:t||0,height:n||0},h=((e,t)=>{const n=Math.max(0,Math.min(e.x+e.width,t.x+t.width)-Math.max(e.x,t.x)),o=Math.max(0,Math.min(e.y+e.height,t.y+t.height)-Math.max(e.y,t.y));return Math.ceil(n*o)})(u,d);(void 0===t||void 0===n||null===t||null===n||i&&h>0||h>=(t||0)*(n||0)||e.dragging)&&c.push(e)})),c},po=(e,t=[0,0])=>{if(0===e.length)return{x:0,y:0,width:0,height:0};const n=e.reduce(((e,n)=>{const{x:o,y:r}=fo(n,t).positionAbsolute,i=so({x:o,y:r,width:n.width||0,height:n.height||0});return a=e,s=i,{x:Math.min(a.x,s.x),y:Math.min(a.y,s.y),x2:Math.max(a.x2,s.x2),y2:Math.max(a.y2,s.y2)};var a,s}),{x:1/0,y:1/0,x2:-1/0,y2:-1/0});return uo(n)},mo=(e,t)=>{if(void 0===e)return"";if("string"==typeof e)return e;return`${t?`${t}__`:""}${Object.keys(e).sort().map((t=>`${t}=${e[t]}`)).join("&")}`},yo=({sourceX:e,sourceY:t,targetX:n,targetY:o})=>{const r=Math.abs(n-e)/2,i=n<e?n+r:n-r,a=Math.abs(o-t)/2;return[i,o<t?o+a:o-a,r,a]},vo=({source:e,sourcePort:t,target:n,targetPort:o})=>`react-diagram__edge-${e}${t}-${n}${o}`,xo={[e.Position.Left]:{x:-1,y:0},[e.Position.Right]:{x:1,y:0},[e.Position.Top]:{x:0,y:-1},[e.Position.Bottom]:{x:0,y:1}},bo=(e,t)=>Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2)),wo=({source:t,sourcePosition:n=e.Position.Bottom,target:o,targetPosition:r=e.Position.Top,center:i,offset:a})=>{const s=xo[n],u=xo[r],c={x:t.x+s.x*a,y:t.y+s.y*a},l={x:o.x+u.x*a,y:o.y+u.y*a},d=(({source:t,sourcePosition:n=e.Position.Bottom,target:o})=>n===e.Position.Left||n===e.Position.Right?t.x<o.x?{x:1,y:0}:{x:-1,y:0}:t.y<o.y?{x:0,y:1}:{x:0,y:-1})({source:c,sourcePosition:n,target:l}),h=0!==d.x?"x":"y",f=d[h];let g=[],p=0,m=0;const[y,v,x,b]=yo({sourceX:t.x,sourceY:t.y,targetX:o.x,targetY:o.y});if(s[h]*u[h]==-1){p=i.x||y,m=i.y||v;const e=[{x:p,y:c.y},{x:p,y:l.y}],t=[{x:c.x,y:m},{x:l.x,y:m}];g=s[h]!==f?"x"===h?t:e:"x"===h?e:t}return[[t,c,...g,l,o],p,m,x,b]},_o=({sourceX:t,sourceY:n,sourcePosition:o=e.Position.Bottom,targetX:r,targetY:i,targetPosition:a=e.Position.Top,borderRadius:s=5,centerX:u,centerY:c,offset:l=20})=>{const[d,h,f,g,p]=wo({source:{x:t,y:n},sourcePosition:o,target:{x:r,y:i},targetPosition:a,center:{x:u,y:c},offset:l});return[d.reduce(((e,t,n)=>{let o="";return o=n>0&&n<d.length-1?((e,t,n,o)=>{const r=Math.min(bo(e,t)/2,bo(t,n)/2,o),{x:i,y:a}=t;if(e.x===i&&i===n.x||e.y===a&&a===n.y)return`L${i} ${a}`;if(e.y===a)return`L ${i+r*(e.x<n.x?-1:1)},${a}Q ${i},${a} ${i},${a+r*(e.y<n.y?1:-1)}`;const s=e.x<n.x?1:-1;return`L ${i},${a+r*(e.y<n.y?-1:1)}Q ${i},${a} ${i+r*s},${a}`})(d[n-1],t,d[n+1],s):`${0===n?"M":"L"}${t.x} ${t.y}`,e+=o}),""),h,f,g,p]},Eo=({sourceX:e,sourceY:t,targetX:n,targetY:o})=>{const[r,i,a,s]=yo({sourceX:e,sourceY:t,targetX:n,targetY:o});return[`M ${e},${t}L ${n},${o}`,r,i,a,s]},So=({sourceX:e,sourceY:t,targetX:n,targetY:o,sourceControlX:r,sourceControlY:i,targetControlX:a,targetControlY:s})=>{const u=.125,c=.375,l=e*u+r*c+a*c+n*u,d=t*u+i*c+s*c+o*u;return[l,d,Math.abs(l-e),Math.abs(d-t)]},Po=(e,t)=>e>=0?.5*e:25*t*Math.sqrt(-e),No=({pos:t,x1:n,y1:o,x2:r,y2:i,c:a})=>{switch(t){case e.Position.Left:return[n-Po(n-r,a),o];case e.Position.Right:return[n+Po(r-n,a),o];case e.Position.Top:return[n,o-Po(o-i,a)];case e.Position.Bottom:return[n,o+Po(i-o,a)]}},Mo=({sourceX:t,sourceY:n,sourcePosition:o=e.Position.Bottom,targetX:r,targetY:i,targetPosition:a=e.Position.Top,curvature:s=.25})=>{const[u,c]=No({pos:o,x1:t,y1:n,x2:r,y2:i,c:s}),[l,d]=No({pos:a,x1:r,y1:i,x2:t,y2:n,c:s}),[h,f,g,p]=So({sourceX:t,sourceY:n,targetX:r,targetY:i,sourceControlX:u,sourceControlY:c,targetControlX:l,targetControlY:d});return[`M${t},${n} C${u},${c} ${l},${d} ${r},${i}`,h,f,g,p]};function Co(e,t,n,o){if(!e.parentNode)return n;const r=t.get(e.parentNode),i=fo(r,o);return Co(r,t,{x:(n.x??0)+i.x,y:(n.y??0)+i.y,z:(r[Kn]?.z??0)>(n.z??0)?r[Kn]?.z??0:n.z??0},o)}function ko(e,t,n){e.forEach((o=>{if(o.parentNode&&!e.has(o.parentNode))throw new Error(`Parent node ${o.parentNode} not found`);if(o.parentNode||n?.[o.id]){const{x:r,y:i,z:a}=Co(o,e,{...o.position,z:o[Kn]?.z??0},t);o.positionAbsolute={x:r,y:i},o[Kn].z=a,n?.[o.id]&&(o[Kn].isParent=!0)}}))}function Ao(e,t,n,o){const r=new Map,i={},a=o?1e3:0;return e.forEach((e=>{const n=(co(e.zIndex)?e.zIndex:0)+(e.selected?a:0),o=t.get(e.id),s={width:o?.width,height:o?.height,...e,positionAbsolute:{x:e.position.x,y:e.position.y}};e.parentNode&&(s.parentNode=e.parentNode,i[e.parentNode]=!0),Object.defineProperty(s,Kn,{enumerable:!1,value:{portBounds:o?.[Kn]?.portBounds,z:n}}),r.set(e.id,s)})),ko(r,n,i),r}function $o(e,t){const{id:n,width:o,height:r,positionAbsolute:i}=e;if(!o||!r)return!1;let a=!1;for(const[e,s]of t){if(n===e)continue;const{positionAbsolute:t,width:u,height:c}=s;if(!u||!c)continue;if(!t||!i)continue;const l=t.x+u>=i.x,d=i.x+o>=t.x,h=t.y+c>=i.y,f=i.y+r>=t.y;if(l&&d&&h&&f){a=!0;break}}return a}const Bo=(e,t,n,o)=>(t[n]||[]).reduce(((t,r)=>(`${e.id}-${r.id}-${n}`!==o&&t.push({portId:r.id||null,portType:n,nodeId:e.id,x:(e.positionAbsolute?.x??0)+r.x+r.width/2,y:(e.positionAbsolute?.y??0)+r.y+r.height/2}),t)),[]),Io=e=>e?.classList.contains("target")?"target":e?.classList.contains("source")?"source":null;let To=null;const jo=({isAnchor:e=!1,event:t,nodeId:n,portId:o,portType:r,domNode:i,autoPanOnConnect:a,connectionRadius:s,nodes:u,getTransform:c,cancelConnection:l,onConnectStart:d,onConnect:h,onConnectEnd:f,onEdgeUpdateEnd:g,panBy:p,updateConnection:m})=>{const y=(v=t.target,v.getRootNode?.()||window?.document);var v;const x=i?.getBoundingClientRect(),{x:b,y:w}=Jn(t),_=y?.elementFromPoint(b,w),E=e?r:Io(_),S=(({nodes:e,nodeId:t,portId:n,portType:o})=>e.reduce(((e,r)=>{if(r[Kn]){const{portBounds:i}=r[Kn];let a=[],s=[];i&&(a=Bo(r,i,"source",`${t}-${n}-${o}`),s=Bo(r,i,"target",`${t}-${n}-${o}`)),e.push(...a,...s)}return e}),[]))({nodes:u,nodeId:n,portId:o,portType:r});let P=Jn(t,x),N=null,M=!1,C=null,k=0,A=!1;if(!x||!r)return;const $=()=>{if(!a)return;const[e,t]=ao(P,x);p({x:e,y:t}),k=requestAnimationFrame($)};To={nodeId:n,portId:o,portType:E},m({connectionPosition:P,connectionStartPort:To,connectionEndPort:null}),d?.(t,{nodeId:n,portId:o,portType:r});const B=e=>{const t=c();P=Jn(e,x),N=((e,t,n)=>{let o=null,r=1/0;return n.forEach((n=>{const i=Math.sqrt(Math.pow(n.x-e.x,2)+Math.pow(n.y-e.y,2));i<=t&&i<r&&(r=i,o=n)})),o})(eo(P,t),s,S),A||($(),A=!0);const i=((e,t,n,o,r,i)=>{const a="target"===r,s={isValid:!1,connection:null,endPort:null},u=i.querySelector(`.react-diagram__port[data-id="${t?.nodeId}-${t?.portId}-${t?.portType}"]`),{x:c,y:l}=Jn(e),d=i.elementFromPoint(c,l),h=d?.classList.contains("react-diagram__port")?d:u;if(h){const e=Io(h),r=h.getAttribute("data-nodeid"),i=h.getAttribute("data-portid"),u={source:a?r:n,target:a?n:r,sourcePort:a?t?.portId||null:o,targetPort:a?o:t?.portId||null};s.connection=u,(a&&"source"===e||!a&&"target"===e)&&(s.isValid=!0,s.endPort={nodeId:r,portId:i,portType:e})}return s})(e,N,n,o,r,y);M=i.isValid,C=i.connection,m({connectionPosition:N&&M?to(N,t):P,connectionStartPort:To,connectionEndPort:i.endPort})},I=e=>{M&&C&&h?.(C),f?.(e),r&&g?.(e),l(),cancelAnimationFrame(k),M=!1,C=null,A=!1,y.removeEventListener("mousemove",B),y.removeEventListener("mouseup",I),y.removeEventListener("touchmove",B),y.removeEventListener("touchend",I)};y.addEventListener("mousemove",B),y.addEventListener("mouseup",I),y.addEventListener("touchmove",B),y.addEventListener("touchend",I)},zo=(e,t)=>{if(!e.parentNode)return!1;const n=t.get(e.parentNode);return!!n&&(!!n.selected||zo(n,t))},Ro=(e,t)=>e.x!==t.x||e.y!==t.y,Do=({nodeId:e,dragItems:t,nodeInternals:n})=>{const o=t.map((e=>({...n.get(e.id),position:e.position,positionAbsolute:e.positionAbsolute})));return[e?o.find((t=>t.id===e)):o[0],o]},Oo=({getStore:e,onNodeMouseDown:t,onDragStart:n,onDrag:o,onDragEnd:r})=>{let i=[],a=null,s={x:0,y:0},u={x:0,y:0},c=null,l=!1,d=0,h=null;return{update:({domNode:f,nodeId:g,noDragClassName:p})=>{const m=(t,n=!1)=>o=>{if(!("distance"in o))return;const{nodeInternals:r,nodeExtent:i,nodeOrigin:a,smoothStep:s,gridStep:u}=e(),{distance:c,width:l,height:d}=o,{x:h,y:f,getStepPosition:g}=t;let p={x:h-c.x,y:f-c.y};if(u&&g){const e=g({position:p,nodeSize:{width:l,height:d}});(!s||s&&n)&&(p=e)}const m=((e,t,n,o,r=[0,0])=>{let i=e.extent||o;if(e.extent&&e.parentNode){const t=n.get(e.parentNode),{x:o,y:a}=fo(t,r).positionAbsolute;i=[[e.extent[0][0]+o,e.extent[0][1]+a],[e.extent[1][0]+o,e.extent[1][1]+a]]}let a={x:0,y:0};if(e.parentNode){const t=n.get(e.parentNode);a=fo(t,r).positionAbsolute}const s=i?lo(t,i):t;return{position:{x:s.x-a.x,y:s.y-a.y},positionAbsolute:s}})(o,p,r,i,a);Ro(o.position,m.position)&&(o.position=m.position,o.positionAbsolute=m.positionAbsolute)};h=pe(f);const y=t=>{const{nodeInternals:n,updateNodesPosition:r}=e(),{x:a,y:s}=t;if(u={x:a,y:s},r(i,!0,m(t)),o&&c){const[e,t]=Do({nodeId:g,dragItems:i,nodeInternals:n});o(c,i,e,t)}},v=()=>{if(!a)return;const[t,n]=ao(s,a);if(0!==t||0!==n){const{transform:o,panBy:r}=e();u.x-=t/o[2],u.y-=n/o[2],y(u),r({x:t,y:n})}d=requestAnimationFrame(v)},x=o=>{const{nodeInternals:r,nodesDraggable:u,domNode:c,transform:l,gridStep:d,centerStep:h}=e();g&&t?.(g);const f=no(o.sourceEvent,{transform:l,gridStep:d,centerStep:h});if(i=((e,t,n,o)=>Array.from(e.values()).filter((n=>{const r=n.width&&n.height,i=n.selected||n.id===o,a=!n.parentNode||!zo(n,e),s=n.draggable||t&&void 0===n.draggable;return r&&i&&a&&s})).map((e=>({id:e.id,position:e.position||{x:0,y:0},positionAbsolute:e.positionAbsolute||{x:0,y:0},distance:{x:n.x-(e.positionAbsolute?.x??0),y:n.y-(e.positionAbsolute?.y??0)},extent:e.extent,parentNode:e.parentNode,width:e.width||0,height:e.height||0}))))(r,u,f,g),n&&i){const[e,t]=Do({nodeId:g,dragItems:i,nodeInternals:r});n?.(o.sourceEvent,i,e,t)}a=c?.getBoundingClientRect()||null,s=Jn(o.sourceEvent,a)},b=function(){var e,t,n,o,r=Ae,i=$e,a=Be,s=Ie,u={},c=ve("start","drag","end"),l=0,d=0;function h(e){e.on("mousedown.drag",f).filter(s).on("touchstart.drag",m).on("touchmove.drag",y,_e).on("touchend.drag touchcancel.drag",v).style("touch-action","none").style("-webkit-tap-highlight-color","rgba(0,0,0,0)")}function f(a,s){if(!o&&r.call(this,a,s)){var u=x(this,i.call(this,a,s),a,s,"mouse");u&&(pe(a.view).on("mousemove.drag",g,Ee).on("mouseup.drag",p,Ee),Ne(a.view),Se(a),n=!1,e=a.clientX,t=a.clientY,u("start",a))}}function g(o){if(Pe(o),!n){var r=o.clientX-e,i=o.clientY-t;n=r*r+i*i>d}u.mouse("drag",o)}function p(e){pe(e.view).on("mousemove.drag mouseup.drag",null),Me(e.view,n),Pe(e),u.mouse("end",e)}function m(e,t){if(r.call(this,e,t)){var n,o,a=e.changedTouches,s=i.call(this,e,t),u=a.length;for(n=0;n<u;++n)(o=x(this,s,e,t,a[n].identifier,a[n]))&&(Se(e),o("start",e,a[n]))}}function y(e){var t,n,o=e.changedTouches,r=o.length;for(t=0;t<r;++t)(n=u[o[t].identifier])&&(Pe(e),n("drag",e,o[t]))}function v(e){var t,n,r=e.changedTouches,i=r.length;for(o&&clearTimeout(o),o=setTimeout((function(){o=null}),500),t=0;t<i;++t)(n=u[r[t].identifier])&&(Se(e),n("end",e,r[t]))}function x(e,t,n,o,r,i){var s,d,f,g=c.copy(),p=me(i||n,t);if(null!=(f=a.call(e,new ke("beforestart",{sourceEvent:n,target:h,identifier:r,active:l,x:p[0],y:p[1],dx:0,dy:0,dispatch:g}),o)))return s=f.x-p[0]||0,d=f.y-p[1]||0,function n(i,a,c){var m,y=p;switch(i){case"start":u[r]=n,m=l++;break;case"end":delete u[r],--l;case"drag":p=me(c||a,t),m=l}g.call(i,e,new ke(i,{sourceEvent:a,subject:f,target:h,identifier:r,active:m,x:p[0]+s,y:p[1]+d,dx:p[0]-y[0],dy:p[1]-y[1],dispatch:g}),o)}}return h.filter=function(e){return arguments.length?(r="function"==typeof e?e:Ce(!!e),h):r},h.container=function(e){return arguments.length?(i="function"==typeof e?e:Ce(e),h):i},h.subject=function(e){return arguments.length?(a="function"==typeof e?e:Ce(e),h):a},h.touchable=function(e){return arguments.length?(s="function"==typeof e?e:Ce(!!e),h):s},h.on=function(){var e=c.on.apply(c,arguments);return e===c?h:e},h.clickDistance=function(e){return arguments.length?(d=(e=+e)*e,h):Math.sqrt(d)},h}().on("start",(e=>{x(e)})).on("drag",(t=>{const{transform:n,gridStep:o,centerStep:r,autoPanOnNodeDrag:d,updateNodesIntersection:h}=e(),f=no(t.sourceEvent,{transform:n,gridStep:o,centerStep:r});!l&&d&&(l=!0,v());Ro(u,f.getStepPosition())&&i&&(c=t.sourceEvent,s=Jn(t.sourceEvent,a),y(f),h())})).on("end",(t=>{if(l=!1,cancelAnimationFrame(d),i){const{nodeInternals:n,transform:o,gridStep:a,centerStep:s,smoothStep:u,updateNodesPosition:c,updateNodesIntersection:l}=e();if(!!a&&u){const e=no(t.sourceEvent,{transform:o,gridStep:a,centerStep:s});c(i,!1,m(e,!0)),l()}else c(i,!1);if(r){const[e,o]=Do({nodeId:g,dragItems:i,nodeInternals:n});r(t.sourceEvent,i,e,o)}}})).filter((e=>{const t=e.target;if(!f)return!1;const n=!(e.button||p&&((e,t,n)=>{let o=e;do{if(o?.matches(t))return!0;if(o===n)return!1;o=o.parentElement}while(o);return!1})(t,`.${p}`,f));return n}));h.call(b)},destroy:()=>{h?.on(".drag",null)}}},Xo=e=>{const{x:t,y:n,k:o}=e;return{x:t,y:n,zoom:o}},Lo=({filter:e,onPaneClick:t})=>function(n){if(e&&!e(n))return null;const o=Xn(this),r={x:o.x,y:o.y,zoom:o.k};t&&t?.(n,r)},Yo=({domNode:e,panning:t,minZoom:n,maxZoom:o,viewport:r,translateExtent:i,onTransformChange:a,onPanningChange:s,onPanZoom:u,onPanZoomStart:c,onPanZoomEnd:l,onPaneClick:d})=>{const h={isZoomingOrPanning:!1,timerId:void 0,prevViewport:{x:0,y:0,zoom:0},mouseButton:0,isPanScrolling:!1},f=e.getBoundingClientRect(),g=function(){var e,t,n,o=Zn,r=Vn,i=Wn,a=qn,s=Fn,u=[0,1/0],c=[[-1/0,-1/0],[1/0,1/0]],l=250,d=Bt,h=ve("start","zoom","end"),f=500,g=150,p=0,m=10;function y(e){e.property("__zoom",Un).on("wheel.zoom",S,{passive:!1}).on("mousedown.zoom",P).on("dblclick.zoom",N).filter(s).on("touchstart.zoom",M).on("touchmove.zoom",C).on("touchend.zoom touchcancel.zoom",k).style("-webkit-tap-highlight-color","rgba(0,0,0,0)")}function v(e,t){return(t=Math.max(u[0],Math.min(u[1],t)))===e.k?e:new Rn(t,e.x,e.y)}function x(e,t,n){var o=t[0]-n[0]*e.k,r=t[1]-n[1]*e.k;return o===e.x&&r===e.y?e:new Rn(e.k,o,r)}function b(e){return[(+e[0][0]+ +e[1][0])/2,(+e[0][1]+ +e[1][1])/2]}function w(e,t,n,o){e.on("start.zoom",(function(){_(this,arguments).event(o).start()})).on("interrupt.zoom end.zoom",(function(){_(this,arguments).event(o).end()})).tween("zoom",(function(){var e=this,i=arguments,a=_(e,i).event(o),s=r.apply(e,i),u=null==n?b(s):"function"==typeof n?n.apply(e,i):n,c=Math.max(s[1][0]-s[0][0],s[1][1]-s[0][1]),l=e.__zoom,h="function"==typeof t?t.apply(e,i):t,f=d(l.invert(u).concat(c/l.k),h.invert(u).concat(c/h.k));return function(e){if(1===e)e=h;else{var t=f(e),n=c/t[2];e=new Rn(n,u[0]-t[0]*n,u[1]-t[1]*n)}a.zoom(null,e)}}))}function _(e,t,n){return!n&&e.__zooming||new E(e,t)}function E(e,t){this.that=e,this.args=t,this.active=0,this.sourceEvent=null,this.extent=r.apply(e,t),this.taps=0}function S(e,...t){if(o.apply(this,arguments)){var n=_(this,t).event(e),r=this.__zoom,s=Math.max(u[0],Math.min(u[1],r.k*Math.pow(2,a.apply(this,arguments)))),l=me(e);if(n.wheel)n.mouse[0][0]===l[0]&&n.mouse[0][1]===l[1]||(n.mouse[1]=r.invert(n.mouse[0]=l)),clearTimeout(n.wheel);else{if(r.k===s)return;n.mouse=[l,r.invert(l)],ln(this),n.start()}Yn(e),n.wheel=setTimeout((function(){n.wheel=null,n.end()}),g),n.zoom("mouse",i(x(v(r,s),n.mouse[0],n.mouse[1]),n.extent,c))}}function P(e,...t){if(!n&&o.apply(this,arguments)){var r=e.currentTarget,a=_(this,t,!0).event(e),s=pe(e.view).on("mousemove.zoom",(function(e){if(Yn(e),!a.moved){var t=e.clientX-l,n=e.clientY-d;a.moved=t*t+n*n>p}a.event(e).zoom("mouse",i(x(a.that.__zoom,a.mouse[0]=me(e,r),a.mouse[1]),a.extent,c))}),!0).on("mouseup.zoom",(function(e){s.on("mousemove.zoom mouseup.zoom",null),Me(e.view,a.moved),Yn(e),a.event(e).end()}),!0),u=me(e,r),l=e.clientX,d=e.clientY;Ne(e.view),Ln(e),a.mouse=[u,this.__zoom.invert(u)],ln(this),a.start()}}function N(e,...t){if(o.apply(this,arguments)){var n=this.__zoom,a=me(e.changedTouches?e.changedTouches[0]:e,this),s=n.invert(a),u=n.k*(e.shiftKey?.5:2),d=i(x(v(n,u),a,s),r.apply(this,t),c);Yn(e),l>0?pe(this).transition().duration(l).call(w,d,a,e):pe(this).call(y.transform,d,a,e)}}function M(n,...r){if(o.apply(this,arguments)){var i,a,s,u,c=n.touches,l=c.length,d=_(this,r,n.changedTouches.length===l).event(n);for(Ln(n),a=0;a<l;++a)u=[u=me(s=c[a],this),this.__zoom.invert(u),s.identifier],d.touch0?d.touch1||d.touch0[2]===u[2]||(d.touch1=u,d.taps=0):(d.touch0=u,i=!0,d.taps=1+!!e);e&&(e=clearTimeout(e)),i&&(d.taps<2&&(t=u[0],e=setTimeout((function(){e=null}),f)),ln(this),d.start())}}function C(e,...t){if(this.__zooming){var n,o,r,a,s=_(this,t).event(e),u=e.changedTouches,l=u.length;for(Yn(e),n=0;n<l;++n)r=me(o=u[n],this),s.touch0&&s.touch0[2]===o.identifier?s.touch0[0]=r:s.touch1&&s.touch1[2]===o.identifier&&(s.touch1[0]=r);if(o=s.that.__zoom,s.touch1){var d=s.touch0[0],h=s.touch0[1],f=s.touch1[0],g=s.touch1[1],p=(p=f[0]-d[0])*p+(p=f[1]-d[1])*p,m=(m=g[0]-h[0])*m+(m=g[1]-h[1])*m;o=v(o,Math.sqrt(p/m)),r=[(d[0]+f[0])/2,(d[1]+f[1])/2],a=[(h[0]+g[0])/2,(h[1]+g[1])/2]}else{if(!s.touch0)return;r=s.touch0[0],a=s.touch0[1]}s.zoom("touch",i(x(o,r,a),s.extent,c))}}function k(e,...o){if(this.__zooming){var r,i,a=_(this,o).event(e),s=e.changedTouches,u=s.length;for(Ln(e),n&&clearTimeout(n),n=setTimeout((function(){n=null}),f),r=0;r<u;++r)i=s[r],a.touch0&&a.touch0[2]===i.identifier?delete a.touch0:a.touch1&&a.touch1[2]===i.identifier&&delete a.touch1;if(a.touch1&&!a.touch0&&(a.touch0=a.touch1,delete a.touch1),a.touch0)a.touch0[1]=this.__zoom.invert(a.touch0[0]);else if(a.end(),2===a.taps&&(i=me(i,this),Math.hypot(t[0]-i[0],t[1]-i[1])<m)){var c=pe(this).on("dblclick.zoom");c&&c.apply(this,arguments)}}}return y.transform=function(e,t,n,o){var r=e.selection?e.selection():e;r.property("__zoom",Un),e!==r?w(e,t,n,o):r.interrupt().each((function(){_(this,arguments).event(o).start().zoom(null,"function"==typeof t?t.apply(this,arguments):t).end()}))},y.scaleBy=function(e,t,n,o){y.scaleTo(e,(function(){return this.__zoom.k*("function"==typeof t?t.apply(this,arguments):t)}),n,o)},y.scaleTo=function(e,t,n,o){y.transform(e,(function(){var e=r.apply(this,arguments),o=this.__zoom,a=null==n?b(e):"function"==typeof n?n.apply(this,arguments):n,s=o.invert(a),u="function"==typeof t?t.apply(this,arguments):t;return i(x(v(o,u),a,s),e,c)}),n,o)},y.translateBy=function(e,t,n,o){y.transform(e,(function(){return i(this.__zoom.translate("function"==typeof t?t.apply(this,arguments):t,"function"==typeof n?n.apply(this,arguments):n),r.apply(this,arguments),c)}),null,o)},y.translateTo=function(e,t,n,o,a){y.transform(e,(function(){var e=r.apply(this,arguments),a=this.__zoom,s=null==o?b(e):"function"==typeof o?o.apply(this,arguments):o;return i(On.translate(s[0],s[1]).scale(a.k).translate("function"==typeof t?-t.apply(this,arguments):-t,"function"==typeof n?-n.apply(this,arguments):-n),e,c)}),o,a)},E.prototype={event:function(e){return e&&(this.sourceEvent=e),this},start:function(){return 1==++this.active&&(this.that.__zooming=this,this.emit("start")),this},zoom:function(e,t){return this.mouse&&"mouse"!==e&&(this.mouse[1]=t.invert(this.mouse[0])),this.touch0&&"touch"!==e&&(this.touch0[1]=t.invert(this.touch0[0])),this.touch1&&"touch"!==e&&(this.touch1[1]=t.invert(this.touch1[0])),this.that.__zoom=t,this.emit("zoom"),this},end:function(){return 0==--this.active&&(delete this.that.__zooming,this.emit("end")),this},emit:function(e){var t=pe(this.that).datum();h.call(e,this.that,new zn(e,{sourceEvent:this.sourceEvent,target:y,type:e,transform:this.that.__zoom,dispatch:h}),t)}},y.wheelDelta=function(e){return arguments.length?(a="function"==typeof e?e:jn(+e),y):a},y.filter=function(e){return arguments.length?(o="function"==typeof e?e:jn(!!e),y):o},y.touchable=function(e){return arguments.length?(s="function"==typeof e?e:jn(!!e),y):s},y.extent=function(e){return arguments.length?(r="function"==typeof e?e:jn([[+e[0][0],+e[0][1]],[+e[1][0],+e[1][1]]]),y):r},y.scaleExtent=function(e){return arguments.length?(u[0]=+e[0],u[1]=+e[1],y):[u[0],u[1]]},y.translateExtent=function(e){return arguments.length?(c[0][0]=+e[0][0],c[1][0]=+e[1][0],c[0][1]=+e[0][1],c[1][1]=+e[1][1],y):[[c[0][0],c[0][1]],[c[1][0],c[1][1]]]},y.constrain=function(e){return arguments.length?(i=e,y):i},y.duration=function(e){return arguments.length?(l=+e,y):l},y.interpolate=function(e){return arguments.length?(d=e,y):d},y.on=function(){var e=h.on.apply(h,arguments);return e===h?y:e},y.clickDistance=function(e){return arguments.length?(p=(e=+e)*e,y):Math.sqrt(p)},y.tapDistance=function(e){return arguments.length?(m=+e,y):m},y}().scaleExtent([n,o]).translateExtent(i),p=pe(e).call(g),m=(e,t,n)=>{const o=(({x:e,y:t,zoom:n})=>On.translate(e,t).scale(n))(e),r=g.constrain()(o,t,n);return r&&((e,t)=>{p&&g?.transform(((e,t=0)=>"number"==typeof t&&t>0?e.transition().duration(t):e)(p,t?.duration),e)})(r),r};m({x:r.x,y:r.y,zoom:ro(r.zoom,n,o)},[[0,0],[f.width,f.height]],i);const y=()=>{g.on("zoom",null),g.on("start",null),g.on("end",null),p.on("click.zoom",null)};return{update:({noPanClassName:e,selection:n})=>{n&&!h.isZoomingOrPanning&&y();const o=o=>{if(n)return!1;if(((e,t)=>e.target.closest(`.${t}`))(o,e)&&"wheel"!==o.type)return!1;if(!t)return!1;return!(o.button&&!(o.button<=1))},r=Lo({filter:o,onPaneClick:d});if(p.on("click.zoom",r,{passive:!1}),!n){const e=(({zoomPanValues:e,onPanningChange:t,onPanZoomStart:n})=>o=>{if(o.sourceEvent?.internal)return;const r=Xo(o.transform);e.mouseButton=o.sourceEvent?.button||0,e.isZoomingOrPanning=!0,e.prevViewport=r;const i=o.sourceEvent?.type;t&&("mousedown"!==i&&"touchstart"!==i||t(!0)),n&&n?.(o.sourceEvent,r)})({zoomPanValues:h,onPanningChange:s,onPanZoomStart:c}),t=(({onPanZoom:e,onTransformChange:t})=>n=>{t&&(n.sourceEvent?.sync||t([n.transform.x,n.transform.y,n.transform.k])),e&&!n.sourceEvent?.internal&&e?.(n.sourceEvent,Xo(n.transform))})({onPanZoom:u,onTransformChange:a}),n=(({zoomPanValues:e,onPanningChange:t,onPanZoomEnd:n})=>o=>{if(!o.sourceEvent?.internal&&(e.isZoomingOrPanning=!1,t&&t(!1),n&&((e,t)=>{const{x:n,y:o,zoom:r}=e,{x:i,y:a,k:s}=t;return n!==i||o!==a||r!==s})(e.prevViewport,o.transform))){const t=Xo(o.transform);e.prevViewport=t,clearTimeout(e.timerId),e.timerId=setTimeout((()=>{n?.(o.sourceEvent,t)}),0)}})({zoomPanValues:h,onPanningChange:s,onPanZoomEnd:l});g.on("start",e),g.on("zoom",t),g.on("end",n)}g.filter(o)},destroy:y,getViewport:()=>{const e=p?Xn(p.node()):{x:0,y:0,k:1};return{x:e.x,y:e.y,zoom:e.k}},setViewportConstrained:m}},Zo=e=>{let t;const n=new Set,o=(e,o)=>{const r="function"==typeof e?e(t):e;if(!Object.is(r,t)){const e=t;t=(null!=o?o:"object"!=typeof r)?r:Object.assign({},t,r),n.forEach((n=>n(t,e)))}},r=()=>t,i={setState:o,getState:r,subscribe:e=>(n.add(e),()=>n.delete(e)),destroy:()=>{console.warn("[DEPRECATED] The `destroy` method will be unsupported in a future version. Instead use unsubscribe function returned by subscribe. Everything will be garbage-collected if store is garbage-collected."),n.clear()}};return t=e(o,r,i),i};function Vo(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var Uo,qo,Fo,Wo={exports:{}},Ko={},Ho={exports:{}},Go={};function Qo(){return qo||(qo=1,Ho.exports=function(){if(Uo)return Go;Uo=1;var e=n,t="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},o=e.useState,r=e.useEffect,i=e.useLayoutEffect,a=e.useDebugValue;function s(e){var n=e.getSnapshot;e=e.value;try{var o=n();return!t(e,o)}catch(e){return!0}}var u="undefined"==typeof window||void 0===window.document||void 0===window.document.createElement?function(e,t){return t()}:function(e,t){var n=t(),u=o({inst:{value:n,getSnapshot:t}}),c=u[0].inst,l=u[1];return i((function(){c.value=n,c.getSnapshot=t,s(c)&&l({inst:c})}),[e,n,t]),r((function(){return s(c)&&l({inst:c}),e((function(){s(c)&&l({inst:c})}))}),[e]),a(n),n};return Go.useSyncExternalStore=void 0!==e.useSyncExternalStore?e.useSyncExternalStore:u,Go}()),Ho.exports}
|
|
2
2
|
/**
|
|
3
3
|
* @license React
|
|
4
4
|
* use-sync-external-store-shim/with-selector.production.min.js
|
|
@@ -7,4 +7,4 @@
|
|
|
7
7
|
*
|
|
8
8
|
* This source code is licensed under the MIT license found in the
|
|
9
9
|
* LICENSE file in the root directory of this source tree.
|
|
10
|
-
*/Wo.exports=function(){if(Fo)return Ko;Fo=1;var e=n,t=Qo(),o="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},r=t.useSyncExternalStore,i=e.useRef,a=e.useEffect,s=e.useMemo,u=e.useDebugValue;return Ko.useSyncExternalStoreWithSelector=function(e,t,n,c,l){var d=i(null);if(null===d.current){var h={hasValue:!1,value:null};d.current=h}else h=d.current;d=s((function(){function e(e){if(!a){if(a=!0,r=e,e=c(e),void 0!==l&&h.hasValue){var t=h.value;if(l(t,e))return i=t}return i=e}if(t=i,o(r,e))return t;var n=c(e);return void 0!==l&&l(t,n)?t:(r=e,i=n)}var r,i,a=!1,s=void 0===n?null:n;return[function(){return e(t())},null===s?void 0:function(){return e(s())}]}),[t,n,c,l]);var f=r(e,d[0],d[1]);return a((function(){h.hasValue=!0,h.value=f}),[f]),u(f),f},Ko}();var Jo=Vo(Wo.exports);const{useSyncExternalStoreWithSelector:er}=Jo;let tr=!1;const nr=n.createContext(null),or=nr.Provider,rr=oo["001"]();function ir(e,t){const o=n.useContext(nr);if(null===o)throw new Error(rr);return function(e,t=e.getState,o){o&&!tr&&(console.warn("[DEPRECATED] Use `createWithEqualityFn` instead of `create` or use `useStoreWithEqualityFn` instead of `useStore`. They can be imported from 'zustand/traditional'. https://github.com/pmndrs/zustand/discussions/1937"),tr=!0);const r=er(e.subscribe,e.getState,e.getServerState||e.getState,t,o);return n.useDebugValue(r),r}(o,e,t)}const ar=()=>{const e=n.useContext(nr);if(null===e)throw new Error(rr);return n.useMemo((()=>({getState:e.getState,setState:e.setState,subscribe:e.subscribe,destroy:e.destroy})),[e])};function sr(e){if("string"==typeof e||"number"==typeof e)return""+e;let t="";if(Array.isArray(e))for(let n,o=0;o<e.length;o++)""!==(n=sr(e[o]))&&(t+=(t&&" ")+n);else for(let n in e)e[n]&&(t+=(t&&" ")+n);return t}const ur=({noPanClassName:e,panning:o,selection:r,minZoom:i,maxZoom:a,defaultViewport:s,translateExtent:u,children:c,onMove:l,onMoveStart:d,onMoveEnd:h,onPaneClick:f,onPaneMouseEnter:g,onPaneMouseMove:p,onPaneMouseLeave:m})=>{const y=ar(),v=n.useRef(null),x=n.useRef();return n.useEffect((()=>{if(!v.current)return;x.current=Yo({domNode:v.current,minZoom:i,maxZoom:a,translateExtent:u,viewport:s,panning:o,onTransformChange:e=>{y.setState({transform:e})},onPaneClick:f,onPanZoomStart:d,onPanZoom:l,onPanZoomEnd:h});const{x:e,y:t,zoom:n}=x.current.getViewport();return y.setState({transform:[e,t,n],domNode:v.current.closest(".react-diagram")}),()=>{x.current?.destroy()}}),[]),n.useEffect((()=>{x.current?.update({noPanClassName:e,selection:r})}),[e,r]),t.jsx("div",{ref:v,className:sr(["react-diagram__pane react-diagram__container",{selection:r}]),onMouseEnter:g,onMouseMove:p,onMouseLeave:m,children:c})},cr=e=>`translate(${e.transform[0]}px,${e.transform[1]}px) scale(${e.transform[2]})`;function lr({children:e}){const n=ir(cr);return t.jsx("div",{className:"react-diagram__viewport react-diagram__container",style:{transform:n},children:e})}function dr(e,t){if(Object.is(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;if(e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(const[n,o]of e)if(!Object.is(o,t.get(n)))return!1;return!0}if(e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(const n of e)if(!t.has(n))return!1;return!0}const n=Object.keys(e);if(n.length!==Object.keys(t).length)return!1;for(let o=0;o<n.length;o++)if(!Object.prototype.hasOwnProperty.call(t,n[o])||!Object.is(e[n[o]],t[n[o]]))return!1;return!0}function hr({rect:e}){const{width:n,height:o,x:r,y:i}=e;return n&&o&&r&&i?t.jsx("div",{className:"react-diagram__drag-box react-diagram__container",style:{width:n,height:o,transform:`translate(${r}px, ${i}px)`}}):null}function fr(e,t,n){return void 0===n?n:o=>{const r=t().nodeInternals.get(e);n(o,{...r})}}function gr({id:e,store:t,isSelectable:n,unselect:o=!1,nodeRef:r}){if(!n)return;const{addSelectedNodes:i,unselectNodes:a,multiSelectionActive:s,nodeInternals:u}=t.getState(),c=u.get(e);t.setState({selectionBoxActive:!1}),c.selected?(o||c.selected&&s)&&(a({nodes:[c]}),requestAnimationFrame((()=>r?.current?.blur()))):i([e])}const pr=({disabled:e,nodeRef:t,nodeId:o,isSelectable:r,noDragClassName:i})=>{const a=ar(),s=n.useRef(),[u,c]=n.useState(!1);return n.useEffect((()=>{s.current=Oo({getStore:()=>a.getState(),onNodeMouseDown:e=>{gr({id:e,store:a,nodeRef:t,isSelectable:r})},onDrag:(e,t,n,o)=>{const{onNodeDrag:r}=a.getState();r?.(e,n,o)},onDragStart:(e,t,n,o)=>{const{onNodeDragStart:r}=a.getState();r?.(e,n,o),c(!0)},onDragEnd:(e,t,n,o)=>{const{onNodeDragEnd:r}=a.getState();r?.(e,n,o),c(!1)}})}),[]),n.useEffect((()=>{if(e)s.current?.destroy();else if(t.current)return s.current?.update({noDragClassName:i,domNode:t.current,isSelectable:r,nodeId:o}),()=>{s.current?.destroy()}}),[i,e,r,t,o]),u};var mr=n.memo((function({rect:e,transform:o}){const r=n.useRef(null);pr({nodeRef:r});const{width:i,height:a,x:s,y:u}=e;return t.jsx("div",{className:sr(["react-diagram__selection-box","react-diagram__container"]),style:{transform:o},children:t.jsx("div",{ref:r,className:"react-diagram__selection-box-rect",tabIndex:-1,style:{width:i,height:a,top:u,left:s}})})}));const yr=(e,t)=>{const n=e.find((e=>e.id===t.parentNode));if(n){const e=t.position.x+t.width-n.width,o=t.position.y+t.height-n.height;if(e>0||o>0||t.position.x<0||t.position.y<0){if(n.style={...n.style},n.style.width=n.style.width??n.width,n.style.height=n.style.height??n.height,e>0&&(n.style.width+=e),o>0&&(n.style.height+=o),t.position.x<0){const e=Math.abs(t.position.x);n.position.x=n.position.x-e,n.style.width+=e,t.position.x=0}if(t.position.y<0){const e=Math.abs(t.position.y);n.position.y=n.position.y-e,n.style.height+=e,t.position.y=0}n.width=n.style.width,n.height=n.style.height}}},vr=(e,t)=>{if(e.some((e=>"reset"===e.type)))return e.filter((e=>"reset"===e.type)).map((e=>e.item));const n=e.filter((e=>"add"===e.type)).map((e=>e.item));return t.reduce(((t,n)=>{const o=e.filter((e=>e.id===n.id));if(0===o.length)return t.push(n),t;const r={...n};for(const e of o)if(e)switch(e.type){case"select":r.selected=e.selected;break;case"position":void 0!==e.position&&(r.position=e.position),void 0!==e.positionAbsolute&&(r.positionAbsolute=e.positionAbsolute),void 0!==e.dragging&&(r.dragging=e.dragging),r.expandParent&&yr(t,r);break;case"dimensions":void 0!==e.dimensions&&(r.width=e.dimensions.width,r.height=e.dimensions.height),void 0!==e.updateStyle&&(r.style={...r.style||{},...e.dimensions}),"boolean"==typeof e.resizing&&(r.resizing=e.resizing),r.expandParent&&yr(t,r);break;case"intersect":r.intersected=e.intersected;break;case"remove":return t}return t.push(r),t}),n)};const xr=(e,t)=>({id:e,type:"select",selected:t});function br(e,t){return e.reduce(((e,n)=>{const o=t.includes(n.id);return!n.selected&&o?(n.selected=!0,e.push(xr(n.id,!0))):n.selected&&!o&&(n.selected=!1,e.push(xr(n.id,!1))),e}),[])}const wr=e=>{const{elementsSelectable:t,transform:n,selectionBoxActive:o,getNodes:r}=e,i=r().filter((e=>e.selected));return{elementsSelectable:t,selectionBoxRect:po(i,e.nodeOrigin),transformString:`translate(${n[0]}px,${n[1]}px) scale(${n[2]})`,selectionBoxActive:o}};function _r({isSelecting:e,children:o}){const r=ar(),i=n.useRef(null),a=n.useRef(0),s=n.useRef(),{elementsSelectable:u,selectionBoxRect:c,transformString:l,selectionBoxActive:d}=ir(wr,dr),[h,f]=n.useState({x:0,y:0}),[g,p]=n.useState({width:0,height:0,x:0,y:0}),[m,y]=n.useState(!1),v=()=>{r.setState({selectionBoxActive:a.current>0}),f({x:0,y:0}),p({width:0,height:0,x:0,y:0}),y(!1)},x=u&&e;return t.jsxs("div",{ref:i,className:sr(["react-diagram__container react-diagram__drag-selection",{active:x||d}]),onClick:e=>{e.target===i.current&&(r.getState().resetSelectedElements(),r.setState({selectionBoxActive:!1}),y(!1))},onMouseDown:x?t=>{const{resetSelectedElements:n,domNode:o}=r.getState();if(s.current=o?.getBoundingClientRect(),!u||0!==t.button||t.target!==i.current||!s.current||!e)return;const{x:a,y:c}=Jn(t.nativeEvent,s.current);n(),p({width:0,height:0,x:a,y:c}),f({x:a,y:c})}:void 0,onMouseMove:x?e=>{const{nodeInternals:t,transform:n,nodeOrigin:o,getNodes:i,onNodesChange:u}=r.getState();if(!(h.x>0&&h.y>0)||!s.current)return;r.setState({selectionBoxActive:!1}),y(!0);const c=Jn(e.nativeEvent,s.current),l=h.x??0,d=h.y??0,f={x:c.x<l?c.x:l,y:c.y<d?c.y:d,width:Math.abs(c.x-l),height:Math.abs(c.y-d)},g=i(),m=go(t,f,n,!1,!0,o).map((e=>e.id));if(a.current!==m.length){a.current=m.length;const e=br(g,m);e.length&&u?.(e)}p(f)}:void 0,onMouseUp:u?e=>{0===e.button&&v()}:void 0,onMouseLeave:x?()=>{v()}:void 0,children:[o,m&&t.jsx(hr,{rect:g}),d&&t.jsx(mr,{rect:c,transform:l})]})}const Er=e=>{const{minZoom:t,maxZoom:n,translateExtent:o}=e;return{minZoom:t,maxZoom:n,translateExtent:o}};function Sr({children:e,multiSelectionKeyCode:o,dragSelectionKeyCode:r,noPanClassName:i,panning:a,defaultViewport:s,onMove:u,onMoveStart:c,onMoveEnd:l,onPaneClick:d,onPaneMouseEnter:h,onPaneMouseMove:f,onPaneMouseLeave:g}){const{minZoom:p,maxZoom:m,translateExtent:y}=ir(Er);((e="Meta")=>{const t=ar(),[o,r]=n.useState(!1),i=t=>{t.key===e&&r(!0)},a=()=>{r(!1)};n.useEffect((()=>(document.addEventListener("keydown",i),document.addEventListener("keyup",a),()=>{document.removeEventListener("keydown",i),document.removeEventListener("keyup",a)})),[]),n.useEffect((()=>{t.setState({multiSelectionActive:o})}),[o])})(o);const v=(e=>{const[t,o]=n.useState(!1),r=t=>{t.key===e&&o(!0)},i=()=>{o(!1)};return n.useEffect((()=>(document.addEventListener("keydown",r),document.addEventListener("keyup",i),()=>{document.removeEventListener("keydown",r),document.removeEventListener("keyup",i)})),[]),t})(r),x=v,b=a&&!x;return t.jsx(t.Fragment,{children:t.jsx(ur,{noPanClassName:i,panning:b,selection:x,minZoom:p,maxZoom:m,translateExtent:y,defaultViewport:s,onMove:u,onMoveStart:c,onMoveEnd:l,onPaneClick:d,onPaneMouseEnter:h,onPaneMouseMove:f,onPaneMouseLeave:g,children:t.jsx(_r,{isSelecting:x,children:t.jsx(lr,{children:e})})})})}Sr.displayName="DiagramRenderer";var Pr=n.memo(Sr);const Nr=e=>({nodesDraggable:e.nodesDraggable,elementsSelectable:e.elementsSelectable,updateNodeDimensions:e.updateNodeDimensions,onError:e.onError});function Mr({nodeTypes:o,onNodeClick:r,onNodeMouseEnter:i,onNodeMouseMove:a,onNodeMouseLeave:s,onNodeContextMenu:u,onNodeDoubleClick:c,...l}){const{nodesDraggable:d,elementsSelectable:h,updateNodeDimensions:f,onError:g}=ir(Nr,dr),p=ir(n.useCallback((e=>e.getNodes()),[])),m=n.useRef(),y=n.useMemo((()=>{if("undefined"==typeof ResizeObserver)return null;const e=new ResizeObserver((e=>{const t=e.map((e=>({id:e.target.getAttribute("data-id"),nodeElement:e.target,forceUpdate:!0})));f(t)}));return m.current=e,e}),[]);return n.useEffect((()=>()=>{m?.current?.disconnect()}),[]),t.jsx("div",{className:"react-diagram__nodes react-diagram__container",children:p.map((n=>{const{data:f,type:p,id:m,className:v,style:x,width:b,height:w,ariaLabel:_,positionAbsolute:E,hidden:S,selected:P,selectable:N,draggable:M,intersected:C}=n;let k=p||"default";o[k]||(g?.("010",k),k="default");const $=o[k]||o.default,A=!!(M||d&&void 0===M),B=!!(N||h&&void 0===N),I={id:m,className:v,style:x,width:"default"===k&&b?120:void 0,height:"default"===k&&w?60:void 0,ariaLabel:_},T={onClick:r,onMouseEnter:i,onMouseMove:a,onMouseLeave:s,onContextMenu:u,onDoubleClick:c},j={positionX:E?.x||0,positionY:E?.y||0,sourcePosition:e.Position.Bottom,targetPosition:e.Position.Top},z={selected:!!P,intersected:!!C,isSelectable:B,isDraggable:A,hidden:S,isParent:!!n[Kn]?.isParent,initialized:!!n.width&&!!n.height};return t.jsx($,{...l,...I,...j,...T,...z,zIndex:n[Kn]?.z??0,type:k,data:f,resizeObserver:y},m)}))})}Mr.displayName="NodeRenderer";var Cr=n.memo(Mr);const kr={[e.MarkerType.Arrow]:({color:e="none",strokeWidth:n=1})=>t.jsx("polyline",{stroke:e,strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:n,fill:e,points:"-5,-4 0,0 -5,4 -5,-4"})};const $r=({id:e,type:o,color:r,width:i=12.5,height:a=12.5,markerUnits:s="strokeWidth",strokeWidth:u,orient:c="auto-start-reverse"})=>{const l=function(e){const t=ar();return n.useMemo((()=>Object.prototype.hasOwnProperty.call(kr,e)?kr[e]:(t.getState().onError?.("022",e),null)),[e])}(o);return l?t.jsx("marker",{className:"react-diagram__arrowhead",id:e,markerWidth:`${i}`,markerHeight:`${a}`,viewBox:"-10 -10 20 20",markerUnits:s,orient:c,refX:"0",refY:"0",children:t.jsx(l,{color:r,strokeWidth:u})}):null},Ar=({defaultColor:e,rfId:o})=>{const r=ir(n.useCallback((({defaultColor:e,rfId:t})=>n=>{const o=[];return n.edges.reduce(((n,r)=>([r.markerStart,r.markerEnd].forEach((r=>{if(r&&"object"==typeof r){const i=mo(r,t);o.includes(i)||(n.push({id:i,color:r.color||e,...r}),o.push(i))}})),n)),[]).sort(((e,t)=>e.id.localeCompare(t.id)))})({defaultColor:e,rfId:o}),[e,o]),((e,t)=>!(e.length!==t.length||e.some(((e,n)=>e.id!==t[n].id)))));return t.jsx("defs",{children:r.map((e=>t.jsx($r,{id:e.id,type:e.type,color:e.color,width:e.width,height:e.height,markerUnits:e.markerUnits,strokeWidth:e.strokeWidth,orient:e.orient},e.id)))})};Ar.displayName="MarkerComponent";var Br=n.memo(Ar);var Ir=n.memo((function({x:e,y:o,label:r,labelStyle:i={},labelShowBg:a=!0,labelBgStyle:s={},labelBgPadding:u=[2,4],labelBgBorderRadius:c=2,children:l,className:d,...h}){const f=n.useRef(null),[g,p]=n.useState({x:0,y:0,width:0,height:0}),m=sr(["react-diagram__edge-text-wrapper",d]);return n.useEffect((()=>{if(f.current){const e=f.current.getBBox();p({x:e.x,y:e.y,width:e.width,height:e.height})}}),[r]),void 0!==r&&r?t.jsxs("g",{transform:`translate(${e-g.width/2} ${o-g.height/2})`,className:m,visibility:g.width?"visible":"hidden",...h,children:[a&&t.jsx("rect",{width:g.width+2*u[0],x:-u[0],y:-u[1],height:g.height+2*u[1],className:"react-diagram__edge-text-bg",style:s,rx:c,ry:c}),t.jsx("text",{className:"react-diagram__edge-text",y:g.height/2,dy:"0.3em",ref:f,style:i,children:r}),l]}):null}));function Tr({path:e,labelX:n,labelY:o,label:r,labelStyle:i,labelShowBg:a,labelBgStyle:s,labelBgPadding:u,labelBgBorderRadius:c,style:l,markerEnd:d,markerStart:h}){return t.jsxs(t.Fragment,{children:[t.jsx("path",{style:l,d:e,fill:"none",className:"react-diagram__edge-path",markerEnd:d,markerStart:h}),r&&co(n)&&co(o)?t.jsx(Ir,{x:n,y:o,label:r,labelStyle:i,labelShowBg:a,labelBgStyle:s,labelBgPadding:u,labelBgBorderRadius:c}):null]})}Tr.displayName="BaseEdge";const jr=n.memo((({sourceX:e,sourceY:n,targetX:o,targetY:r,label:i,labelStyle:a,labelShowBg:s,labelBgStyle:u,labelBgPadding:c,labelBgBorderRadius:l,style:d,markerEnd:h,markerStart:f})=>{const[g,p,m]=Eo({sourceX:e,sourceY:n,targetX:o,targetY:r});return t.jsx(Tr,{path:g,labelX:p,labelY:m,label:i,labelStyle:a,labelShowBg:s,labelBgStyle:u,labelBgPadding:c,labelBgBorderRadius:l,style:d,markerEnd:h,markerStart:f})}));jr.displayName="StraightEdge";const zr=n.memo((({sourceX:n,sourceY:o,targetX:r,targetY:i,label:a,labelStyle:s,labelShowBg:u,labelBgStyle:c,labelBgPadding:l,labelBgBorderRadius:d,style:h,sourcePosition:f=e.Position.Bottom,targetPosition:g=e.Position.Top,markerEnd:p,markerStart:m,pathOptions:y})=>{const[v,x,b]=_o({sourceX:n,sourceY:o,sourcePosition:f,targetX:r,targetY:i,targetPosition:g,borderRadius:y?.borderRadius,offset:y?.offset});return t.jsx(Tr,{path:v,labelX:x,labelY:b,label:a,labelStyle:s,labelShowBg:u,labelBgStyle:c,labelBgPadding:l,labelBgBorderRadius:d,style:h,markerEnd:p,markerStart:m})}));zr.displayName="StepEdge";const Rr=n.memo((({sourceX:n,sourceY:o,targetX:r,targetY:i,sourcePosition:a=e.Position.Bottom,targetPosition:s=e.Position.Top,label:u,labelStyle:c,labelShowBg:l,labelBgStyle:d,labelBgPadding:h,labelBgBorderRadius:f,style:g,markerEnd:p,markerStart:m,pathOptions:y})=>{const[v,x,b]=Mo({sourceX:n,sourceY:o,sourcePosition:a,targetX:r,targetY:i,targetPosition:s,curvature:y?.curvature});return t.jsx(Tr,{path:v,labelX:x,labelY:b,label:u,labelStyle:c,labelShowBg:l,labelBgStyle:d,labelBgPadding:h,labelBgBorderRadius:f,style:g,markerEnd:p,markerStart:m})}));Rr.displayName="BezierEdge";const Dr=(t,n,o)=>o===e.Position.Left?t-n:o===e.Position.Right?t+n:t,Or=(t,n,o)=>o===e.Position.Top?t-n:o===e.Position.Bottom?t+n:t,Xr="react-diagram__edge-updater";function Lr({position:e,centerX:n,centerY:o,radius:r=10,onMouseDown:i,type:a}){return t.jsx("circle",{className:sr([Xr,`${Xr}-${a}`]),cx:Dr(n,r,e),cy:Or(o,r,e),r:r,stroke:"transparent",fill:"transparent",onMouseDown:i})}function Yr(e,t,n){return void 0===n?n:o=>{const r=t().edges.find((t=>t.id===e));r&&n(o,{...r})}}const Zr=e=>{const o=o=>{const{id:r,className:i,style:a,type:s,data:u,rfId:c,ariaLabel:l,source:d,sourcePort:h,target:f,targetPort:g,markerEnd:p,markerStart:m,label:y,labelStyle:v,labelShowBg:x,labelBgStyle:b,labelBgPadding:w,labelBgBorderRadius:_,edgeUpdaterRadius:E,sourceX:S,sourceY:P,targetX:N,targetY:M,sourcePosition:C,targetPosition:k,selected:$,elementsSelectable:A,hidden:B,isFocusable:I,onClick:T,onDoubleClick:j,onContextMenu:z,onMouseEnter:R,onMouseMove:D,onMouseLeave:O,onEdgeUpdate:X,onEdgeUpdateStart:L,onEdgeUpdateEnd:Y}=o,Z={sourceX:S,sourceY:P,targetX:N,targetY:M,sourcePosition:C,targetPosition:k},V={source:d,sourcePort:h,target:f,targetPort:g};if("react-diagram__connection"===i)return document.querySelector("path")?.classList.add("react-diagram__connection-path"),t.jsx(e,{...V,...Z,id:r,data:u,style:a,selected:$});const U=ar(),q=n.useRef(null),[F,W]=n.useState(!1),K=n.useMemo((()=>`url(#${mo(m,c)})`),[m,c]),H=n.useMemo((()=>`url(#${mo(p,c)})`),[p,c]);if(B)return null;const G=e=>t=>{if(0!==t.button)return;const{edges:n,domNode:i,autoPanOnConnect:a,connectionRadius:s,transform:u,getNodes:c,cancelConnection:l,updateConnection:d,onConnectStart:f,onConnectEnd:p,panBy:m}=U.getState(),y=o[e],v=n.find((e=>e.id===r)),x=("source"===e?h:g)||null;W(!0),L?.(t,v,e);jo({isAnchor:!0,event:t.nativeEvent,nodeId:y,portId:x,portType:e,domNode:i,autoPanOnConnect:a,connectionRadius:s,nodes:c(),onEdgeUpdateEnd:t=>{W(!1),Y?.(t,v,e)},cancelConnection:l,updateConnection:d,onConnect:e=>X?.(v,e),onConnectStart:f,onConnectEnd:p,panBy:m,getTransform:()=>u})},Q=Yr(r,U.getState,j),J=Yr(r,U.getState,z),ee=Yr(r,U.getState,R),te=Yr(r,U.getState,D),ne=Yr(r,U.getState,O),oe=sr(["react-diagram__edge",`react-diagram__edge-${s}`,i,{selected:$,inactive:!A}]),re={markerStart:K,markerEnd:H},ie={label:y,labelStyle:v,labelShowBg:x,labelBgStyle:b,labelBgPadding:w,labelBgBorderRadius:_},ae={onClick:e=>{const{edges:t}=U.getState();if(T){const n=t.find((e=>e.id===r));T(e,n)}},onDoubleClick:Q,onContextMenu:J,onMouseEnter:ee,onMouseMove:te,onMouseLeave:ne};return t.jsx("g",{...ae,ref:q,className:oe,tabIndex:I?0:void 0,role:I?"button":void 0,"aria-label":null===l?void 0:l||`Edge from ${d} to ${f}`,"aria-describedby":I?`react-diagram__edge-desc-${c}`:void 0,children:!F&&t.jsxs(t.Fragment,{children:[t.jsx(e,{...V,...re,...ie,...Z,id:r,data:u,style:a,selected:$}),t.jsx(Lr,{position:C,centerX:S,centerY:P,radius:E,onMouseDown:G("target"),type:"source"}),t.jsx(Lr,{position:k,centerX:N,centerY:M,radius:E,onMouseDown:G("source"),type:"target"})]})})};return o.displayName="EdgeWrapper",n.memo(o)},Vr=e=>{const t={default:Zr(e.straight||jr),step:Zr(e.step||zr),bezier:Zr(e.bezier||Rr)},n=Object.keys(e).filter((e=>!Object.keys(t).includes(e))).reduce(((t,n)=>(t[n]=Zr(e[n]||zr),t)),{});return{...t,...n}};function Ur(t,n,o=null){const r=(o?.x||0)+n.x,i=(o?.y||0)+n.y,a=o?.width||n.width,s=o?.height||n.height;switch(t){case e.Position.Top:return{x:r+a/2,y:i};case e.Position.Right:return{x:r+a,y:i+s/2};case e.Position.Bottom:return{x:r+a/2,y:i+s};case e.Position.Left:return{x:r,y:i+s/2}}}function qr(e,t){return e?1!==e.length&&t?t&&e.find((e=>e.id===t))||null:e[0]:null}function Fr(e){const t=e?.[Kn]?.portBounds||null,n=t&&e?.width&&e?.height&&void 0!==e?.positionAbsolute?.x&&void 0!==e?.positionAbsolute?.y;return[{x:e?.positionAbsolute?.x||0,y:e?.positionAbsolute?.y||0,width:e?.width||0,height:e?.height||0},t,!!n]}const Wr=e=>({edges:e.edges,width:e.width,height:e.height,nodeInternals:e.nodeInternals,onError:e.onError});function Kr({rfId:n,edgeTypes:o,noPanClassName:r,edgeUpdaterRadius:i,onEdgeClick:a,onEdgeDoubleClick:s,onEdgeContextMenu:u,onEdgeMouseEnter:c,onEdgeMouseMove:l,onEdgeMouseLeave:d,onEdgeUpdate:h,onEdgeUpdateStart:f,onEdgeUpdateEnd:g}){const{edges:p,width:m,height:y,nodeInternals:v}=ir(Wr,dr);return t.jsxs("svg",{width:m||"100vw",height:y||"100vh",className:"react-diagram__edges react-diagram__container",children:[t.jsx(Br,{defaultColor:"#000000",rfId:n}),t.jsx("g",{children:p.map((p=>{const{data:m,type:y,id:x,className:b,style:w,ariaLabel:_,source:E,sourcePort:S,target:P,targetPort:N,markerEnd:M,markerStart:C,label:k,labelStyle:$,labelShowBg:A,labelBgStyle:B,labelBgPadding:I,labelBgBorderRadius:T}=p,[j,z,R]=Fr(v.get(E)),[D,O,X]=Fr(v.get(P));if(!R||!X)return null;const L=y||"straight",Y=o[L]||o.default,Z=O.target,V=qr(z.source,S),U=qr(Z,N),q=V?.position||e.Position.Bottom,F=U?.position||e.Position.Top,W=!!p.focusable;if(!V||!U)return null;const K={id:x,className:sr([b,r]),style:w,ariaLabel:_},H={source:E,sourcePort:S,target:P,targetPort:N},G={markerEnd:M,markerStart:C},Q={label:k,labelStyle:$,labelShowBg:A,labelBgStyle:B,labelBgPadding:I,labelBgBorderRadius:T},J=((e,t,n,o,r,i)=>{const a=Ur(n,e,t),s=Ur(i,o,r);return{sourceX:a.x,sourceY:a.y,targetX:s.x,targetY:s.y}})(j,V,q,D,U,F),ee={...J,sourcePosition:q,targetPosition:F},te={onClick:a,onDoubleClick:s,onContextMenu:u,onMouseEnter:c,onMouseMove:l,onMouseLeave:d,onEdgeUpdate:h,onEdgeUpdateStart:f,onEdgeUpdateEnd:g};return t.jsx(Y,{...K,...H,...G,...Q,...ee,...te,rfId:n,type:L,data:m,isFocusable:W,edgeUpdaterRadius:i},x)}))})]})}Kr.displayName="EdgeRenderer";var Hr=n.memo(Kr);const Gr={[e.Position.Left]:e.Position.Right,[e.Position.Right]:e.Position.Left,[e.Position.Top]:e.Position.Bottom,[e.Position.Bottom]:e.Position.Top};function Qr({nodeId:e,portType:o,edge:r,Component:i,EdgeWrapper:a}){const{fromNode:s,toX:u,toY:c,startPort:l}=ir(n.useCallback((t=>({fromNode:t.nodeInternals.get(e),startPort:t.connectionStartPort,toX:(t.connectionPosition.x-t.transform[0])/t.transform[2],toY:(t.connectionPosition.y-t.transform[1])/t.transform[2]})),[e]),dr),d=s?.[Kn]?.portBounds,h=d?.[o];if(!s||!h)return null;const f=h.find((e=>e.id===l?.portId))||h[0],g=f?f.x+f.width/2:(s.width??0)/2,p=f?f.y+f.height/2:s.height??0,m=(s.positionAbsolute?.x??0)+g,y=(s.positionAbsolute?.y??0)+p,v=f?.position,x=v?Gr[v]:null;if(!v||!x)return null;if(i)return t.jsx(i,{fromNode:s,fromPort:f,fromX:m,fromY:y,toX:u,toY:c,fromPosition:v,toPosition:x});if(!r){const e=`M${m},${y} ${u},${c}`;return t.jsx("path",{d:e,fill:"none",className:"react-diagram__connection-path"})}return t.jsx(a,{id:r.id,className:"react-diagram__connection",type:r.type||"default",source:r.source||e,target:r.target,isFocusable:!1,sourceX:m,sourceY:y,targetX:u,targetY:c,sourcePosition:v,targetPosition:x})}Qr.displayName="ConnectionPath";const Jr=e=>({edges:e.edges,startPort:e.connectionStartPort});function ei({containerStyle:e,edgeTypes:n,component:o}){const{startPort:r,edges:i}=ir(Jr,dr);if(!r)return null;const{nodeId:a,portType:s}=r;if(!!(!a||!s))return null;const u=i.find((e=>e[s]===a)),c=u?.type?n[u.type]:n.default;return t.jsx("svg",{style:e,className:"react-diagram__container react-diagram__connection-line",children:t.jsx("g",{className:"react-diagram__connection",children:t.jsx(Qr,{nodeId:a,portType:s,edge:u,Component:o,EdgeWrapper:c})})})}function ti({rfId:e,noPanClassName:n,panning:o,defaultViewport:r,multiSelectionKeyCode:i,dragSelectionKeyCode:a,onlyRenderVisibleElements:s,disableKeyboardA11y:u,noDragClassName:c,nodeOrigin:l,nodeExtent:d,nodeTypes:h,onNodeClick:f,onNodeDoubleClick:g,onNodeContextMenu:p,onNodeMouseEnter:m,onNodeMouseMove:y,onNodeMouseLeave:v,edgeTypes:x,edgeUpdaterRadius:b,onEdgeClick:w,onEdgeDoubleClick:_,onEdgeContextMenu:E,onEdgeMouseEnter:S,onEdgeMouseMove:P,onEdgeMouseLeave:N,onEdgeUpdate:M,onEdgeUpdateStart:C,onEdgeUpdateEnd:k,onMove:$,onMoveStart:A,onMoveEnd:B,onPaneClick:I,onPaneMouseEnter:T,onPaneMouseMove:j,onPaneMouseLeave:z,ConnectionLineContainerStyle:R,ConnectionLineComponent:D}){return t.jsxs(Pr,{multiSelectionKeyCode:i,dragSelectionKeyCode:a,noPanClassName:n,panning:o,defaultViewport:r,onMove:$,onMoveStart:A,onMoveEnd:B,onPaneClick:I,onPaneMouseEnter:T,onPaneMouseMove:j,onPaneMouseLeave:z,children:[t.jsx(Cr,{rfId:e,nodeTypes:h,onlyRenderVisibleElements:s,disableKeyboardA11y:u,nodeOrigin:l,nodeExtent:d,noDragClassName:c,noPanClassName:n,onNodeClick:f,onNodeDoubleClick:g,onNodeContextMenu:p,onNodeMouseEnter:m,onNodeMouseMove:y,onNodeMouseLeave:v}),t.jsx(Hr,{rfId:e,edgeTypes:x,noPanClassName:n,edgeUpdaterRadius:b,onEdgeClick:w,onEdgeDoubleClick:_,onEdgeContextMenu:E,onEdgeMouseEnter:S,onEdgeMouseMove:P,onEdgeMouseLeave:N,onEdgeUpdate:M,onEdgeUpdateStart:C,onEdgeUpdateEnd:k}),t.jsx(ei,{edgeTypes:x,containerStyle:R,component:D})]})}ti.displayName="DiagramView";var ni=n.memo(ti);const oi=Symbol.for("internals"),ri=e=>{const{setNodes:t,setEdges:n,setNodeExtent:o,setTranslateExtent:r,setMinZoom:i,setMaxZoom:a}=e;return{setNodes:t,setEdges:n,setNodeExtent:o,setTranslateExtent:r,setMinZoom:i,setMaxZoom:a}};function ii(e,t){n.useEffect((()=>{void 0!==e&&t(e)}),[e])}function ai(e,t,o){n.useEffect((()=>{void 0!==t&&o({[e]:t})}),[t])}const si=({nodes:e,onNodesChange:t,onNodeDrag:n,onNodeDragStart:o,onNodeDragEnd:r,edges:i,onEdgesChange:a,nodeOrigin:s,smoothStep:u,centerStep:c,gridStep:l,elevateNodesOnSelect:d,nodesDraggable:h,autoPanOnNodeDrag:f,autoPanOnConnect:g,connectionRadius:p,onConnect:m,onConnectStart:y,onConnectEnd:v,onError:x,nodeExtent:b,translateExtent:w,minZoom:_,maxZoom:E})=>{const{setNodes:S,setEdges:P,setNodeExtent:N,setTranslateExtent:M,setMinZoom:C,setMaxZoom:k}=ir(ri,dr),$=ar();return ii(e,S),ii(i,P),ii(b,N),ii(b,N),ii(w,M),ii(_,C),ii(E,k),ai("nodeOrigin",s,$.setState),ai("smoothStep",u,$.setState),ai("centerStep",c,$.setState),ai("gridStep",l,$.setState),ai("elevateNodesOnSelect",d,$.setState),ai("nodesDraggable",h,$.setState),ai("autoPanOnNodeDrag",f,$.setState),ai("autoPanOnConnect",g,$.setState),ai("connectionRadius",p,$.setState),ai("onNodesChange",t,$.setState),ai("onNodeDrag",n,$.setState),ai("onNodeDragStart",o,$.setState),ai("onNodeDragEnd",r,$.setState),ai("onEdgesChange",a,$.setState),ai("onConnect",m,$.setState),ai("onConnectStart",y,$.setState),ai("onConnectEnd",v,$.setState),ai("onError",(e=>(t,n="")=>e?.(t,oo[t](n)))(x),$.setState),null};function ui(e,t){n.useRef(null);return n.useMemo((()=>t(e)),[e])}const ci=n.createContext(null),li=ci.Provider;ci.Consumer;function di({id:e,type:o,position:r}){const i=e||null,a=ar(),s=n.useContext(ci);if(!s)return null;const u=e=>{const{defaultEdgeOptions:t,onConnect:n}=a.getState(),o={...t,...e};n?.(o)},c=e=>{const t=Qn(e.nativeEvent),{button:n}=e;if(t&&0===n||!t){const{domNode:t,autoPanOnConnect:n,connectionRadius:r,transform:c,getNodes:l,cancelConnection:d,updateConnection:h,onConnectStart:f,onConnectEnd:g,panBy:p}=a.getState();jo({event:e.nativeEvent,nodeId:s,portId:i,portType:o,domNode:t,autoPanOnConnect:n,connectionRadius:r,nodes:l(),cancelConnection:d,updateConnection:h,onConnect:u,onConnectStart:f,onConnectEnd:g,panBy:p,getTransform:()=>c})}};return t.jsx("div",{"data-nodeid":s,"data-id":`${s}-${i}-${o}`,"data-portid":i,"data-port-position":r,className:`react-diagram__port react-diagram__port-${r} ${o} nodrag`,onMouseDown:c,onTouchStart:c})}di.displayName="Port";var hi=n.memo(di);function fi({data:n}){return t.jsxs(t.Fragment,{children:[t.jsx(hi,{type:"target",position:e.Position.Top}),n.label,t.jsx(hi,{type:"source",position:e.Position.Bottom})]})}const gi=e=>{function o({id:o,type:r,data:i,positionX:a,positionY:s,sourcePosition:u,targetPosition:c,onClick:l,onMouseEnter:d,onMouseMove:h,onMouseLeave:f,onContextMenu:g,onDoubleClick:p,style:m,width:y,height:v,className:x,selected:b,isSelectable:w,isDraggable:_,intersected:E,hidden:S,resizeObserver:P,dragHandle:N,zIndex:M,isParent:C,initialized:k,disableKeyboardA11y:$,ariaLabel:A,rfId:B,noDragClassName:I,noPanClassName:T}){const j=ar(),z=j.getState().nodeInternals.get(o),R=n.useRef(null),D=n.useRef(u),O=n.useRef(c),X=n.useRef(r),L=_||l||d||h||f;n.useEffect((()=>{if(R.current&&!S){const e=R.current;return P?.observe(e),()=>P?.unobserve(e)}}),[S]),n.useEffect((()=>{const e=X.current!==r,t=D.current!==u,n=O.current!==c;R.current&&(e||t||n)&&(e&&(X.current=r),t&&(D.current=u),n&&(O.current=c),j.getState().updateNodeDimensions([{id:o,nodeElement:R.current,forceUpdate:!0}]))}),[o,r,u,c]);const Y=pr({nodeRef:R,nodeId:o,disabled:S||!_,isSelectable:w,noDragClassName:I});if(S)return null;const Z=sr(["react-diagram__node",`react-diagram__node-${r}`,{[T]:_},x,{selected:b,intersected:E,parent:C,dragging:Y}]),V={zIndex:M,transform:`translate(${a}px,${s}px)`,pointerEvents:L?"all":"none",visibility:k?"visible":"hidden",width:y,height:v,...m},U={onClick:e=>{_||gr({id:o,store:j,nodeRef:R,isSelectable:w}),l&&l(e,{...z})},onDoubleClick:fr(o,j.getState,p),onContextMenu:fr(o,j.getState,g),onMouseEnter:fr(o,j.getState,d),onMouseMove:fr(o,j.getState,h),onMouseLeave:fr(o,j.getState,f)},q={positionX:a,positionY:s,sourcePosition:u,targetPosition:c};return t.jsx("div",{...U,ref:R,className:Z,style:V,"data-id":o,tabIndex:0,role:"button","aria-describedby":$?void 0:`react-diagram__node-desc-${B}`,"aria-label":A,children:t.jsx(li,{value:o,children:t.jsx(e,{...q,id:o,zIndex:M,type:r,data:i,dragHandle:N,selected:b,intersected:E})})})}return o.displayName="NodeWrapper",n.memo(o)},pi=e=>{const t={default:gi(e.default||fi)},n=Object.keys(e).filter((e=>!Object.keys(t).includes(e))).reduce(((t,n)=>(t[n]=gi(e[n]||fi),t)),{});return{...t,...n}},mi=[[Number.NEGATIVE_INFINITY,Number.NEGATIVE_INFINITY],[Number.POSITIVE_INFINITY,Number.POSITIVE_INFINITY]],yi={rfId:"1",width:0,height:0,transform:[0,0,1],nodeInternals:new Map,edges:[],elementsSelectable:!0,onNodesChange:null,domNode:null,nodeOrigin:[0,0],smoothStep:!1,centerStep:!1,gridStep:void 0,elevateNodesOnSelect:!0,nodesDraggable:!0,multiSelectionActive:!1,selectionBoxActive:!1,d3Zoom:null,d3Selection:null,minZoom:.5,maxZoom:2,connectionPosition:{x:0,y:0},connectionStartPort:null,connectionEndPort:null,autoPanOnNodeDrag:!0,autoPanOnConnect:!0,nodeExtent:mi,translateExtent:mi,connectionRadius:20,onError:(e,t="")=>{}},vi=()=>{return e=(e,t)=>({...yi,setNodes:n=>{const{nodeInternals:o,nodeOrigin:r,elevateNodesOnSelect:i}=t();e({nodeInternals:$o(n,o,r,i)})},getNodes:()=>Array.from(t().nodeInternals.values()),setEdges:n=>{const{defaultEdgeOptions:o={}}=t();e({edges:n.map((e=>({...o,...e})))})},updateNodeDimensions:n=>{const{onNodesChange:o,updateNodesIntersection:r,nodeInternals:i,domNode:a,nodeOrigin:s}=t(),u=a?.querySelector(".react-diagram__viewport");if(!u)return;const c=window.getComputedStyle(u),{m22:l}=new window.DOMMatrixReadOnly(c.transform),d=n.reduce(((e,t)=>{const n=i.get(t.id);if(n){const o=Hn(t.nodeElement);o.width&&o.height&&(n.width!==o.width||n.height!==o.height||t.forceUpdate)&&(i.set(n.id,{...n,[Kn]:{...n[Kn],portBounds:{id:n[Kn]?.portBounds?.id||null,source:Gn(".source",t.nodeElement,l,s),target:Gn(".target",t.nodeElement,l,s)}},...o}),e.push({id:n.id,type:"dimensions",dimensions:o}))}return e}),[]);r(),ko(i,s),e({nodeInternals:new Map(i)}),d?.length>0&&o?.(d)},updateNodesPosition:(e,n=!1,o)=>{const{triggerNodeChanges:r}=t();r(e.map((e=>{const t={id:e.id,type:"position",dragging:n};return o?(o(e),{...t,position:e.position,positionAbsolute:e.positionAbsolute}):t})))},triggerNodeChanges:e=>{const{onNodesChange:n}=t();e?.length&&n?.(e)},updateNodesIntersection:()=>{const{nodeInternals:e,triggerNodeChanges:n}=t(),o=Array.from(e.values());n([...o.filter((t=>Ao(t,e))).map((e=>({id:e.id,type:"intersect",intersected:!0}))),...o.filter((t=>t.intersected&&!Ao(t,e))).map((e=>({id:e.id,type:"intersect",intersected:!1})))])},addSelectedNodes:e=>{const{multiSelectionActive:n,getNodes:o,triggerNodeChanges:r}=t();let i;i=n?e.map((e=>xr(e,!0))):br(o(),e),r(i)},unselectNodes:({nodes:e}={})=>{const{getNodes:n,triggerNodeChanges:o}=t();o((e||n()).map((e=>(e.selected=!1,xr(e.id,!1)))))},resetSelectedElements:()=>{const{getNodes:e,triggerNodeChanges:n}=t();n(e().filter((e=>e.selected)).map((e=>xr(e.id,!1))))},cancelConnection:()=>e({connectionStartPort:null,connectionEndPort:null}),updateConnection:n=>{const{connectionPosition:o}=t(),r={...n,connectionPosition:n.connectionPosition??o};e(r)},panBy:e=>{const{transform:n,width:o,height:r,d3Zoom:i,d3Selection:a}=t();if(!i||!a||!e.x&&!e.y)return;const s=On.translate(n[0]+e.x,n[1]+e.y).scale(n[2]),u=[[0,0],[o,r]],c=i?.constrain()(s,u,mi);i.transform(a,c)},setNodeExtent:n=>{const{nodeInternals:o}=t();o.forEach((e=>{e.positionAbsolute=lo(e.positionAbsolute,n)})),e({nodeExtent:n,nodeInternals:new Map(o)})},setTranslateExtent:n=>{t().d3Zoom?.translateExtent(n),e({translateExtent:n})},setMinZoom:n=>{const{d3Zoom:o,maxZoom:r}=t();o?.scaleExtent([n,r]),e({minZoom:n})},setMaxZoom:n=>{const{d3Zoom:o,minZoom:r}=t();o?.scaleExtent([r,n]),e({maxZoom:n})}}),e?Zo(e):Zo;var e},xi=({children:e})=>{const o=n.useRef(null);return o.current||(o.current=vi()),t.jsx(or,{value:o.current,children:e})};function bi({children:e}){return n.useContext(nr)?t.jsx(t.Fragment,{children:e}):t.jsx(xi,{children:e})}xi.displayName="ReactDiagramProvider",bi.displayName="ReactDiagramWrapper";const wi={x:0,y:0,zoom:1},_i=[0,0],Ei={default:fi},Si={step:zr},Pi=n.forwardRef((({children:e,id:n,panning:o=!0,minZoom:r,maxZoom:i,translateExtent:a,nodeExtent:s=mi,defaultViewport:u=wi,multiSelectionKeyCode:c="Meta",dragSelectionKeyCode:l="Shift",onlyRenderVisibleElements:d=!1,disableKeyboardA11y:h=!1,noDragClassName:f="nodrag",noPanClassName:g="nopan",nodeOrigin:p=_i,nodeTypes:m=Ei,onNodeClick:y,onNodeDoubleClick:v,onNodeContextMenu:x,onNodeMouseEnter:b,onNodeMouseMove:w,onNodeMouseLeave:_,edgeTypes:E=Si,edgeUpdaterRadius:S,onEdgeClick:P,onEdgeDoubleClick:N,onEdgeContextMenu:M,onEdgeMouseEnter:C,onEdgeMouseMove:k,onEdgeMouseLeave:$,onEdgeUpdate:A,onEdgeUpdateStart:B,onEdgeUpdateEnd:I,ConnectionLineContainerStyle:T,ConnectionLineComponent:j,nodes:z,edges:R,nodesDraggable:D,elevateNodesOnSelect:O,autoPanOnNodeDrag:X,autoPanOnConnect:L,connectionRadius:Y,smoothStep:Z,centerStep:V,gridStep:U,onNodesChange:q,onNodeDrag:F,onNodeDragStart:W,onNodeDragEnd:K,onEdgesChange:H,onConnect:G,onConnectStart:Q,onConnectEnd:J,onMove:ee,onMoveStart:te,onMoveEnd:ne,onPaneClick:oe,onPaneMouseEnter:re,onPaneMouseMove:ie,onPaneMouseLeave:ae,onError:se,...ue},ce)=>{const le=n||"1",de=ui(m,pi),he=ui(E,Vr);return t.jsx("div",{...ue,ref:ce,className:"react-diagram",children:t.jsxs(bi,{children:[t.jsx(ni,{rfId:le,panning:o,defaultViewport:u,multiSelectionKeyCode:c,dragSelectionKeyCode:l,onlyRenderVisibleElements:d,disableKeyboardA11y:h,noDragClassName:f,noPanClassName:g,nodeOrigin:p,nodeExtent:s,nodeTypes:de,edgeTypes:he,edgeUpdaterRadius:S,ConnectionLineContainerStyle:T,ConnectionLineComponent:j,onNodeClick:y,onNodeDoubleClick:v,onNodeContextMenu:x,onNodeMouseEnter:b,onNodeMouseMove:w,onNodeMouseLeave:_,onEdgeClick:P,onEdgeDoubleClick:N,onEdgeContextMenu:M,onEdgeMouseEnter:C,onEdgeMouseMove:k,onEdgeMouseLeave:$,onEdgeUpdate:A,onEdgeUpdateStart:B,onEdgeUpdateEnd:I,onMove:ee,onMoveStart:te,onMoveEnd:ne,onPaneClick:oe,onPaneMouseEnter:re,onPaneMouseMove:ie,onPaneMouseLeave:ae}),t.jsx(si,{rfId:le,nodes:z,edges:R,nodesDraggable:D,elevateNodesOnSelect:O,autoPanOnNodeDrag:X,autoPanOnConnect:L,connectionRadius:Y,nodeOrigin:p,nodeExtent:s,translateExtent:a,minZoom:r,maxZoom:i,smoothStep:Z,centerStep:V,gridStep:U,onNodesChange:q,onNodeDrag:F,onNodeDragStart:W,onNodeDragEnd:K,onEdgesChange:H,onConnect:G,onConnectStart:Q,onConnectEnd:J,onError:se}),e]})})}));function Ni(e){return t=>{const[o,r]=n.useState(t),i=n.useCallback((t=>r((n=>e(t,n)))),[]);return[o,r,i]}}Pi.displayName="ReactDiagram";const Mi=Ni((function(e,t){return vr(e,t)})),Ci=Ni((function(e,t){return vr(e,t)}));function ki({color:e,scaledGap:n,lineWidth:o}){const r=`${`M${n[0]/2} 0`} ${`V${n[1]}`} ${"M0 "+n[1]/2} ${`H${n[0]}`}`;return t.jsx("path",{stroke:e,strokeWidth:o,d:r})}const $i=e=>({transform:e.transform,rfId:e.rfId,gridStepGap:e.gridStep});function Ai({gap:e,lineWidth:o=1,color:r="#000000"}){const i=n.useRef(null),{transform:a,rfId:s,gridStepGap:u}=ir($i,dr),c=e||(u||50),l=Array.isArray(c)?c:[c,c],d=[l[0]*a[2]||1,l[1]*a[2]||1],h=[d[0]/2,d[1]/2];return t.jsxs("svg",{className:"react-diagram__container react-diagram__background",ref:i,children:[t.jsx("pattern",{id:`background-${s}`,x:a[0]%d[0],y:a[1]%d[1],width:d[0],height:d[1],patternUnits:"userSpaceOnUse",patternTransform:`translate(-${h[0]},-${h[1]})`,children:t.jsx(ki,{scaledGap:d,color:r,lineWidth:o})}),t.jsx("rect",{x:"0",y:"0",width:"100%",height:"100%",fill:`url(#background-${s})`})]})}Ai.displayName="Background";var Bi=n.memo(Ai);e.Background=Bi,e.BaseEdge=Tr,e.BezierEdge=Rr,e.Port=hi,e.ReactDiagramProvider=xi,e.StepEdge=zr,e.addEdge=(e,t)=>{if(!ho(e))return t;if(((e,t)=>t.some((t=>!(t.source!==e.source||t.target!==e.target||t.sourcePort!==e.sourcePort&&(t.sourcePort||e.sourcePort)||t.targetPort!==e.targetPort&&(t.targetPort||e.targetPort)))))(e,t))return t;let n;return null===e.sourcePort&&delete e.sourcePort,null===e.targetPort&&delete e.targetPort,n=e.id?{...e}:{...e,id:vo(e)},t.concat(n)},e.boxToRect=uo,e.clamp=ro,e.default=Pi,e.getBezierEdgeCenter=So,e.getBezierPath=Mo,e.getStepPath=_o,e.getStraightPath=Eo,e.internalsSymbol=oi,e.isCoreEdge=ho,e.isCoreNode=e=>"id"in e&&!("source"in e)&&!("target"in e),e.rectToBox=so,e.updateEdge=(e,t,n,o={shouldReplaceId:!0})=>{const{id:r,...i}=e;!t.source||t.target,n.find((e=>e.id===r));const a={...i,id:o.shouldReplaceId?vo(t):r,source:t.source,target:t.target};return n.filter((e=>e.id!==r)).concat(a)},e.useEdgesState=Ci,e.useNodesState=Mi,e.useStore=ir,e.useStoreApi=ar,Object.defineProperty(e,"__esModule",{value:!0})}));
|
|
10
|
+
*/Wo.exports=function(){if(Fo)return Ko;Fo=1;var e=n,t=Qo(),o="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},r=t.useSyncExternalStore,i=e.useRef,a=e.useEffect,s=e.useMemo,u=e.useDebugValue;return Ko.useSyncExternalStoreWithSelector=function(e,t,n,c,l){var d=i(null);if(null===d.current){var h={hasValue:!1,value:null};d.current=h}else h=d.current;d=s((function(){function e(e){if(!a){if(a=!0,r=e,e=c(e),void 0!==l&&h.hasValue){var t=h.value;if(l(t,e))return i=t}return i=e}if(t=i,o(r,e))return t;var n=c(e);return void 0!==l&&l(t,n)?t:(r=e,i=n)}var r,i,a=!1,s=void 0===n?null:n;return[function(){return e(t())},null===s?void 0:function(){return e(s())}]}),[t,n,c,l]);var f=r(e,d[0],d[1]);return a((function(){h.hasValue=!0,h.value=f}),[f]),u(f),f},Ko}();var Jo=Vo(Wo.exports);const{useSyncExternalStoreWithSelector:er}=Jo;let tr=!1;const nr=n.createContext(null),or=nr.Provider,rr=oo["001"]();function ir(e,t){const o=n.useContext(nr);if(null===o)throw new Error(rr);return function(e,t=e.getState,o){o&&!tr&&(console.warn("[DEPRECATED] Use `createWithEqualityFn` instead of `create` or use `useStoreWithEqualityFn` instead of `useStore`. They can be imported from 'zustand/traditional'. https://github.com/pmndrs/zustand/discussions/1937"),tr=!0);const r=er(e.subscribe,e.getState,e.getServerState||e.getState,t,o);return n.useDebugValue(r),r}(o,e,t)}const ar=()=>{const e=n.useContext(nr);if(null===e)throw new Error(rr);return n.useMemo((()=>({getState:e.getState,setState:e.setState,subscribe:e.subscribe,destroy:e.destroy})),[e])};function sr(e){if("string"==typeof e||"number"==typeof e)return""+e;let t="";if(Array.isArray(e))for(let n,o=0;o<e.length;o++)""!==(n=sr(e[o]))&&(t+=(t&&" ")+n);else for(let n in e)e[n]&&(t+=(t&&" ")+n);return t}const ur=({noPanClassName:e,panning:o,selection:r,minZoom:i,maxZoom:a,defaultViewport:s,translateExtent:u,children:c,onMove:l,onMoveStart:d,onMoveEnd:h,onPaneClick:f,onPaneMouseEnter:g,onPaneMouseMove:p,onPaneMouseLeave:m})=>{const y=ar(),v=n.useRef(null),x=n.useRef();return n.useEffect((()=>{if(!v.current)return;x.current=Yo({domNode:v.current,minZoom:i,maxZoom:a,translateExtent:u,viewport:s,panning:o,onTransformChange:e=>{y.setState({transform:e})},onPaneClick:f,onPanZoomStart:d,onPanZoom:l,onPanZoomEnd:h});const{x:e,y:t,zoom:n}=x.current.getViewport();return y.setState({transform:[e,t,n],domNode:v.current.closest(".react-diagram")}),()=>{x.current?.destroy()}}),[]),n.useEffect((()=>{x.current?.update({noPanClassName:e,selection:r})}),[e,r]),t.jsx("div",{ref:v,className:sr(["react-diagram__pane react-diagram__container",{selection:r}]),onMouseEnter:g,onMouseMove:p,onMouseLeave:m,children:c})},cr=e=>`translate(${e.transform[0]}px,${e.transform[1]}px) scale(${e.transform[2]})`;function lr({children:e}){const n=ir(cr);return t.jsx("div",{className:"react-diagram__viewport react-diagram__container",style:{transform:n},children:e})}function dr(e,t){if(Object.is(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;if(e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(const[n,o]of e)if(!Object.is(o,t.get(n)))return!1;return!0}if(e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(const n of e)if(!t.has(n))return!1;return!0}const n=Object.keys(e);if(n.length!==Object.keys(t).length)return!1;for(let o=0;o<n.length;o++)if(!Object.prototype.hasOwnProperty.call(t,n[o])||!Object.is(e[n[o]],t[n[o]]))return!1;return!0}function hr({rect:e}){const{width:n,height:o,x:r,y:i}=e;return n&&o&&r&&i?t.jsx("div",{className:"react-diagram__drag-box react-diagram__container",style:{width:n,height:o,transform:`translate(${r}px, ${i}px)`}}):null}function fr(e,t,n){return void 0===n?n:o=>{const r=t().nodeInternals.get(e);n(o,{...r})}}function gr({id:e,store:t,isSelectable:n,unselect:o=!1,nodeRef:r}){if(!n)return;const{addSelectedNodes:i,unselectNodes:a,multiSelectionActive:s,nodeInternals:u}=t.getState(),c=u.get(e);t.setState({selectionBoxActive:!1}),c.selected?(o||c.selected&&s)&&(a({nodes:[c]}),requestAnimationFrame((()=>r?.current?.blur()))):i([e])}const pr=({disabled:e,nodeRef:t,nodeId:o,isSelectable:r,noDragClassName:i})=>{const a=ar(),s=n.useRef(),[u,c]=n.useState(!1);return n.useEffect((()=>{s.current=Oo({getStore:()=>a.getState(),onNodeMouseDown:e=>{gr({id:e,store:a,nodeRef:t,isSelectable:r})},onDrag:(e,t,n,o)=>{const{onNodeDrag:r}=a.getState();r?.(e,n,o)},onDragStart:(e,t,n,o)=>{const{onNodeDragStart:r}=a.getState();r?.(e,n,o),c(!0)},onDragEnd:(e,t,n,o)=>{const{onNodeDragEnd:r}=a.getState();r?.(e,n,o),c(!1)}})}),[]),n.useEffect((()=>{if(e)s.current?.destroy();else if(t.current)return s.current?.update({noDragClassName:i,domNode:t.current,isSelectable:r,nodeId:o}),()=>{s.current?.destroy()}}),[i,e,r,t,o]),u};var mr=n.memo((function({rect:e,transform:o}){const r=n.useRef(null);pr({nodeRef:r});const{width:i,height:a,x:s,y:u}=e;return t.jsx("div",{className:sr(["react-diagram__selection-box","react-diagram__container"]),style:{transform:o},children:t.jsx("div",{ref:r,className:"react-diagram__selection-box-rect",tabIndex:-1,style:{width:i,height:a,top:u,left:s}})})}));const yr=(e,t)=>{const n=e.find((e=>e.id===t.parentNode));if(n){const e=t.position.x+t.width-n.width,o=t.position.y+t.height-n.height;if(e>0||o>0||t.position.x<0||t.position.y<0){if(n.style={...n.style},n.style.width=n.style.width??n.width,n.style.height=n.style.height??n.height,e>0&&(n.style.width+=e),o>0&&(n.style.height+=o),t.position.x<0){const e=Math.abs(t.position.x);n.position.x=n.position.x-e,n.style.width+=e,t.position.x=0}if(t.position.y<0){const e=Math.abs(t.position.y);n.position.y=n.position.y-e,n.style.height+=e,t.position.y=0}n.width=n.style.width,n.height=n.style.height}}},vr=(e,t)=>{if(e.some((e=>"reset"===e.type)))return e.filter((e=>"reset"===e.type)).map((e=>e.item));const n=e.filter((e=>"add"===e.type)).map((e=>e.item));return t.reduce(((t,n)=>{const o=e.filter((e=>e.id===n.id));if(0===o.length)return t.push(n),t;const r={...n};for(const e of o)if(e)switch(e.type){case"select":r.selected=e.selected;break;case"position":void 0!==e.position&&(r.position=e.position),void 0!==e.positionAbsolute&&(r.positionAbsolute=e.positionAbsolute),void 0!==e.dragging&&(r.dragging=e.dragging),r.expandParent&&yr(t,r);break;case"dimensions":void 0!==e.dimensions&&(r.width=e.dimensions.width,r.height=e.dimensions.height),void 0!==e.updateStyle&&(r.style={...r.style||{},...e.dimensions}),"boolean"==typeof e.resizing&&(r.resizing=e.resizing),r.expandParent&&yr(t,r);break;case"intersect":r.intersected=e.intersected;break;case"remove":return t}return t.push(r),t}),n)};const xr=(e,t)=>({id:e,type:"select",selected:t});function br(e,t){return e.reduce(((e,n)=>{const o=t.includes(n.id);return!n.selected&&o?(n.selected=!0,e.push(xr(n.id,!0))):n.selected&&!o&&(n.selected=!1,e.push(xr(n.id,!1))),e}),[])}const wr=e=>{const{elementsSelectable:t,transform:n,selectionBoxActive:o,getNodes:r}=e,i=r().filter((e=>e.selected));return{elementsSelectable:t,selectionBoxRect:po(i,e.nodeOrigin),transformString:`translate(${n[0]}px,${n[1]}px) scale(${n[2]})`,selectionBoxActive:o}};function _r({isSelecting:e,children:o}){const r=ar(),i=n.useRef(null),a=n.useRef(0),s=n.useRef(),{elementsSelectable:u,selectionBoxRect:c,transformString:l,selectionBoxActive:d}=ir(wr,dr),[h,f]=n.useState({x:0,y:0}),[g,p]=n.useState({width:0,height:0,x:0,y:0}),[m,y]=n.useState(!1),v=()=>{r.setState({selectionBoxActive:a.current>0}),f({x:0,y:0}),p({width:0,height:0,x:0,y:0}),y(!1)},x=u&&e;return t.jsxs("div",{ref:i,className:sr(["react-diagram__container react-diagram__drag-selection",{active:x||d}]),onClick:e=>{e.target===i.current&&(r.getState().resetSelectedElements(),r.setState({selectionBoxActive:!1}),y(!1))},onMouseDown:x?t=>{const{resetSelectedElements:n,domNode:o}=r.getState();if(s.current=o?.getBoundingClientRect(),!u||0!==t.button||t.target!==i.current||!s.current||!e)return;const{x:a,y:c}=Jn(t.nativeEvent,s.current);n(),p({width:0,height:0,x:a,y:c}),f({x:a,y:c})}:void 0,onMouseMove:x?e=>{const{nodeInternals:t,transform:n,nodeOrigin:o,getNodes:i,onNodesChange:u}=r.getState();if(!(h.x>0&&h.y>0)||!s.current)return;r.setState({selectionBoxActive:!1}),y(!0);const c=Jn(e.nativeEvent,s.current),l=h.x??0,d=h.y??0,f={x:c.x<l?c.x:l,y:c.y<d?c.y:d,width:Math.abs(c.x-l),height:Math.abs(c.y-d)},g=i(),m=go(t,f,n,!1,!0,o).map((e=>e.id));if(a.current!==m.length){a.current=m.length;const e=br(g,m);e.length&&u?.(e)}p(f)}:void 0,onMouseUp:u?e=>{0===e.button&&v()}:void 0,onMouseLeave:x?()=>{v()}:void 0,children:[o,m&&t.jsx(hr,{rect:g}),d&&t.jsx(mr,{rect:c,transform:l})]})}const Er=e=>{const{minZoom:t,maxZoom:n,translateExtent:o}=e;return{minZoom:t,maxZoom:n,translateExtent:o}};function Sr({children:e,multiSelectionKeyCode:o,dragSelectionKeyCode:r,noPanClassName:i,panning:a,defaultViewport:s,onMove:u,onMoveStart:c,onMoveEnd:l,onPaneClick:d,onPaneMouseEnter:h,onPaneMouseMove:f,onPaneMouseLeave:g}){const{minZoom:p,maxZoom:m,translateExtent:y}=ir(Er);((e="Meta")=>{const t=ar(),[o,r]=n.useState(!1),i=t=>{t.key===e&&r(!0)},a=()=>{r(!1)};n.useEffect((()=>(document.addEventListener("keydown",i),document.addEventListener("keyup",a),()=>{document.removeEventListener("keydown",i),document.removeEventListener("keyup",a)})),[]),n.useEffect((()=>{t.setState({multiSelectionActive:o})}),[o])})(o);const v=(e=>{const[t,o]=n.useState(!1),r=t=>{t.key===e&&o(!0)},i=()=>{o(!1)};return n.useEffect((()=>(document.addEventListener("keydown",r),document.addEventListener("keyup",i),()=>{document.removeEventListener("keydown",r),document.removeEventListener("keyup",i)})),[]),t})(r),x=v,b=a&&!x;return t.jsx(t.Fragment,{children:t.jsx(ur,{noPanClassName:i,panning:b,selection:x,minZoom:p,maxZoom:m,translateExtent:y,defaultViewport:s,onMove:u,onMoveStart:c,onMoveEnd:l,onPaneClick:d,onPaneMouseEnter:h,onPaneMouseMove:f,onPaneMouseLeave:g,children:t.jsx(_r,{isSelecting:x,children:t.jsx(lr,{children:e})})})})}Sr.displayName="DiagramRenderer";var Pr=n.memo(Sr);const Nr=e=>({nodesDraggable:e.nodesDraggable,elementsSelectable:e.elementsSelectable,updateNodeDimensions:e.updateNodeDimensions,onError:e.onError});function Mr({nodeTypes:o,onNodeClick:r,onNodeMouseEnter:i,onNodeMouseMove:a,onNodeMouseLeave:s,onNodeContextMenu:u,onNodeDoubleClick:c,...l}){const{nodesDraggable:d,elementsSelectable:h,updateNodeDimensions:f,onError:g}=ir(Nr,dr),p=ir(n.useCallback((e=>e.getNodes()),[])),m=n.useRef(),y=n.useMemo((()=>{if("undefined"==typeof ResizeObserver)return null;const e=new ResizeObserver((e=>{const t=e.map((e=>({id:e.target.getAttribute("data-id"),nodeElement:e.target,forceUpdate:!0})));f(t)}));return m.current=e,e}),[]);return n.useEffect((()=>()=>{m?.current?.disconnect()}),[]),t.jsx("div",{className:"react-diagram__nodes react-diagram__container",children:p.map((n=>{const{data:f,type:p,id:m,className:v,style:x,width:b,height:w,ariaLabel:_,positionAbsolute:E,hidden:S,selected:P,selectable:N,draggable:M,intersected:C}=n;let k=p||"default";o[k]||(g?.("010",k),k="default");const A=o[k]||o.default,$=!!(M||d&&void 0===M),B=!!(N||h&&void 0===N),I={id:m,className:v,style:x,width:b??("default"===k?120:void 0),height:w??("default"===k?60:void 0),ariaLabel:_},T={onClick:r,onMouseEnter:i,onMouseMove:a,onMouseLeave:s,onContextMenu:u,onDoubleClick:c},j={positionX:E?.x||0,positionY:E?.y||0,sourcePosition:e.Position.Bottom,targetPosition:e.Position.Top},z={selected:!!P,intersected:!!C,isSelectable:B,isDraggable:$,hidden:S,isParent:!!n[Kn]?.isParent,initialized:!!n.width&&!!n.height};return t.jsx(A,{...l,...I,...j,...T,...z,zIndex:n[Kn]?.z??0,type:k,data:f,resizeObserver:y},m)}))})}Mr.displayName="NodeRenderer";var Cr=n.memo(Mr);const kr={[e.MarkerType.Arrow]:({color:e="none",strokeWidth:n=1})=>t.jsx("polyline",{stroke:e,strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:n,fill:e,points:"-5,-4 0,0 -5,4 -5,-4"})};const Ar=({id:e,type:o,color:r,width:i=12.5,height:a=12.5,markerUnits:s="strokeWidth",strokeWidth:u,orient:c="auto-start-reverse"})=>{const l=function(e){const t=ar();return n.useMemo((()=>Object.prototype.hasOwnProperty.call(kr,e)?kr[e]:(t.getState().onError?.("022",e),null)),[e])}(o);return l?t.jsx("marker",{className:"react-diagram__arrowhead",id:e,markerWidth:`${i}`,markerHeight:`${a}`,viewBox:"-10 -10 20 20",markerUnits:s,orient:c,refX:"0",refY:"0",children:t.jsx(l,{color:r,strokeWidth:u})}):null},$r=({defaultColor:e,rfId:o})=>{const r=ir(n.useCallback((({defaultColor:e,rfId:t})=>n=>{const o=[];return n.edges.reduce(((n,r)=>([r.markerStart,r.markerEnd].forEach((r=>{if(r&&"object"==typeof r){const i=mo(r,t);o.includes(i)||(n.push({id:i,color:r.color||e,...r}),o.push(i))}})),n)),[]).sort(((e,t)=>e.id.localeCompare(t.id)))})({defaultColor:e,rfId:o}),[e,o]),((e,t)=>!(e.length!==t.length||e.some(((e,n)=>e.id!==t[n].id)))));return t.jsx("defs",{children:r.map((e=>t.jsx(Ar,{id:e.id,type:e.type,color:e.color,width:e.width,height:e.height,markerUnits:e.markerUnits,strokeWidth:e.strokeWidth,orient:e.orient},e.id)))})};$r.displayName="MarkerComponent";var Br=n.memo($r);var Ir=n.memo((function({x:e,y:o,label:r,labelStyle:i={},labelShowBg:a=!0,labelBgStyle:s={},labelBgPadding:u=[2,4],labelBgBorderRadius:c=2,children:l,className:d,...h}){const f=n.useRef(null),[g,p]=n.useState({x:0,y:0,width:0,height:0}),m=sr(["react-diagram__edge-text-wrapper",d]);return n.useEffect((()=>{if(f.current){const e=f.current.getBBox();p({x:e.x,y:e.y,width:e.width,height:e.height})}}),[r]),void 0!==r&&r?t.jsxs("g",{transform:`translate(${e-g.width/2} ${o-g.height/2})`,className:m,visibility:g.width?"visible":"hidden",...h,children:[a&&t.jsx("rect",{width:g.width+2*u[0],x:-u[0],y:-u[1],height:g.height+2*u[1],className:"react-diagram__edge-text-bg",style:s,rx:c,ry:c}),t.jsx("text",{className:"react-diagram__edge-text",y:g.height/2,dy:"0.3em",ref:f,style:i,children:r}),l]}):null}));function Tr({path:e,labelX:n,labelY:o,label:r,labelStyle:i,labelShowBg:a,labelBgStyle:s,labelBgPadding:u,labelBgBorderRadius:c,style:l,markerEnd:d,markerStart:h}){return t.jsxs(t.Fragment,{children:[t.jsx("path",{style:l,d:e,fill:"none",className:"react-diagram__edge-path",markerEnd:d,markerStart:h}),r&&co(n)&&co(o)?t.jsx(Ir,{x:n,y:o,label:r,labelStyle:i,labelShowBg:a,labelBgStyle:s,labelBgPadding:u,labelBgBorderRadius:c}):null]})}Tr.displayName="BaseEdge";const jr=n.memo((({sourceX:e,sourceY:n,targetX:o,targetY:r,label:i,labelStyle:a,labelShowBg:s,labelBgStyle:u,labelBgPadding:c,labelBgBorderRadius:l,style:d,markerEnd:h,markerStart:f})=>{const[g,p,m]=Eo({sourceX:e,sourceY:n,targetX:o,targetY:r});return t.jsx(Tr,{path:g,labelX:p,labelY:m,label:i,labelStyle:a,labelShowBg:s,labelBgStyle:u,labelBgPadding:c,labelBgBorderRadius:l,style:d,markerEnd:h,markerStart:f})}));jr.displayName="StraightEdge";const zr=n.memo((({sourceX:n,sourceY:o,targetX:r,targetY:i,label:a,labelStyle:s,labelShowBg:u,labelBgStyle:c,labelBgPadding:l,labelBgBorderRadius:d,style:h,sourcePosition:f=e.Position.Bottom,targetPosition:g=e.Position.Top,markerEnd:p,markerStart:m,pathOptions:y})=>{const[v,x,b]=_o({sourceX:n,sourceY:o,sourcePosition:f,targetX:r,targetY:i,targetPosition:g,borderRadius:y?.borderRadius,offset:y?.offset});return t.jsx(Tr,{path:v,labelX:x,labelY:b,label:a,labelStyle:s,labelShowBg:u,labelBgStyle:c,labelBgPadding:l,labelBgBorderRadius:d,style:h,markerEnd:p,markerStart:m})}));zr.displayName="StepEdge";const Rr=n.memo((({sourceX:n,sourceY:o,targetX:r,targetY:i,sourcePosition:a=e.Position.Bottom,targetPosition:s=e.Position.Top,label:u,labelStyle:c,labelShowBg:l,labelBgStyle:d,labelBgPadding:h,labelBgBorderRadius:f,style:g,markerEnd:p,markerStart:m,pathOptions:y})=>{const[v,x,b]=Mo({sourceX:n,sourceY:o,sourcePosition:a,targetX:r,targetY:i,targetPosition:s,curvature:y?.curvature});return t.jsx(Tr,{path:v,labelX:x,labelY:b,label:u,labelStyle:c,labelShowBg:l,labelBgStyle:d,labelBgPadding:h,labelBgBorderRadius:f,style:g,markerEnd:p,markerStart:m})}));Rr.displayName="BezierEdge";const Dr=(t,n,o)=>o===e.Position.Left?t-n:o===e.Position.Right?t+n:t,Or=(t,n,o)=>o===e.Position.Top?t-n:o===e.Position.Bottom?t+n:t,Xr="react-diagram__edge-updater";function Lr({position:e,centerX:n,centerY:o,radius:r=10,onMouseDown:i,type:a}){return t.jsx("circle",{className:sr([Xr,`${Xr}-${a}`]),cx:Dr(n,r,e),cy:Or(o,r,e),r:r,stroke:"transparent",fill:"transparent",onMouseDown:i})}function Yr(e,t,n){return void 0===n?n:o=>{const r=t().edges.find((t=>t.id===e));r&&n(o,{...r})}}const Zr=e=>{const o=o=>{const{id:r,className:i,style:a,type:s,data:u,rfId:c,ariaLabel:l,source:d,sourcePort:h,target:f,targetPort:g,markerEnd:p,markerStart:m,label:y,labelStyle:v,labelShowBg:x,labelBgStyle:b,labelBgPadding:w,labelBgBorderRadius:_,edgeUpdaterRadius:E,sourceX:S,sourceY:P,targetX:N,targetY:M,sourcePosition:C,targetPosition:k,selected:A,elementsSelectable:$,hidden:B,isFocusable:I,onClick:T,onDoubleClick:j,onContextMenu:z,onMouseEnter:R,onMouseMove:D,onMouseLeave:O,onEdgeUpdate:X,onEdgeUpdateStart:L,onEdgeUpdateEnd:Y}=o,Z={sourceX:S,sourceY:P,targetX:N,targetY:M,sourcePosition:C,targetPosition:k},V={source:d,sourcePort:h,target:f,targetPort:g};if("react-diagram__connection"===i)return document.querySelector("path")?.classList.add("react-diagram__connection-path"),t.jsx(e,{...V,...Z,id:r,data:u,style:a,selected:A});const U=ar(),q=n.useRef(null),[F,W]=n.useState(!1),K=n.useMemo((()=>`url(#${mo(m,c)})`),[m,c]),H=n.useMemo((()=>`url(#${mo(p,c)})`),[p,c]);if(B)return null;const G=e=>t=>{if(0!==t.button)return;const{edges:n,domNode:i,autoPanOnConnect:a,connectionRadius:s,transform:u,getNodes:c,cancelConnection:l,updateConnection:d,onConnectStart:f,onConnectEnd:p,panBy:m}=U.getState(),y=o[e],v=n.find((e=>e.id===r)),x=("source"===e?h:g)||null;W(!0),L?.(t,v,e);jo({isAnchor:!0,event:t.nativeEvent,nodeId:y,portId:x,portType:e,domNode:i,autoPanOnConnect:a,connectionRadius:s,nodes:c(),onEdgeUpdateEnd:t=>{W(!1),Y?.(t,v,e)},cancelConnection:l,updateConnection:d,onConnect:e=>X?.(v,e),onConnectStart:f,onConnectEnd:p,panBy:m,getTransform:()=>u})},Q=Yr(r,U.getState,j),J=Yr(r,U.getState,z),ee=Yr(r,U.getState,R),te=Yr(r,U.getState,D),ne=Yr(r,U.getState,O),oe=sr(["react-diagram__edge",`react-diagram__edge-${s}`,i,{selected:A,inactive:!$}]),re={markerStart:K,markerEnd:H},ie={label:y,labelStyle:v,labelShowBg:x,labelBgStyle:b,labelBgPadding:w,labelBgBorderRadius:_},ae={onClick:e=>{const{edges:t}=U.getState();if(T){const n=t.find((e=>e.id===r));T(e,n)}},onDoubleClick:Q,onContextMenu:J,onMouseEnter:ee,onMouseMove:te,onMouseLeave:ne};return t.jsx("g",{...ae,ref:q,className:oe,tabIndex:I?0:void 0,role:I?"button":void 0,"aria-label":null===l?void 0:l||`Edge from ${d} to ${f}`,"aria-describedby":I?`react-diagram__edge-desc-${c}`:void 0,children:!F&&t.jsxs(t.Fragment,{children:[t.jsx(e,{...V,...re,...ie,...Z,id:r,data:u,style:a,selected:A}),t.jsx(Lr,{position:C,centerX:S,centerY:P,radius:E,onMouseDown:G("target"),type:"source"}),t.jsx(Lr,{position:k,centerX:N,centerY:M,radius:E,onMouseDown:G("source"),type:"target"})]})})};return o.displayName="EdgeWrapper",n.memo(o)},Vr=e=>{const t={default:Zr(e.straight||jr),step:Zr(e.step||zr),bezier:Zr(e.bezier||Rr)},n=Object.keys(e).filter((e=>!Object.keys(t).includes(e))).reduce(((t,n)=>(t[n]=Zr(e[n]||zr),t)),{});return{...t,...n}};function Ur(t,n,o=null){const r=(o?.x||0)+n.x,i=(o?.y||0)+n.y,a=o?.width||n.width,s=o?.height||n.height;switch(t){case e.Position.Top:return{x:r+a/2,y:i};case e.Position.Right:return{x:r+a,y:i+s/2};case e.Position.Bottom:return{x:r+a/2,y:i+s};case e.Position.Left:return{x:r,y:i+s/2}}}function qr(e,t){return e?1!==e.length&&t?t&&e.find((e=>e.id===t))||null:e[0]:null}function Fr(e){const t=e?.[Kn]?.portBounds||null,n=t&&e?.width&&e?.height&&void 0!==e?.positionAbsolute?.x&&void 0!==e?.positionAbsolute?.y;return[{x:e?.positionAbsolute?.x||0,y:e?.positionAbsolute?.y||0,width:e?.width||0,height:e?.height||0},t,!!n]}const Wr=e=>({edges:e.edges,width:e.width,height:e.height,nodeInternals:e.nodeInternals,onError:e.onError});function Kr({rfId:n,edgeTypes:o,noPanClassName:r,edgeUpdaterRadius:i,onEdgeClick:a,onEdgeDoubleClick:s,onEdgeContextMenu:u,onEdgeMouseEnter:c,onEdgeMouseMove:l,onEdgeMouseLeave:d,onEdgeUpdate:h,onEdgeUpdateStart:f,onEdgeUpdateEnd:g}){const{edges:p,width:m,height:y,nodeInternals:v}=ir(Wr,dr);return t.jsxs("svg",{width:m||"100vw",height:y||"100vh",className:"react-diagram__edges react-diagram__container",children:[t.jsx(Br,{defaultColor:"#000000",rfId:n}),t.jsx("g",{children:p.map((p=>{const{data:m,type:y,id:x,className:b,style:w,ariaLabel:_,source:E,sourcePort:S,target:P,targetPort:N,markerEnd:M,markerStart:C,label:k,labelStyle:A,labelShowBg:$,labelBgStyle:B,labelBgPadding:I,labelBgBorderRadius:T}=p,[j,z,R]=Fr(v.get(E)),[D,O,X]=Fr(v.get(P));if(!R||!X)return null;const L=y||"straight",Y=o[L]||o.default,Z=O.target,V=qr(z.source,S),U=qr(Z,N),q=V?.position||e.Position.Bottom,F=U?.position||e.Position.Top,W=!!p.focusable;if(!V||!U)return null;const K={id:x,className:sr([b,r]),style:w,ariaLabel:_},H={source:E,sourcePort:S,target:P,targetPort:N},G={markerEnd:M,markerStart:C},Q={label:k,labelStyle:A,labelShowBg:$,labelBgStyle:B,labelBgPadding:I,labelBgBorderRadius:T},J=((e,t,n,o,r,i)=>{const a=Ur(n,e,t),s=Ur(i,o,r);return{sourceX:a.x,sourceY:a.y,targetX:s.x,targetY:s.y}})(j,V,q,D,U,F),ee={...J,sourcePosition:q,targetPosition:F},te={onClick:a,onDoubleClick:s,onContextMenu:u,onMouseEnter:c,onMouseMove:l,onMouseLeave:d,onEdgeUpdate:h,onEdgeUpdateStart:f,onEdgeUpdateEnd:g};return t.jsx(Y,{...K,...H,...G,...Q,...ee,...te,rfId:n,type:L,data:m,isFocusable:W,edgeUpdaterRadius:i},x)}))})]})}Kr.displayName="EdgeRenderer";var Hr=n.memo(Kr);const Gr={[e.Position.Left]:e.Position.Right,[e.Position.Right]:e.Position.Left,[e.Position.Top]:e.Position.Bottom,[e.Position.Bottom]:e.Position.Top};function Qr({nodeId:e,portType:o,edge:r,Component:i,EdgeWrapper:a}){const{fromNode:s,toX:u,toY:c,startPort:l}=ir(n.useCallback((t=>({fromNode:t.nodeInternals.get(e),startPort:t.connectionStartPort,toX:(t.connectionPosition.x-t.transform[0])/t.transform[2],toY:(t.connectionPosition.y-t.transform[1])/t.transform[2]})),[e]),dr),d=s?.[Kn]?.portBounds,h=d?.[o];if(!s||!h)return null;const f=h.find((e=>e.id===l?.portId))||h[0],g=f?f.x+f.width/2:(s.width??0)/2,p=f?f.y+f.height/2:s.height??0,m=(s.positionAbsolute?.x??0)+g,y=(s.positionAbsolute?.y??0)+p,v=f?.position,x=v?Gr[v]:null;if(!v||!x)return null;if(i)return t.jsx(i,{fromNode:s,fromPort:f,fromX:m,fromY:y,toX:u,toY:c,fromPosition:v,toPosition:x});if(!r){const e=`M${m},${y} ${u},${c}`;return t.jsx("path",{d:e,fill:"none",className:"react-diagram__connection-path"})}return t.jsx(a,{id:r.id,className:"react-diagram__connection",type:r.type||"default",source:r.source||e,target:r.target,isFocusable:!1,sourceX:m,sourceY:y,targetX:u,targetY:c,sourcePosition:v,targetPosition:x})}Qr.displayName="ConnectionPath";const Jr=e=>({edges:e.edges,startPort:e.connectionStartPort});function ei({containerStyle:e,edgeTypes:n,component:o}){const{startPort:r,edges:i}=ir(Jr,dr);if(!r)return null;const{nodeId:a,portType:s}=r;if(!!(!a||!s))return null;const u=i.find((e=>e[s]===a)),c=u?.type?n[u.type]:n.default;return t.jsx("svg",{style:e,className:"react-diagram__container react-diagram__connection-line",children:t.jsx("g",{className:"react-diagram__connection",children:t.jsx(Qr,{nodeId:a,portType:s,edge:u,Component:o,EdgeWrapper:c})})})}function ti({rfId:e,noPanClassName:n,panning:o,defaultViewport:r,multiSelectionKeyCode:i,dragSelectionKeyCode:a,onlyRenderVisibleElements:s,disableKeyboardA11y:u,noDragClassName:c,nodeOrigin:l,nodeExtent:d,nodeTypes:h,onNodeClick:f,onNodeDoubleClick:g,onNodeContextMenu:p,onNodeMouseEnter:m,onNodeMouseMove:y,onNodeMouseLeave:v,edgeTypes:x,edgeUpdaterRadius:b,onEdgeClick:w,onEdgeDoubleClick:_,onEdgeContextMenu:E,onEdgeMouseEnter:S,onEdgeMouseMove:P,onEdgeMouseLeave:N,onEdgeUpdate:M,onEdgeUpdateStart:C,onEdgeUpdateEnd:k,onMove:A,onMoveStart:$,onMoveEnd:B,onPaneClick:I,onPaneMouseEnter:T,onPaneMouseMove:j,onPaneMouseLeave:z,ConnectionLineContainerStyle:R,ConnectionLineComponent:D}){return t.jsxs(Pr,{multiSelectionKeyCode:i,dragSelectionKeyCode:a,noPanClassName:n,panning:o,defaultViewport:r,onMove:A,onMoveStart:$,onMoveEnd:B,onPaneClick:I,onPaneMouseEnter:T,onPaneMouseMove:j,onPaneMouseLeave:z,children:[t.jsx(Cr,{rfId:e,nodeTypes:h,onlyRenderVisibleElements:s,disableKeyboardA11y:u,nodeOrigin:l,nodeExtent:d,noDragClassName:c,noPanClassName:n,onNodeClick:f,onNodeDoubleClick:g,onNodeContextMenu:p,onNodeMouseEnter:m,onNodeMouseMove:y,onNodeMouseLeave:v}),t.jsx(Hr,{rfId:e,edgeTypes:x,noPanClassName:n,edgeUpdaterRadius:b,onEdgeClick:w,onEdgeDoubleClick:_,onEdgeContextMenu:E,onEdgeMouseEnter:S,onEdgeMouseMove:P,onEdgeMouseLeave:N,onEdgeUpdate:M,onEdgeUpdateStart:C,onEdgeUpdateEnd:k}),t.jsx(ei,{edgeTypes:x,containerStyle:R,component:D})]})}ti.displayName="DiagramView";var ni=n.memo(ti);const oi=Symbol.for("internals"),ri=e=>{const{setNodes:t,setEdges:n,setNodeExtent:o,setTranslateExtent:r,setMinZoom:i,setMaxZoom:a}=e;return{setNodes:t,setEdges:n,setNodeExtent:o,setTranslateExtent:r,setMinZoom:i,setMaxZoom:a}};function ii(e,t){n.useEffect((()=>{void 0!==e&&t(e)}),[e])}function ai(e,t,o){n.useEffect((()=>{void 0!==t&&o({[e]:t})}),[t])}const si=({nodes:e,onNodesChange:t,onNodeDrag:n,onNodeDragStart:o,onNodeDragEnd:r,edges:i,onEdgesChange:a,nodeOrigin:s,smoothStep:u,centerStep:c,gridStep:l,elevateNodesOnSelect:d,nodesDraggable:h,autoPanOnNodeDrag:f,autoPanOnConnect:g,connectionRadius:p,onConnect:m,onConnectStart:y,onConnectEnd:v,onError:x,nodeExtent:b,translateExtent:w,minZoom:_,maxZoom:E})=>{const{setNodes:S,setEdges:P,setNodeExtent:N,setTranslateExtent:M,setMinZoom:C,setMaxZoom:k}=ir(ri,dr),A=ar();return ii(e,S),ii(i,P),ii(b,N),ii(b,N),ii(w,M),ii(_,C),ii(E,k),ai("nodeOrigin",s,A.setState),ai("smoothStep",u,A.setState),ai("centerStep",c,A.setState),ai("gridStep",l,A.setState),ai("elevateNodesOnSelect",d,A.setState),ai("nodesDraggable",h,A.setState),ai("autoPanOnNodeDrag",f,A.setState),ai("autoPanOnConnect",g,A.setState),ai("connectionRadius",p,A.setState),ai("onNodesChange",t,A.setState),ai("onNodeDrag",n,A.setState),ai("onNodeDragStart",o,A.setState),ai("onNodeDragEnd",r,A.setState),ai("onEdgesChange",a,A.setState),ai("onConnect",m,A.setState),ai("onConnectStart",y,A.setState),ai("onConnectEnd",v,A.setState),ai("onError",(e=>(t,n="")=>e?.(t,oo[t](n)))(x),A.setState),null};function ui(e,t){n.useRef(null);return n.useMemo((()=>t(e)),[e])}const ci=n.createContext(null),li=ci.Provider;ci.Consumer;function di({id:e,type:o,position:r}){const i=e||null,a=ar(),s=n.useContext(ci);if(!s)return null;const u=e=>{const{defaultEdgeOptions:t,onConnect:n}=a.getState(),o={...t,...e};n?.(o)},c=e=>{const t=Qn(e.nativeEvent),{button:n}=e;if(t&&0===n||!t){const{domNode:t,autoPanOnConnect:n,connectionRadius:r,transform:c,getNodes:l,cancelConnection:d,updateConnection:h,onConnectStart:f,onConnectEnd:g,panBy:p}=a.getState();jo({event:e.nativeEvent,nodeId:s,portId:i,portType:o,domNode:t,autoPanOnConnect:n,connectionRadius:r,nodes:l(),cancelConnection:d,updateConnection:h,onConnect:u,onConnectStart:f,onConnectEnd:g,panBy:p,getTransform:()=>c})}};return t.jsx("div",{"data-nodeid":s,"data-id":`${s}-${i}-${o}`,"data-portid":i,"data-port-position":r,className:`react-diagram__port react-diagram__port-${r} ${o} nodrag`,onMouseDown:c,onTouchStart:c})}di.displayName="Port";var hi=n.memo(di);function fi({data:n}){return t.jsxs(t.Fragment,{children:[t.jsx(hi,{type:"target",position:e.Position.Top}),n.label,t.jsx(hi,{type:"source",position:e.Position.Bottom})]})}const gi=e=>{function o({id:o,type:r,data:i,positionX:a,positionY:s,sourcePosition:u,targetPosition:c,onClick:l,onMouseEnter:d,onMouseMove:h,onMouseLeave:f,onContextMenu:g,onDoubleClick:p,style:m,width:y,height:v,className:x,selected:b,isSelectable:w,isDraggable:_,intersected:E,hidden:S,resizeObserver:P,dragHandle:N,zIndex:M,isParent:C,initialized:k,disableKeyboardA11y:A,ariaLabel:$,rfId:B,noDragClassName:I,noPanClassName:T}){const j=ar(),z=j.getState().nodeInternals.get(o),R=n.useRef(null),D=n.useRef(u),O=n.useRef(c),X=n.useRef(r),L=_||l||d||h||f;n.useEffect((()=>{if(R.current&&!S){const e=R.current;return P?.observe(e),()=>P?.unobserve(e)}}),[S]),n.useEffect((()=>{const e=X.current!==r,t=D.current!==u,n=O.current!==c;R.current&&(e||t||n)&&(e&&(X.current=r),t&&(D.current=u),n&&(O.current=c),j.getState().updateNodeDimensions([{id:o,nodeElement:R.current,forceUpdate:!0}]))}),[o,r,u,c]);const Y=pr({nodeRef:R,nodeId:o,disabled:S||!_,isSelectable:w,noDragClassName:I});if(S)return null;const Z=sr(["react-diagram__node",`react-diagram__node-${r}`,{[T]:_},x,{selected:b,intersected:E,parent:C,dragging:Y}]),V={zIndex:M,transform:`translate(${a}px,${s}px)`,pointerEvents:L?"all":"none",visibility:k?"visible":"hidden",width:y,height:v,...m},U={onClick:e=>{_||gr({id:o,store:j,nodeRef:R,isSelectable:w}),l&&l(e,{...z})},onDoubleClick:fr(o,j.getState,p),onContextMenu:fr(o,j.getState,g),onMouseEnter:fr(o,j.getState,d),onMouseMove:fr(o,j.getState,h),onMouseLeave:fr(o,j.getState,f)},q={positionX:a,positionY:s,sourcePosition:u,targetPosition:c};return t.jsx("div",{...U,ref:R,className:Z,style:V,"data-id":o,tabIndex:0,role:"button","aria-describedby":A?void 0:`react-diagram__node-desc-${B}`,"aria-label":$,children:t.jsx(li,{value:o,children:t.jsx(e,{...q,id:o,zIndex:M,type:r,data:i,dragHandle:N,selected:b,intersected:E})})})}return o.displayName="NodeWrapper",n.memo(o)},pi=e=>{const t={default:gi(e.default||fi)},n=Object.keys(e).filter((e=>!Object.keys(t).includes(e))).reduce(((t,n)=>(t[n]=gi(e[n]||fi),t)),{});return{...t,...n}},mi=[[Number.NEGATIVE_INFINITY,Number.NEGATIVE_INFINITY],[Number.POSITIVE_INFINITY,Number.POSITIVE_INFINITY]],yi={rfId:"1",width:0,height:0,transform:[0,0,1],nodeInternals:new Map,edges:[],elementsSelectable:!0,onNodesChange:null,domNode:null,nodeOrigin:[0,0],smoothStep:!1,centerStep:!1,gridStep:void 0,elevateNodesOnSelect:!0,nodesDraggable:!0,multiSelectionActive:!1,selectionBoxActive:!1,d3Zoom:null,d3Selection:null,minZoom:.5,maxZoom:2,connectionPosition:{x:0,y:0},connectionStartPort:null,connectionEndPort:null,autoPanOnNodeDrag:!0,autoPanOnConnect:!0,nodeExtent:mi,translateExtent:mi,connectionRadius:20,onError:(e,t="")=>{}},vi=()=>{return e=(e,t)=>({...yi,setNodes:n=>{const{nodeInternals:o,nodeOrigin:r,elevateNodesOnSelect:i}=t();e({nodeInternals:Ao(n,o,r,i)})},getNodes:()=>Array.from(t().nodeInternals.values()),setEdges:n=>{const{defaultEdgeOptions:o={}}=t();e({edges:n.map((e=>({...o,...e})))})},updateNodeDimensions:n=>{const{triggerNodeChanges:o,updateNodesIntersection:r,nodeInternals:i,domNode:a,nodeOrigin:s}=t(),u=a?.querySelector(".react-diagram__viewport");if(!u)return;const c=window.getComputedStyle(u),{m22:l}=new window.DOMMatrixReadOnly(c.transform),d=[],h=[],f=n.reduce(((e,t)=>{const n=i.get(t.id);if(n){const o=Hn(t.nodeElement);if(o.width&&o.height&&(n.width!==o.width||n.height!==o.height||t.forceUpdate)){const r={...n,[Kn]:{...n[Kn],portBounds:{id:n[Kn]?.portBounds?.id||null,source:Gn(".source",t.nodeElement,l,s),target:Gn(".target",t.nodeElement,l,s)}},...o};i.set(n.id,r);const a=$o(r,i);n.intersected!==a&&d.push({id:n.id,type:"intersect",intersected:a}),h.push({id:n.id,type:"position",dragging:!1,position:n.position,positionAbsolute:n.positionAbsolute}),e.push({id:n.id,type:"dimensions",dimensions:o})}}return e}),[]);e({nodeInternals:new Map(i)}),o([...f,...d,...h])},updateNodesPosition:(e,n=!1,o)=>{const{triggerNodeChanges:r}=t();r(e.map((e=>{const t={id:e.id,type:"position",dragging:n};return o?(o(e),{...t,position:e.position,positionAbsolute:e.positionAbsolute}):t})))},triggerNodeChanges:e=>{const{onNodesChange:n}=t();e?.length&&n?.(e)},updateNodesIntersection:()=>{const{nodeInternals:e,triggerNodeChanges:n}=t(),o=Array.from(e.values()),r=[];o.forEach((t=>{const n=$o(t,e);t.intersected!==n&&r.push({id:t.id,type:"intersect",intersected:n})})),n(r)},addSelectedNodes:e=>{const{multiSelectionActive:n,getNodes:o,triggerNodeChanges:r}=t();let i;i=n?e.map((e=>xr(e,!0))):br(o(),e),r(i)},unselectNodes:({nodes:e}={})=>{const{getNodes:n,triggerNodeChanges:o}=t();o((e||n()).map((e=>(e.selected=!1,xr(e.id,!1)))))},resetSelectedElements:()=>{const{getNodes:e,triggerNodeChanges:n}=t();n(e().filter((e=>e.selected)).map((e=>xr(e.id,!1))))},cancelConnection:()=>e({connectionStartPort:null,connectionEndPort:null}),updateConnection:n=>{const{connectionPosition:o}=t(),r={...n,connectionPosition:n.connectionPosition??o};e(r)},panBy:e=>{const{transform:n,width:o,height:r,d3Zoom:i,d3Selection:a}=t();if(!i||!a||!e.x&&!e.y)return;const s=On.translate(n[0]+e.x,n[1]+e.y).scale(n[2]),u=[[0,0],[o,r]],c=i?.constrain()(s,u,mi);i.transform(a,c)},setNodeExtent:n=>{const{nodeInternals:o}=t();o.forEach((e=>{e.positionAbsolute=lo(e.positionAbsolute,n)})),e({nodeExtent:n,nodeInternals:new Map(o)})},setTranslateExtent:n=>{t().d3Zoom?.translateExtent(n),e({translateExtent:n})},setMinZoom:n=>{const{d3Zoom:o,maxZoom:r}=t();o?.scaleExtent([n,r]),e({minZoom:n})},setMaxZoom:n=>{const{d3Zoom:o,minZoom:r}=t();o?.scaleExtent([r,n]),e({maxZoom:n})}}),e?Zo(e):Zo;var e},xi=({children:e})=>{const o=n.useRef(null);return o.current||(o.current=vi()),t.jsx(or,{value:o.current,children:e})};function bi({children:e}){return n.useContext(nr)?t.jsx(t.Fragment,{children:e}):t.jsx(xi,{children:e})}xi.displayName="ReactDiagramProvider",bi.displayName="ReactDiagramWrapper";const wi={x:0,y:0,zoom:1},_i=[0,0],Ei={default:fi},Si={step:zr},Pi=n.forwardRef((({children:e,id:n,panning:o=!0,minZoom:r,maxZoom:i,translateExtent:a,nodeExtent:s=mi,defaultViewport:u=wi,multiSelectionKeyCode:c="Meta",dragSelectionKeyCode:l="Shift",onlyRenderVisibleElements:d=!1,disableKeyboardA11y:h=!1,noDragClassName:f="nodrag",noPanClassName:g="nopan",nodeOrigin:p=_i,nodeTypes:m=Ei,onNodeClick:y,onNodeDoubleClick:v,onNodeContextMenu:x,onNodeMouseEnter:b,onNodeMouseMove:w,onNodeMouseLeave:_,edgeTypes:E=Si,edgeUpdaterRadius:S,onEdgeClick:P,onEdgeDoubleClick:N,onEdgeContextMenu:M,onEdgeMouseEnter:C,onEdgeMouseMove:k,onEdgeMouseLeave:A,onEdgeUpdate:$,onEdgeUpdateStart:B,onEdgeUpdateEnd:I,ConnectionLineContainerStyle:T,ConnectionLineComponent:j,nodes:z,edges:R,nodesDraggable:D,elevateNodesOnSelect:O,autoPanOnNodeDrag:X,autoPanOnConnect:L,connectionRadius:Y,smoothStep:Z,centerStep:V,gridStep:U,onNodesChange:q,onNodeDrag:F,onNodeDragStart:W,onNodeDragEnd:K,onEdgesChange:H,onConnect:G,onConnectStart:Q,onConnectEnd:J,onMove:ee,onMoveStart:te,onMoveEnd:ne,onPaneClick:oe,onPaneMouseEnter:re,onPaneMouseMove:ie,onPaneMouseLeave:ae,onError:se,...ue},ce)=>{const le=n||"1",de=ui(m,pi),he=ui(E,Vr);return t.jsx("div",{...ue,ref:ce,className:"react-diagram",children:t.jsxs(bi,{children:[t.jsx(ni,{rfId:le,panning:o,defaultViewport:u,multiSelectionKeyCode:c,dragSelectionKeyCode:l,onlyRenderVisibleElements:d,disableKeyboardA11y:h,noDragClassName:f,noPanClassName:g,nodeOrigin:p,nodeExtent:s,nodeTypes:de,edgeTypes:he,edgeUpdaterRadius:S,ConnectionLineContainerStyle:T,ConnectionLineComponent:j,onNodeClick:y,onNodeDoubleClick:v,onNodeContextMenu:x,onNodeMouseEnter:b,onNodeMouseMove:w,onNodeMouseLeave:_,onEdgeClick:P,onEdgeDoubleClick:N,onEdgeContextMenu:M,onEdgeMouseEnter:C,onEdgeMouseMove:k,onEdgeMouseLeave:A,onEdgeUpdate:$,onEdgeUpdateStart:B,onEdgeUpdateEnd:I,onMove:ee,onMoveStart:te,onMoveEnd:ne,onPaneClick:oe,onPaneMouseEnter:re,onPaneMouseMove:ie,onPaneMouseLeave:ae}),t.jsx(si,{rfId:le,nodes:z,edges:R,nodesDraggable:D,elevateNodesOnSelect:O,autoPanOnNodeDrag:X,autoPanOnConnect:L,connectionRadius:Y,nodeOrigin:p,nodeExtent:s,translateExtent:a,minZoom:r,maxZoom:i,smoothStep:Z,centerStep:V,gridStep:U,onNodesChange:q,onNodeDrag:F,onNodeDragStart:W,onNodeDragEnd:K,onEdgesChange:H,onConnect:G,onConnectStart:Q,onConnectEnd:J,onError:se}),e]})})}));function Ni(e){return t=>{const[o,r]=n.useState(t),i=n.useCallback((t=>r((n=>e(t,n)))),[]);return[o,r,i]}}Pi.displayName="ReactDiagram";const Mi=Ni((function(e,t){return vr(e,t)})),Ci=Ni((function(e,t){return vr(e,t)}));function ki({color:e,scaledGap:n,lineWidth:o}){const r=`${`M${n[0]/2} 0`} ${`V${n[1]}`} ${"M0 "+n[1]/2} ${`H${n[0]}`}`;return t.jsx("path",{stroke:e,strokeWidth:o,d:r})}const Ai=e=>({transform:e.transform,rfId:e.rfId,gridStepGap:e.gridStep});function $i({gap:e,lineWidth:o=1,color:r="#000000"}){const i=n.useRef(null),{transform:a,rfId:s,gridStepGap:u}=ir(Ai,dr),c=e||(u||50),l=Array.isArray(c)?c:[c,c],d=[l[0]*a[2]||1,l[1]*a[2]||1],h=[d[0]/2,d[1]/2];return t.jsxs("svg",{className:"react-diagram__container react-diagram__background",ref:i,children:[t.jsx("pattern",{id:`background-${s}`,x:a[0]%d[0],y:a[1]%d[1],width:d[0],height:d[1],patternUnits:"userSpaceOnUse",patternTransform:`translate(-${h[0]},-${h[1]})`,children:t.jsx(ki,{scaledGap:d,color:r,lineWidth:o})}),t.jsx("rect",{x:"0",y:"0",width:"100%",height:"100%",fill:`url(#background-${s})`})]})}$i.displayName="Background";var Bi=n.memo($i);e.Background=Bi,e.BaseEdge=Tr,e.BezierEdge=Rr,e.Port=hi,e.ReactDiagramProvider=xi,e.StepEdge=zr,e.addEdge=(e,t)=>{if(!ho(e))return t;if(((e,t)=>t.some((t=>!(t.source!==e.source||t.target!==e.target||t.sourcePort!==e.sourcePort&&(t.sourcePort||e.sourcePort)||t.targetPort!==e.targetPort&&(t.targetPort||e.targetPort)))))(e,t))return t;let n;return null===e.sourcePort&&delete e.sourcePort,null===e.targetPort&&delete e.targetPort,n=e.id?{...e}:{...e,id:vo(e)},t.concat(n)},e.boxToRect=uo,e.clamp=ro,e.default=Pi,e.getBezierEdgeCenter=So,e.getBezierPath=Mo,e.getStepPath=_o,e.getStraightPath=Eo,e.internalsSymbol=oi,e.isCoreEdge=ho,e.isCoreNode=e=>"id"in e&&!("source"in e)&&!("target"in e),e.rectToBox=so,e.updateEdge=(e,t,n,o={shouldReplaceId:!0})=>{const{id:r,...i}=e;!t.source||t.target,n.find((e=>e.id===r));const a={...i,id:o.shouldReplaceId?vo(t):r,source:t.source,target:t.target};return n.filter((e=>e.id!==r)).concat(a)},e.useEdgesState=Ci,e.useNodesState=Mi,e.useStore=ir,e.useStoreApi=ar,Object.defineProperty(e,"__esModule",{value:!0})}));
|
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../react-diagram/packages/react/src/store/index.ts"],"names":[],"mappings":"
|
|
1
|
+
{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../react-diagram/packages/react/src/store/index.ts"],"names":[],"mappings":"AA6BA,OAAO,EACJ,iBAAiB,EAEnB,MAAM,yCAAyC,CAAC;AAEjD,QAAA,MAAM,cAAc,qDA4Sd,CAAC;AAEP,OAAO,EAAE,cAAc,EAAE,CAAC"}
|
package/package.json
CHANGED