@kubit-ui-web/react-components 1.17.1 → 1.17.3

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/README.md CHANGED
@@ -104,26 +104,28 @@ This will run the tests and show the results in the terminal.
104
104
 
105
105
  We are open to contributions. If you want to contribute to the project, please follow the steps below:
106
106
 
107
+ ### Development Workflow
108
+
107
109
  1. **Fork the Repository**: Click the "Fork" button in the upper right corner of the repository's page on GitHub. This will create a copy of the repository in your account.
108
110
 
109
111
  2. **Clone the Repository**: Use `git clone` to clone the repository to your local machine.
110
112
 
111
113
  ```sh
112
- git clone
114
+ git clone https://github.com/your-username/kubit-react-components.git
113
115
  ```
114
116
 
115
- 3. **Create a Branch**: Use `git checkout` to create a new branch for your changes.
117
+ 3. **Create a Branch**: Use proper branch naming conventions for automatic version detection.
116
118
 
117
119
  ```sh
118
- git checkout -b <branch-name>
120
+ git checkout -b <branch-type>/<branch-name>
119
121
  ```
120
122
 
121
- 4. **Make Changes**: Make any necessary changes to the codebase. And **test** the changes.
123
+ 4. **Make Changes**: Make any necessary changes to the codebase and **test** the changes thoroughly.
122
124
 
123
- 5. **Commit Changes**: Use `git commit` to commit your changes to the branch.
125
+ 5. **Commit Changes**: Use conventional commit messages when possible.
124
126
 
125
127
  ```sh
126
- git commit -m "Your commit message"
128
+ git commit -m "feat: add new component feature"
127
129
  ```
128
130
 
129
131
  6. **Push Changes**: Use `git push` to push your changes to your forked repository.
@@ -134,6 +136,139 @@ We are open to contributions. If you want to contribute to the project, please f
134
136
 
135
137
  7. **Open a Pull Request**: Go to the original repository on GitHub and click the "New pull request" button. Fill out the form with details about your changes and submit the pull request.
136
138
 
137
- Once your pull request has been submitted, a maintainer will review your changes and provide feedback. If everything looks good, your pull request will be merged and your changes will become part of the project.
139
+ ### Branch Naming & Automatic Publishing
140
+
141
+ This repository uses an **automatic publishing system** that determines the version bump based on your branch name and PR content. When your PR is merged, the package will be automatically published to NPM.
142
+
143
+ #### Branch Naming Patterns
144
+
145
+ Use these branch prefixes to ensure automatic publishing works correctly:
146
+
147
+ | Branch Pattern | Version Bump | Example | Description |
148
+ |----------------|--------------|---------|-------------|
149
+ | `feat/` or `feature/` | **MINOR** | `feat/add-tooltip` | New features or enhancements |
150
+ | `fix/` or `bugfix/` | **PATCH** | `fix/button-hover-state` | Bug fixes |
151
+ | `break/` or `breaking/` | **MAJOR** | `break/remove-old-api` | Breaking changes |
152
+ | `hotfix/` | **PATCH** | `hotfix/critical-security-fix` | Urgent fixes |
153
+ | `chore/` | **PATCH** | `chore/update-dependencies` | Maintenance tasks |
154
+
155
+ #### Advanced Version Detection
156
+
157
+ The system also analyzes your **PR title** and **description** for more precise version detection:
158
+
159
+ ##### MAJOR (Breaking Changes)
160
+ - `BREAKING CHANGE:` in PR description
161
+ - `!` in PR title (e.g., `feat!: redesign button API`)
162
+ - `[breaking]` tag in PR title
163
+ - Conventional commits with `!` (e.g., `feat(api)!: change interface`)
164
+
165
+ ##### MINOR (New Features)
166
+ - PR titles starting with `feat:` or `feature:`
167
+ - `[feature]` tag in PR title
168
+ - Conventional commits like `feat(ui): add dark mode`
169
+
170
+ ##### PATCH (Bug Fixes & Others)
171
+ - PR titles starting with `fix:` or `bugfix:`
172
+ - All other changes (default behavior)
173
+ - Conventional commits like `fix(button): hover state`
174
+
175
+ #### Examples
176
+
177
+ **Adding a new feature:**
178
+ ```sh
179
+ git checkout -b feat/dark-mode-support
180
+ # Make your changes
181
+ git commit -m "feat(theme): add dark mode support for all components"
182
+ # Create PR with title: "feat(theme): add dark mode support"
183
+ # Result: MINOR version bump (e.g., 1.0.0 → 1.1.0)
184
+ ```
185
+
186
+ **Fixing a bug:**
187
+ ```sh
188
+ git checkout -b fix/button-accessibility
189
+ # Make your changes
190
+ git commit -m "fix(button): improve keyboard navigation"
191
+ # Create PR with title: "fix(button): improve keyboard navigation"
192
+ # Result: PATCH version bump (e.g., 1.0.0 → 1.0.1)
193
+ ```
194
+
195
+ **Breaking changes:**
196
+ ```sh
197
+ git checkout -b break/remove-deprecated-props
198
+ # Make your changes
199
+ git commit -m "feat!: remove deprecated size prop from Button"
200
+ # Create PR with title: "feat!: remove deprecated size prop"
201
+ # PR description: "BREAKING CHANGE: The 'size' prop has been removed..."
202
+ # Result: MAJOR version bump (e.g., 1.0.0 → 2.0.0)
203
+ ```
204
+
205
+ ### Quality Assurance
206
+
207
+ Before publishing, the system automatically runs:
208
+
209
+ - ✅ **Linting** - Code style validation
210
+ - ✅ **Type Checking** - TypeScript validation
211
+ - ✅ **Tests** - Full test suite execution
212
+ - ✅ **Build** - Package compilation
213
+ - ✅ **Integration Tests** - Component functionality validation
214
+
215
+ ### Publishing Process
216
+
217
+ When your PR is merged:
218
+
219
+ 1. **Automatic Analysis** - System analyzes branch name, PR title, and description
220
+ 2. **Version Calculation** - Determines MAJOR/MINOR/PATCH version bump
221
+ 3. **Quality Checks** - Runs all tests and validations
222
+ 4. **NPM Publication** - Publishes to NPM with appropriate version
223
+ 5. **GitHub Release** - Creates GitHub release with changelog
224
+ 6. **Notifications** - Posts success/failure status in PR comments
225
+
226
+ ### Manual Override
227
+
228
+ If you need to override the automatic version detection, you can:
229
+
230
+ 1. Use explicit markers in your PR description:
231
+ ```
232
+ BREAKING CHANGE: This removes the old authentication API
233
+ ```
234
+
235
+ 2. Use conventional commit format in PR title:
236
+ ```
237
+ feat!: redesign component API structure
238
+ ```
239
+
240
+ 3. Add tags to PR title:
241
+ ```
242
+ [breaking] Update component props interface
243
+ ```
244
+
245
+ ### Testing Your Changes
246
+
247
+ Before submitting a PR, make sure to:
248
+
249
+ ```bash
250
+ # Install dependencies
251
+ yarn install
252
+
253
+ # Run linter
254
+ yarn lint
255
+
256
+ # Run type checking
257
+ yarn type-check
258
+
259
+ # Run tests
260
+ yarn test
261
+
262
+ # Build the package
263
+ yarn build
264
+ ```
265
+
266
+ ### Getting Help
267
+
268
+ If you have questions about contributing or the automatic publishing system:
269
+
270
+ - Check existing [GitHub Issues](https://github.com/kubit-ui/kubit-react-components/issues)
271
+ - Review [GitHub Discussions](https://github.com/kubit-ui/kubit-react-components/discussions)
272
+ - Read the full `CONTRIBUTING.md` file
138
273
 
139
- For more information on contributing to our projects, please refer to the `CONTRIBUTING.md` file.
274
+ Once your pull request has been submitted, a maintainer will review your changes and provide feedback. If everything looks good, your pull request will be merged and your changes will be automatically published to NPM!
@@ -4031,7 +4031,7 @@ ${({styles:A,scrolling:e})=>e?lt`
4031
4031
  border-collapse: collapse;
4032
4032
  border-spacing: 0;
4033
4033
  }
4034
- `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4034
+ `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|popover|popoverTarget|popoverTargetAction|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4035
4035
  overflow: hidden;
4036
4036
  text-align: center;
4037
4037
  white-space: nowrap;
@@ -4031,7 +4031,7 @@ ${({styles:A,scrolling:e})=>e?lt`
4031
4031
  border-collapse: collapse;
4032
4032
  border-spacing: 0;
4033
4033
  }
4034
- `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4034
+ `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|popover|popoverTarget|popoverTargetAction|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4035
4035
  overflow: hidden;
4036
4036
  text-align: center;
4037
4037
  white-space: nowrap;
@@ -4031,7 +4031,7 @@ ${({styles:A,scrolling:e})=>e?lt`
4031
4031
  border-collapse: collapse;
4032
4032
  border-spacing: 0;
4033
4033
  }
4034
- `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4034
+ `,KubitDefaultProvider=({children:A})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:{name:"Kubit"},children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:defaultGenericComponents,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:KUBIT_GLOBAL_STYLES,customFonts:FONTS_KUBIT_GLOBAL_STYLES}),jsxRuntimeExports.jsx(Ye,{children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{showErrorMessage:!0,children:jsxRuntimeExports.jsx(ot,{theme:KUBIT_STYLES,children:A})})})]})}),KubitProvider=({children:A,withUtils:e=!0})=>e?jsxRuntimeExports.jsx(UtilsProvider,{dateHelpers:{isAfter:(A,e)=>isAfter(A,e),isBefore:(A,e)=>isBefore(A,e),isDatesEqual:(A,e)=>isDatesEqual(A,e),getAddDays:(A,e)=>getAddDays(A,e),getAddMonths:(A,e)=>getAddMonths(A,e),getAddYears:(A,e)=>getAddYears(A,e),getSubDays:(A,e)=>getSubDays(A,e),getSubMonths:(A,e)=>getSubMonths(A,e),getSubYears:(A,e)=>getSubYears(A,e),getAllMonthName:()=>getAllMonthNames(),getAllWeekdayName:(A,e)=>getAllWeekdayNames(A,e)},formatDate:(A,e)=>formatDate(A,e),transformDate:(A,e)=>transformDate(A,e),children:jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A})}):jsxRuntimeExports.jsx(KubitDefaultProvider,{children:A});function memoize(A){var e=Object.create(null);return function(t){return void 0===e[t]&&(e[t]=A(t)),e[t]}}var reactPropsRegex=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|disableRemotePlayback|download|draggable|encType|enterKeyHint|fetchpriority|fetchPriority|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|popover|popoverTarget|popoverTargetAction|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,isPropValid=memoize(function(A){return reactPropsRegex.test(A)||111===A.charCodeAt(0)&&110===A.charCodeAt(1)&&A.charCodeAt(2)<91});const ThemeProvider=({children:A,styles:e,customGlobalStyles:t,genericComponents:o,themeInformation:n,customFonts:i,showErrors:B=!1,idCreateModal:a=null,customFallback:r})=>jsxRuntimeExports.jsx(ThemeInformationProvider,{value:n,children:jsxRuntimeExports.jsxs(GenericComponentsProvider,{value:o,children:[jsxRuntimeExports.jsx(GlobalStyle,{custom:t,customFonts:i}),jsxRuntimeExports.jsx(Ye,{enableVendorPrefixes:!0,shouldForwardProp:isPropValid,children:jsxRuntimeExports.jsx(ErrorBoundaryProvider,{customFallback:r,idCreateModal:a,showErrorMessage:B,children:jsxRuntimeExports.jsx(ot,{theme:e,children:A})})})]})}),hideOverflowMixin=lt`
4035
4035
  overflow: hidden;
4036
4036
  text-align: center;
4037
4037
  white-space: nowrap;
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@kubit-ui-web/react-components",
3
- "version": "1.17.1",
3
+ "version": "1.17.3",
4
4
  "description": "Kubit React Components is a customizable, accessible library of React web components, designed to enhance your application's user experience",
5
5
  "author": {
6
6
  "name": "Kubit",
@@ -49,11 +49,13 @@
49
49
  ],
50
50
  "scripts": {
51
51
  "jest": "jest",
52
- "test": "yarn run eslint && yarn tsc && yarn jest",
53
- "test:ci": "yarn test",
52
+ "test": "yarn tsc",
53
+ "test:ci": "yarn run tsc",
54
54
  "test:watch": "jest --watch src",
55
55
  "test:generate-output": "jest --json --outputFile=.jest-test-results.json",
56
56
  "eslint": "eslint src",
57
+ "lint": "echo 'no linting configured'",
58
+ "type-check": "tsc --noEmit",
57
59
  "custom-start": "echo -e '\n▐█µ ╓▓█▀ ▐█ j█▌ ╓▄ \n▐█▌,▄██─ ▓▌ ▓▌ ▐█▄▄▓▓█▓▄ ▓▌ @▓██▓▓▓\n▐██▀└╙██ █▌ █▌ ▐█─ └█▌ █▌ ██ \n▐█▌ ▀█▌ ██▄▄▄▄▀█▌ ▐██▄╓,▄██` █▌ ╙█▄▄▄'",
58
60
  "postinstall": "echo postinstall",
59
61
  "stylelint": "echo 'no css files'",