paradiego
This commit is contained in:
21
node_modules/@emotion/babel-plugin/LICENSE
generated
vendored
Normal file
21
node_modules/@emotion/babel-plugin/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Emotion team and other contributors
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
SOFTWARE.
|
||||
346
node_modules/@emotion/babel-plugin/README.md
generated
vendored
Normal file
346
node_modules/@emotion/babel-plugin/README.md
generated
vendored
Normal file
@@ -0,0 +1,346 @@
|
||||
# @emotion/babel-plugin
|
||||
|
||||
> Babel plugin for the minification and optimization of emotion styles.
|
||||
|
||||
`@emotion/babel-plugin` is highly recommended, but not required in version 8 and
|
||||
above of Emotion.
|
||||
|
||||
## Features
|
||||
|
||||
<table>
|
||||
<thead>
|
||||
<tr>
|
||||
<th>Feature/Syntax</th>
|
||||
<th>Native</th>
|
||||
<th>Babel Plugin Required</th>
|
||||
<th>Notes</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
<tr>
|
||||
<td><code>css``</code></td>
|
||||
<td align="center">✅</td>
|
||||
<td align="center"></td>
|
||||
<td></td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td><code>css(...)</code></td>
|
||||
<td align="center">✅</td>
|
||||
<td align="center"></td>
|
||||
<td>Generally used for object styles.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>components as selectors</td>
|
||||
<td align="center"></td>
|
||||
<td align="center">✅</td>
|
||||
<td>Allows an emotion component to be <a href="https://emotion.sh/docs/styled#targeting-another-emotion-component">used as a CSS selector</a>.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Minification</td>
|
||||
<td align="center"></td>
|
||||
<td align="center">✅</td>
|
||||
<td>Any leading/trailing space between properties in your <code>css</code> and <code>styled</code> blocks is removed. This can reduce the size of your final bundle.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Dead Code Elimination</td>
|
||||
<td align="center"></td>
|
||||
<td align="center">✅</td>
|
||||
<td>Uglifyjs will use the injected <code>/*#__PURE__*/</code> flag comments to mark your <code>css</code> and <code>styled</code> blocks as candidates for dead code elimination.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Source Maps</td>
|
||||
<td align="center"></td>
|
||||
<td align="center">✅</td>
|
||||
<td>When enabled, navigate directly to the style declaration in your javascript file.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Contextual Class Names</td>
|
||||
<td align="center"></td>
|
||||
<td align="center">✅</td>
|
||||
<td>Generated class names include the name of the variable or component they were defined in.</td>
|
||||
</tr>
|
||||
</tbody>
|
||||
</table>
|
||||
|
||||
## Example
|
||||
|
||||
**In**
|
||||
|
||||
```javascript
|
||||
const myStyles = css`
|
||||
font-size: 20px;
|
||||
@media (min-width: 420px) {
|
||||
color: blue;
|
||||
${css`
|
||||
width: 96px;
|
||||
height: 96px;
|
||||
`};
|
||||
line-height: 26px;
|
||||
}
|
||||
background: green;
|
||||
${{ backgroundColor: 'hotpink' }};
|
||||
`
|
||||
```
|
||||
|
||||
**Out**
|
||||
|
||||
```javascript
|
||||
const myStyles = /* #__PURE__ */ css(
|
||||
'font-size:20px;@media(min-width:420px){color:blue;',
|
||||
/* #__PURE__ */ css('width:96px;height:96px;'),
|
||||
';line-height:26px;}background:green;',
|
||||
{ backgroundColor: 'hotpink' },
|
||||
';'
|
||||
)
|
||||
```
|
||||
|
||||
## Installation
|
||||
|
||||
```bash
|
||||
yarn add --dev @emotion/babel-plugin
|
||||
```
|
||||
|
||||
or if you prefer npm
|
||||
|
||||
```bash
|
||||
npm install --save-dev @emotion/babel-plugin
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
### Via `.babelrc` (Recommended)
|
||||
|
||||
**.babelrc**
|
||||
|
||||
Without options:
|
||||
|
||||
```json
|
||||
{
|
||||
"plugins": ["@emotion"]
|
||||
}
|
||||
```
|
||||
|
||||
With options:
|
||||
|
||||
_Defaults Shown_
|
||||
|
||||
```js
|
||||
{
|
||||
"plugins": [
|
||||
[
|
||||
"@emotion",
|
||||
{
|
||||
// sourceMap is on by default but source maps are dead code eliminated in production
|
||||
"sourceMap": true,
|
||||
"autoLabel": "dev-only",
|
||||
"labelFormat": "[local]",
|
||||
"cssPropOptimization": true
|
||||
}
|
||||
]
|
||||
]
|
||||
}
|
||||
```
|
||||
|
||||
Recommended Setup
|
||||
|
||||
**.babelrc**
|
||||
|
||||
```json
|
||||
{
|
||||
"plugins": ["@emotion"]
|
||||
}
|
||||
```
|
||||
|
||||
### Via CLI
|
||||
|
||||
```bash
|
||||
babel --plugins @emotion/babel-plugin script.js
|
||||
```
|
||||
|
||||
### Via Node API
|
||||
|
||||
```javascript
|
||||
require('@babel/core').transform('code', {
|
||||
plugins: ['@emotion/babel-plugin']
|
||||
})
|
||||
```
|
||||
|
||||
## Options
|
||||
|
||||
### `sourceMap`
|
||||
|
||||
`boolean`, defaults to `true`.
|
||||
|
||||
This option enables the following:
|
||||
|
||||
- Injected source maps for use in browser dev tools
|
||||
|
||||
[**Documentation**](https://emotion.sh/docs/source-maps)
|
||||
|
||||
> Note:
|
||||
>
|
||||
> Source maps are on by default in @emotion/babel-plugin but they will be removed in production builds
|
||||
|
||||
### `autoLabel`
|
||||
|
||||
`'dev-only' | 'always' | 'never'`, defaults to `dev-only`.
|
||||
|
||||
This option enables the following:
|
||||
|
||||
- Automatically adds the `label` property to styles so that class names
|
||||
generated by `css` or `styled` include the name of the variable the result is
|
||||
assigned to.
|
||||
- Please note that non word characters in the variable will be removed
|
||||
(Eg. `iconStyles$1` will become `iconStyles1`) because `$` is not valid
|
||||
[CSS ClassName Selector](https://stackoverflow.com/questions/448981/which-characters-are-valid-in-css-class-names-selectors#449000)
|
||||
|
||||
Each possible value for this option produces different output code:
|
||||
|
||||
- with `dev-only` we optimize the production code, so there are no labels added there, but at the same time we keep labels for development environments,
|
||||
- with `always` we always add labels when possible,
|
||||
- with `never` we disable this entirely and no labels are added.
|
||||
|
||||
#### css
|
||||
|
||||
**In**
|
||||
|
||||
```javascript
|
||||
const brownStyles = css({ color: 'brown' })
|
||||
```
|
||||
|
||||
**Out**
|
||||
|
||||
```javascript
|
||||
const brownStyles = /*#__PURE__*/ css({ color: 'brown' }, 'label:brownStyles;')
|
||||
```
|
||||
|
||||
`brownStyles`'s value would be `css-1q8eu9e-brownStyles`
|
||||
|
||||
### `labelFormat`
|
||||
|
||||
`string`, defaults to `"[local]"`.
|
||||
|
||||
This option only works when `autoLabel` is set to `'dev-only'` or `'always'`. It allows you to
|
||||
define the format of the resulting `label`. The format is defined via string where
|
||||
variable parts are enclosed in square brackets `[]`.
|
||||
For example `labelFormat: "my-classname--[local]"`, where `[local]` will be replaced
|
||||
with the name of the variable the result is assigned to.
|
||||
|
||||
Allowed values:
|
||||
|
||||
- `[local]` - the name of the variable the result of the `css` or `styled` expression is assigned to.
|
||||
- `[filename]` - name of the file (without extension) where `css` or `styled` expression is located.
|
||||
- `[dirname]` - name of the directory containing the file where `css` or `styled` expression is located.
|
||||
|
||||
This format only affects the label property of the expression, meaning that the `css` prefix and hash will
|
||||
be prepended automatically.
|
||||
|
||||
#### css
|
||||
|
||||
**In**
|
||||
|
||||
```javascript
|
||||
// BrownView.js
|
||||
// autoLabel: 'dev-only'
|
||||
// labelFormat: '[filename]--[local]'
|
||||
const brownStyles = css({ color: 'brown' })
|
||||
```
|
||||
|
||||
**Out**
|
||||
|
||||
```javascript
|
||||
const brownStyles = /*#__PURE__*/ css(
|
||||
{ color: 'brown' },
|
||||
'label:BrownView--brownStyles;'
|
||||
)
|
||||
```
|
||||
|
||||
`BrownView--brownStyles`'s value would be `css-hash-BrownView--brownStyles`
|
||||
|
||||
#### styled
|
||||
|
||||
**In**
|
||||
|
||||
```javascript
|
||||
const H1 = styled.h1({
|
||||
borderRadius: '50%',
|
||||
transition: 'transform 400ms ease-in-out',
|
||||
boxSizing: 'border-box',
|
||||
display: 'flex',
|
||||
':hover': {
|
||||
transform: 'scale(1.2)'
|
||||
}
|
||||
})
|
||||
```
|
||||
|
||||
**Out**
|
||||
|
||||
```javascript
|
||||
const H1 = /*#__PURE__*/ styled('h1', {
|
||||
label: 'H1'
|
||||
})({
|
||||
borderRadius: '50%',
|
||||
transition: 'transform 400ms ease-in-out',
|
||||
boxSizing: 'border-box',
|
||||
display: 'flex',
|
||||
':hover': {
|
||||
transform: 'scale(1.2)'
|
||||
}
|
||||
})
|
||||
```
|
||||
|
||||
`H1`'s class name attribute would be `css-hash-H1`
|
||||
|
||||
### `cssPropOptimization`
|
||||
|
||||
`boolean`, defaults to `true`.
|
||||
|
||||
This option assumes that you are using something to make `@emotion/react`'s `jsx` function work for all jsx. If you are not doing so and you do not want such optimizations to occur, disable this option.
|
||||
|
||||
### `importMap`
|
||||
|
||||
This option allows you to tell @emotion/babel-plugin what imports it should look at to determine what it should transform so if you re-export Emotion's exports, you can still use the Babel transforms
|
||||
|
||||
An example file:
|
||||
|
||||
```js
|
||||
import { anotherExport } from 'my-package'
|
||||
import { someExport, thisIsTheJsxExport } from 'some-package'
|
||||
```
|
||||
|
||||
An example config:
|
||||
|
||||
```json
|
||||
{
|
||||
"my-package": {
|
||||
"anotherExport": {
|
||||
"canonicalImport": ["@emotion/styled", "default"],
|
||||
"styledBaseImport": ["my-package/base", "anotherExport"]
|
||||
}
|
||||
},
|
||||
"some-package": {
|
||||
"someExport": {
|
||||
"canonicalImport": ["@emotion/react", "css"]
|
||||
},
|
||||
"thisIsTheJsxExport": {
|
||||
"canonicalImport": ["@emotion/react", "jsx"]
|
||||
}
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
## Babel Macros
|
||||
|
||||
Instead of using `@emotion/babel-plugin`, you can use emotion with [`babel-plugin-macros`](https://github.com/kentcdodds/babel-plugin-macros). Add `babel-plugin-macros` to your babel config (which is included in Create React App 2.0) and use the imports/packages shown below.
|
||||
|
||||
```jsx
|
||||
import {
|
||||
css,
|
||||
keyframes,
|
||||
injectGlobal,
|
||||
flush,
|
||||
hydrate
|
||||
} from '@emotion/css/macro'
|
||||
import { jsx, css, Global, keyframes } from '@emotion/react/macro'
|
||||
import styled from '@emotion/styled/macro'
|
||||
```
|
||||
1
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-babel-plugin.cjs.js").default;
|
||||
1536
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.dev.js
generated
vendored
Normal file
1536
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.dev.js
generated
vendored
Normal file
File diff suppressed because it is too large
Load Diff
7
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.js
generated
vendored
Normal file
7
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,7 @@
|
||||
'use strict';
|
||||
|
||||
if (process.env.NODE_ENV === "production") {
|
||||
module.exports = require("./emotion-babel-plugin.cjs.prod.js");
|
||||
} else {
|
||||
module.exports = require("./emotion-babel-plugin.cjs.dev.js");
|
||||
}
|
||||
4
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.mjs
generated
vendored
Normal file
4
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,4 @@
|
||||
export {
|
||||
macros
|
||||
} from "./emotion-babel-plugin.cjs.js";
|
||||
export { _default as default } from "./emotion-babel-plugin.cjs.default.js";
|
||||
1536
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.prod.js
generated
vendored
Normal file
1536
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.cjs.prod.js
generated
vendored
Normal file
File diff suppressed because it is too large
Load Diff
1522
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.esm.js
generated
vendored
Normal file
1522
node_modules/@emotion/babel-plugin/dist/emotion-babel-plugin.esm.js
generated
vendored
Normal file
File diff suppressed because it is too large
Load Diff
23
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/LICENSE
generated
vendored
Normal file
23
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,23 @@
|
||||
Copyright 2013 Thorsten Lorenz.
|
||||
All rights reserved.
|
||||
|
||||
Permission is hereby granted, free of charge, to any person
|
||||
obtaining a copy of this software and associated documentation
|
||||
files (the "Software"), to deal in the Software without
|
||||
restriction, including without limitation the rights to use,
|
||||
copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the
|
||||
Software is furnished to do so, subject to the following
|
||||
conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be
|
||||
included in all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES
|
||||
OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
|
||||
NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
|
||||
HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
|
||||
OTHER DEALINGS IN THE SOFTWARE.
|
||||
123
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/README.md
generated
vendored
Normal file
123
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/README.md
generated
vendored
Normal file
@@ -0,0 +1,123 @@
|
||||
# convert-source-map [![Build Status][ci-image]][ci-url]
|
||||
|
||||
Converts a source-map from/to different formats and allows adding/changing properties.
|
||||
|
||||
```js
|
||||
var convert = require('convert-source-map');
|
||||
|
||||
var json = convert
|
||||
.fromComment('//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiYnVpbGQvZm9vLm1pbi5qcyIsInNvdXJjZXMiOlsic3JjL2Zvby5qcyJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiQUFBQSIsInNvdXJjZVJvb3QiOiIvIn0=')
|
||||
.toJSON();
|
||||
|
||||
var modified = convert
|
||||
.fromComment('//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiYnVpbGQvZm9vLm1pbi5qcyIsInNvdXJjZXMiOlsic3JjL2Zvby5qcyJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiQUFBQSIsInNvdXJjZVJvb3QiOiIvIn0=')
|
||||
.setProperty('sources', [ 'SRC/FOO.JS' ])
|
||||
.toJSON();
|
||||
|
||||
console.log(json);
|
||||
console.log(modified);
|
||||
```
|
||||
|
||||
```json
|
||||
{"version":3,"file":"build/foo.min.js","sources":["src/foo.js"],"names":[],"mappings":"AAAA","sourceRoot":"/"}
|
||||
{"version":3,"file":"build/foo.min.js","sources":["SRC/FOO.JS"],"names":[],"mappings":"AAAA","sourceRoot":"/"}
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
### fromObject(obj)
|
||||
|
||||
Returns source map converter from given object.
|
||||
|
||||
### fromJSON(json)
|
||||
|
||||
Returns source map converter from given json string.
|
||||
|
||||
### fromBase64(base64)
|
||||
|
||||
Returns source map converter from given base64 encoded json string.
|
||||
|
||||
### fromComment(comment)
|
||||
|
||||
Returns source map converter from given base64 encoded json string prefixed with `//# sourceMappingURL=...`.
|
||||
|
||||
### fromMapFileComment(comment, mapFileDir)
|
||||
|
||||
Returns source map converter from given `filename` by parsing `//# sourceMappingURL=filename`.
|
||||
|
||||
`filename` must point to a file that is found inside the `mapFileDir`. Most tools store this file right next to the
|
||||
generated file, i.e. the one containing the source map.
|
||||
|
||||
### fromSource(source)
|
||||
|
||||
Finds last sourcemap comment in file and returns source map converter or returns null if no source map comment was found.
|
||||
|
||||
### fromMapFileSource(source, mapFileDir)
|
||||
|
||||
Finds last sourcemap comment in file and returns source map converter or returns null if no source map comment was
|
||||
found.
|
||||
|
||||
The sourcemap will be read from the map file found by parsing `# sourceMappingURL=file` comment. For more info see
|
||||
fromMapFileComment.
|
||||
|
||||
### toObject()
|
||||
|
||||
Returns a copy of the underlying source map.
|
||||
|
||||
### toJSON([space])
|
||||
|
||||
Converts source map to json string. If `space` is given (optional), this will be passed to
|
||||
[JSON.stringify](https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Global_Objects/JSON/stringify) when the
|
||||
JSON string is generated.
|
||||
|
||||
### toBase64()
|
||||
|
||||
Converts source map to base64 encoded json string.
|
||||
|
||||
### toComment([options])
|
||||
|
||||
Converts source map to an inline comment that can be appended to the source-file.
|
||||
|
||||
By default, the comment is formatted like: `//# sourceMappingURL=...`, which you would
|
||||
normally see in a JS source file.
|
||||
|
||||
When `options.multiline == true`, the comment is formatted like: `/*# sourceMappingURL=... */`, which you would find in a CSS source file.
|
||||
|
||||
### addProperty(key, value)
|
||||
|
||||
Adds given property to the source map. Throws an error if property already exists.
|
||||
|
||||
### setProperty(key, value)
|
||||
|
||||
Sets given property to the source map. If property doesn't exist it is added, otherwise its value is updated.
|
||||
|
||||
### getProperty(key)
|
||||
|
||||
Gets given property of the source map.
|
||||
|
||||
### removeComments(src)
|
||||
|
||||
Returns `src` with all source map comments removed
|
||||
|
||||
### removeMapFileComments(src)
|
||||
|
||||
Returns `src` with all source map comments pointing to map files removed.
|
||||
|
||||
### commentRegex
|
||||
|
||||
Provides __a fresh__ RegExp each time it is accessed. Can be used to find source map comments.
|
||||
|
||||
### mapFileCommentRegex
|
||||
|
||||
Provides __a fresh__ RegExp each time it is accessed. Can be used to find source map comments pointing to map files.
|
||||
|
||||
### generateMapFileComment(file, [options])
|
||||
|
||||
Returns a comment that links to an external source map via `file`.
|
||||
|
||||
By default, the comment is formatted like: `//# sourceMappingURL=...`, which you would normally see in a JS source file.
|
||||
|
||||
When `options.multiline == true`, the comment is formatted like: `/*# sourceMappingURL=... */`, which you would find in a CSS source file.
|
||||
|
||||
[ci-url]: https://github.com/thlorenz/convert-source-map/actions?query=workflow:ci
|
||||
[ci-image]: https://img.shields.io/github/workflow/status/thlorenz/convert-source-map/CI?style=flat-square
|
||||
179
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/index.js
generated
vendored
Normal file
179
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/index.js
generated
vendored
Normal file
@@ -0,0 +1,179 @@
|
||||
'use strict';
|
||||
var fs = require('fs');
|
||||
var path = require('path');
|
||||
|
||||
Object.defineProperty(exports, 'commentRegex', {
|
||||
get: function getCommentRegex () {
|
||||
return /^\s*\/(?:\/|\*)[@#]\s+sourceMappingURL=data:(?:application|text)\/json;(?:charset[:=]\S+?;)?base64,(?:.*)$/mg;
|
||||
}
|
||||
});
|
||||
|
||||
Object.defineProperty(exports, 'mapFileCommentRegex', {
|
||||
get: function getMapFileCommentRegex () {
|
||||
// Matches sourceMappingURL in either // or /* comment styles.
|
||||
return /(?:\/\/[@#][ \t]+sourceMappingURL=([^\s'"`]+?)[ \t]*$)|(?:\/\*[@#][ \t]+sourceMappingURL=([^\*]+?)[ \t]*(?:\*\/){1}[ \t]*$)/mg;
|
||||
}
|
||||
});
|
||||
|
||||
var decodeBase64;
|
||||
if (typeof Buffer !== 'undefined') {
|
||||
if (typeof Buffer.from === 'function') {
|
||||
decodeBase64 = decodeBase64WithBufferFrom;
|
||||
} else {
|
||||
decodeBase64 = decodeBase64WithNewBuffer;
|
||||
}
|
||||
} else {
|
||||
decodeBase64 = decodeBase64WithAtob;
|
||||
}
|
||||
|
||||
function decodeBase64WithBufferFrom(base64) {
|
||||
return Buffer.from(base64, 'base64').toString();
|
||||
}
|
||||
|
||||
function decodeBase64WithNewBuffer(base64) {
|
||||
if (typeof value === 'number') {
|
||||
throw new TypeError('The value to decode must not be of type number.');
|
||||
}
|
||||
return new Buffer(base64, 'base64').toString();
|
||||
}
|
||||
|
||||
function decodeBase64WithAtob(base64) {
|
||||
return decodeURIComponent(escape(atob(base64)));
|
||||
}
|
||||
|
||||
function stripComment(sm) {
|
||||
return sm.split(',').pop();
|
||||
}
|
||||
|
||||
function readFromFileMap(sm, dir) {
|
||||
// NOTE: this will only work on the server since it attempts to read the map file
|
||||
|
||||
var r = exports.mapFileCommentRegex.exec(sm);
|
||||
|
||||
// for some odd reason //# .. captures in 1 and /* .. */ in 2
|
||||
var filename = r[1] || r[2];
|
||||
var filepath = path.resolve(dir, filename);
|
||||
|
||||
try {
|
||||
return fs.readFileSync(filepath, 'utf8');
|
||||
} catch (e) {
|
||||
throw new Error('An error occurred while trying to read the map file at ' + filepath + '\n' + e);
|
||||
}
|
||||
}
|
||||
|
||||
function Converter (sm, opts) {
|
||||
opts = opts || {};
|
||||
|
||||
if (opts.isFileComment) sm = readFromFileMap(sm, opts.commentFileDir);
|
||||
if (opts.hasComment) sm = stripComment(sm);
|
||||
if (opts.isEncoded) sm = decodeBase64(sm);
|
||||
if (opts.isJSON || opts.isEncoded) sm = JSON.parse(sm);
|
||||
|
||||
this.sourcemap = sm;
|
||||
}
|
||||
|
||||
Converter.prototype.toJSON = function (space) {
|
||||
return JSON.stringify(this.sourcemap, null, space);
|
||||
};
|
||||
|
||||
if (typeof Buffer !== 'undefined') {
|
||||
if (typeof Buffer.from === 'function') {
|
||||
Converter.prototype.toBase64 = encodeBase64WithBufferFrom;
|
||||
} else {
|
||||
Converter.prototype.toBase64 = encodeBase64WithNewBuffer;
|
||||
}
|
||||
} else {
|
||||
Converter.prototype.toBase64 = encodeBase64WithBtoa;
|
||||
}
|
||||
|
||||
function encodeBase64WithBufferFrom() {
|
||||
var json = this.toJSON();
|
||||
return Buffer.from(json, 'utf8').toString('base64');
|
||||
}
|
||||
|
||||
function encodeBase64WithNewBuffer() {
|
||||
var json = this.toJSON();
|
||||
if (typeof json === 'number') {
|
||||
throw new TypeError('The json to encode must not be of type number.');
|
||||
}
|
||||
return new Buffer(json, 'utf8').toString('base64');
|
||||
}
|
||||
|
||||
function encodeBase64WithBtoa() {
|
||||
var json = this.toJSON();
|
||||
return btoa(unescape(encodeURIComponent(json)));
|
||||
}
|
||||
|
||||
Converter.prototype.toComment = function (options) {
|
||||
var base64 = this.toBase64();
|
||||
var data = 'sourceMappingURL=data:application/json;charset=utf-8;base64,' + base64;
|
||||
return options && options.multiline ? '/*# ' + data + ' */' : '//# ' + data;
|
||||
};
|
||||
|
||||
// returns copy instead of original
|
||||
Converter.prototype.toObject = function () {
|
||||
return JSON.parse(this.toJSON());
|
||||
};
|
||||
|
||||
Converter.prototype.addProperty = function (key, value) {
|
||||
if (this.sourcemap.hasOwnProperty(key)) throw new Error('property "' + key + '" already exists on the sourcemap, use set property instead');
|
||||
return this.setProperty(key, value);
|
||||
};
|
||||
|
||||
Converter.prototype.setProperty = function (key, value) {
|
||||
this.sourcemap[key] = value;
|
||||
return this;
|
||||
};
|
||||
|
||||
Converter.prototype.getProperty = function (key) {
|
||||
return this.sourcemap[key];
|
||||
};
|
||||
|
||||
exports.fromObject = function (obj) {
|
||||
return new Converter(obj);
|
||||
};
|
||||
|
||||
exports.fromJSON = function (json) {
|
||||
return new Converter(json, { isJSON: true });
|
||||
};
|
||||
|
||||
exports.fromBase64 = function (base64) {
|
||||
return new Converter(base64, { isEncoded: true });
|
||||
};
|
||||
|
||||
exports.fromComment = function (comment) {
|
||||
comment = comment
|
||||
.replace(/^\/\*/g, '//')
|
||||
.replace(/\*\/$/g, '');
|
||||
|
||||
return new Converter(comment, { isEncoded: true, hasComment: true });
|
||||
};
|
||||
|
||||
exports.fromMapFileComment = function (comment, dir) {
|
||||
return new Converter(comment, { commentFileDir: dir, isFileComment: true, isJSON: true });
|
||||
};
|
||||
|
||||
// Finds last sourcemap comment in file or returns null if none was found
|
||||
exports.fromSource = function (content) {
|
||||
var m = content.match(exports.commentRegex);
|
||||
return m ? exports.fromComment(m.pop()) : null;
|
||||
};
|
||||
|
||||
// Finds last sourcemap comment in file or returns null if none was found
|
||||
exports.fromMapFileSource = function (content, dir) {
|
||||
var m = content.match(exports.mapFileCommentRegex);
|
||||
return m ? exports.fromMapFileComment(m.pop(), dir) : null;
|
||||
};
|
||||
|
||||
exports.removeComments = function (src) {
|
||||
return src.replace(exports.commentRegex, '');
|
||||
};
|
||||
|
||||
exports.removeMapFileComments = function (src) {
|
||||
return src.replace(exports.mapFileCommentRegex, '');
|
||||
};
|
||||
|
||||
exports.generateMapFileComment = function (file, options) {
|
||||
var data = 'sourceMappingURL=' + file;
|
||||
return options && options.multiline ? '/*# ' + data + ' */' : '//# ' + data;
|
||||
};
|
||||
41
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/package.json
generated
vendored
Normal file
41
node_modules/@emotion/babel-plugin/node_modules/convert-source-map/package.json
generated
vendored
Normal file
@@ -0,0 +1,41 @@
|
||||
{
|
||||
"name": "convert-source-map",
|
||||
"version": "1.9.0",
|
||||
"description": "Converts a source-map from/to different formats and allows adding/changing properties.",
|
||||
"main": "index.js",
|
||||
"scripts": {
|
||||
"test": "tap test/*.js --color"
|
||||
},
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/thlorenz/convert-source-map.git"
|
||||
},
|
||||
"homepage": "https://github.com/thlorenz/convert-source-map",
|
||||
"devDependencies": {
|
||||
"inline-source-map": "~0.6.2",
|
||||
"tap": "~9.0.0"
|
||||
},
|
||||
"keywords": [
|
||||
"convert",
|
||||
"sourcemap",
|
||||
"source",
|
||||
"map",
|
||||
"browser",
|
||||
"debug"
|
||||
],
|
||||
"author": {
|
||||
"name": "Thorsten Lorenz",
|
||||
"email": "thlorenz@gmx.de",
|
||||
"url": "http://thlorenz.com"
|
||||
},
|
||||
"license": "MIT",
|
||||
"engine": {
|
||||
"node": ">=0.6"
|
||||
},
|
||||
"files": [
|
||||
"index.js"
|
||||
],
|
||||
"browser": {
|
||||
"fs": false
|
||||
}
|
||||
}
|
||||
51
node_modules/@emotion/babel-plugin/package.json
generated
vendored
Normal file
51
node_modules/@emotion/babel-plugin/package.json
generated
vendored
Normal file
@@ -0,0 +1,51 @@
|
||||
{
|
||||
"name": "@emotion/babel-plugin",
|
||||
"version": "11.12.0",
|
||||
"description": "A recommended babel preprocessing plugin for emotion, The Next Generation of CSS-in-JS.",
|
||||
"main": "dist/emotion-babel-plugin.cjs.js",
|
||||
"module": "dist/emotion-babel-plugin.esm.js",
|
||||
"exports": {
|
||||
".": {
|
||||
"module": "./dist/emotion-babel-plugin.esm.js",
|
||||
"import": "./dist/emotion-babel-plugin.cjs.mjs",
|
||||
"default": "./dist/emotion-babel-plugin.cjs.js"
|
||||
},
|
||||
"./package.json": "./package.json"
|
||||
},
|
||||
"files": [
|
||||
"src",
|
||||
"lib",
|
||||
"dist"
|
||||
],
|
||||
"dependencies": {
|
||||
"@babel/helper-module-imports": "^7.16.7",
|
||||
"@babel/runtime": "^7.18.3",
|
||||
"@emotion/hash": "^0.9.2",
|
||||
"@emotion/memoize": "^0.9.0",
|
||||
"@emotion/serialize": "^1.2.0",
|
||||
"babel-plugin-macros": "^3.1.0",
|
||||
"convert-source-map": "^1.5.0",
|
||||
"escape-string-regexp": "^4.0.0",
|
||||
"find-root": "^1.1.0",
|
||||
"source-map": "^0.5.7",
|
||||
"stylis": "4.2.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@babel/core": "^7.18.5",
|
||||
"babel-check-duplicated-nodes": "^1.0.0"
|
||||
},
|
||||
"author": "Kye Hohenberger",
|
||||
"homepage": "https://emotion.sh",
|
||||
"license": "MIT",
|
||||
"repository": "https://github.com/emotion-js/emotion/tree/main/packages/babel-plugin",
|
||||
"keywords": [
|
||||
"styles",
|
||||
"emotion",
|
||||
"react",
|
||||
"css",
|
||||
"css-in-js"
|
||||
],
|
||||
"bugs": {
|
||||
"url": "https://github.com/emotion-js/emotion/issues"
|
||||
}
|
||||
}
|
||||
182
node_modules/@emotion/babel-plugin/src/core-macro.js
generated
vendored
Normal file
182
node_modules/@emotion/babel-plugin/src/core-macro.js
generated
vendored
Normal file
@@ -0,0 +1,182 @@
|
||||
import {
|
||||
transformExpressionWithStyles,
|
||||
createTransformerMacro,
|
||||
getSourceMap,
|
||||
addImport
|
||||
} from './utils'
|
||||
|
||||
export const transformCssCallExpression = (
|
||||
{ state, babel, path, sourceMap, annotateAsPure = true } /*: {
|
||||
state: *,
|
||||
babel: *,
|
||||
path: *,
|
||||
sourceMap?: string,
|
||||
annotateAsPure?: boolean
|
||||
} */
|
||||
) => {
|
||||
let node = transformExpressionWithStyles({
|
||||
babel,
|
||||
state,
|
||||
path,
|
||||
shouldLabel: true,
|
||||
sourceMap
|
||||
})
|
||||
if (node) {
|
||||
path.replaceWith(node)
|
||||
path.hoist()
|
||||
} else if (annotateAsPure && path.isCallExpression()) {
|
||||
path.addComment('leading', '#__PURE__')
|
||||
}
|
||||
}
|
||||
|
||||
export const transformCsslessArrayExpression = (
|
||||
{ state, babel, path } /*: {
|
||||
babel: *,
|
||||
state: *,
|
||||
path: *
|
||||
} */
|
||||
) => {
|
||||
let t = babel.types
|
||||
let expressionPath = path.get('value.expression')
|
||||
let sourceMap =
|
||||
state.emotionSourceMap && path.node.loc !== undefined
|
||||
? getSourceMap(path.node.loc.start, state)
|
||||
: ''
|
||||
|
||||
expressionPath.replaceWith(
|
||||
t.callExpression(
|
||||
// the name of this identifier doesn't really matter at all
|
||||
// it'll never appear in generated code
|
||||
t.identifier('___shouldNeverAppearCSS'),
|
||||
path.node.value.expression.elements
|
||||
)
|
||||
)
|
||||
|
||||
transformCssCallExpression({
|
||||
babel,
|
||||
state,
|
||||
path: expressionPath,
|
||||
sourceMap,
|
||||
annotateAsPure: false
|
||||
})
|
||||
|
||||
if (t.isCallExpression(expressionPath)) {
|
||||
expressionPath.replaceWith(t.arrayExpression(expressionPath.node.arguments))
|
||||
}
|
||||
}
|
||||
|
||||
export const transformCsslessObjectExpression = (
|
||||
{ state, babel, path, cssImport } /*: {
|
||||
babel: *,
|
||||
state: *,
|
||||
path: *,
|
||||
cssImport: { importSource: string, cssExport: string }
|
||||
} */
|
||||
) => {
|
||||
let t = babel.types
|
||||
let expressionPath = path.get('value.expression')
|
||||
let sourceMap =
|
||||
state.emotionSourceMap && path.node.loc !== undefined
|
||||
? getSourceMap(path.node.loc.start, state)
|
||||
: ''
|
||||
|
||||
expressionPath.replaceWith(
|
||||
t.callExpression(
|
||||
// the name of this identifier doesn't really matter at all
|
||||
// it'll never appear in generated code
|
||||
t.identifier('___shouldNeverAppearCSS'),
|
||||
[path.node.value.expression]
|
||||
)
|
||||
)
|
||||
|
||||
transformCssCallExpression({
|
||||
babel,
|
||||
state,
|
||||
path: expressionPath,
|
||||
sourceMap
|
||||
})
|
||||
|
||||
if (t.isCallExpression(expressionPath)) {
|
||||
expressionPath
|
||||
.get('callee')
|
||||
.replaceWith(
|
||||
addImport(state, cssImport.importSource, cssImport.cssExport, 'css')
|
||||
)
|
||||
}
|
||||
}
|
||||
|
||||
let cssTransformer = (
|
||||
{ state, babel, reference } /*: {
|
||||
state: any,
|
||||
babel: any,
|
||||
reference: any
|
||||
} */
|
||||
) => {
|
||||
transformCssCallExpression({ babel, state, path: reference.parentPath })
|
||||
}
|
||||
|
||||
let globalTransformer = (
|
||||
{ state, babel, reference, importSource, options } /*: {
|
||||
state: any,
|
||||
babel: any,
|
||||
reference: any,
|
||||
importSource: string,
|
||||
options: { cssExport?: string }
|
||||
} */
|
||||
) => {
|
||||
const t = babel.types
|
||||
|
||||
if (
|
||||
!t.isJSXIdentifier(reference.node) ||
|
||||
!t.isJSXOpeningElement(reference.parentPath.node)
|
||||
) {
|
||||
return
|
||||
}
|
||||
|
||||
const stylesPropPath = reference.parentPath
|
||||
.get('attributes')
|
||||
.find(p => t.isJSXAttribute(p.node) && p.node.name.name === 'styles')
|
||||
|
||||
if (!stylesPropPath) {
|
||||
return
|
||||
}
|
||||
|
||||
if (t.isJSXExpressionContainer(stylesPropPath.node.value)) {
|
||||
if (t.isArrayExpression(stylesPropPath.node.value.expression)) {
|
||||
transformCsslessArrayExpression({
|
||||
state,
|
||||
babel,
|
||||
path: stylesPropPath
|
||||
})
|
||||
} else if (t.isObjectExpression(stylesPropPath.node.value.expression)) {
|
||||
transformCsslessObjectExpression({
|
||||
state,
|
||||
babel,
|
||||
path: stylesPropPath,
|
||||
cssImport:
|
||||
options.cssExport !== undefined
|
||||
? {
|
||||
importSource,
|
||||
cssExport: options.cssExport
|
||||
}
|
||||
: {
|
||||
importSource: '@emotion/react',
|
||||
cssExport: 'css'
|
||||
}
|
||||
})
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export const transformers = {
|
||||
// this is an empty function because this transformer is never called
|
||||
// we don't run any transforms on `jsx` directly
|
||||
// instead we use it as a hint to enable css prop optimization
|
||||
jsx: () => {},
|
||||
css: cssTransformer,
|
||||
Global: globalTransformer
|
||||
}
|
||||
|
||||
export default createTransformerMacro(transformers, {
|
||||
importSource: '@emotion/react'
|
||||
})
|
||||
64
node_modules/@emotion/babel-plugin/src/emotion-macro.js
generated
vendored
Normal file
64
node_modules/@emotion/babel-plugin/src/emotion-macro.js
generated
vendored
Normal file
@@ -0,0 +1,64 @@
|
||||
import { transformExpressionWithStyles, createTransformerMacro } from './utils'
|
||||
|
||||
const isAlreadyTranspiled = path => {
|
||||
if (!path.isCallExpression()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const firstArgPath = path.get('arguments.0')
|
||||
|
||||
if (!firstArgPath) {
|
||||
return false
|
||||
}
|
||||
|
||||
if (!firstArgPath.isConditionalExpression()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const alternatePath = firstArgPath.get('alternate')
|
||||
|
||||
if (!alternatePath.isObjectExpression()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const properties = new Set(
|
||||
alternatePath.get('properties').map(p => p.node.key.name)
|
||||
)
|
||||
|
||||
return ['name', 'styles'].every(p => properties.has(p))
|
||||
}
|
||||
|
||||
let createEmotionTransformer =
|
||||
(isPure /*: boolean */) =>
|
||||
(
|
||||
{ state, babel, importSource, reference, importSpecifierName } /*: Object */
|
||||
) => {
|
||||
const path = reference.parentPath
|
||||
|
||||
if (isAlreadyTranspiled(path)) {
|
||||
return
|
||||
}
|
||||
|
||||
if (isPure) {
|
||||
path.addComment('leading', '#__PURE__')
|
||||
}
|
||||
|
||||
let node = transformExpressionWithStyles({
|
||||
babel,
|
||||
state,
|
||||
path,
|
||||
shouldLabel: true
|
||||
})
|
||||
if (node) {
|
||||
path.node.arguments[0] = node
|
||||
}
|
||||
}
|
||||
|
||||
export let transformers = {
|
||||
css: createEmotionTransformer(true),
|
||||
injectGlobal: createEmotionTransformer(false),
|
||||
keyframes: createEmotionTransformer(true)
|
||||
}
|
||||
|
||||
export let createEmotionMacro = (importSource /*: string */) =>
|
||||
createTransformerMacro(transformers, { importSource })
|
||||
314
node_modules/@emotion/babel-plugin/src/index.js
generated
vendored
Normal file
314
node_modules/@emotion/babel-plugin/src/index.js
generated
vendored
Normal file
@@ -0,0 +1,314 @@
|
||||
import {
|
||||
createEmotionMacro,
|
||||
transformers as vanillaTransformers
|
||||
} from './emotion-macro'
|
||||
import { createStyledMacro, styledTransformer } from './styled-macro'
|
||||
import coreMacro, {
|
||||
transformers as coreTransformers,
|
||||
transformCsslessArrayExpression,
|
||||
transformCsslessObjectExpression
|
||||
} from './core-macro'
|
||||
import { getStyledOptions, createTransformerMacro } from './utils'
|
||||
|
||||
const getCssExport = (reexported, importSource, mapping) => {
|
||||
const cssExport = Object.keys(mapping).find(localExportName => {
|
||||
const [packageName, exportName] = mapping[localExportName].canonicalImport
|
||||
return packageName === '@emotion/react' && exportName === 'css'
|
||||
})
|
||||
|
||||
if (!cssExport) {
|
||||
throw new Error(
|
||||
`You have specified that '${importSource}' re-exports '${reexported}' from '@emotion/react' but it doesn't also re-export 'css' from '@emotion/react', 'css' is necessary for certain optimisations, please re-export it from '${importSource}'`
|
||||
)
|
||||
}
|
||||
|
||||
return cssExport
|
||||
}
|
||||
|
||||
let webStyledMacro = createStyledMacro({
|
||||
importSource: '@emotion/styled/base',
|
||||
originalImportSource: '@emotion/styled',
|
||||
isWeb: true
|
||||
})
|
||||
let nativeStyledMacro = createStyledMacro({
|
||||
importSource: '@emotion/native',
|
||||
originalImportSource: '@emotion/native',
|
||||
isWeb: false
|
||||
})
|
||||
let primitivesStyledMacro = createStyledMacro({
|
||||
importSource: '@emotion/primitives',
|
||||
originalImportSource: '@emotion/primitives',
|
||||
isWeb: false
|
||||
})
|
||||
let vanillaEmotionMacro = createEmotionMacro('@emotion/css')
|
||||
|
||||
let transformersSource = {
|
||||
'@emotion/css': vanillaTransformers,
|
||||
'@emotion/react': coreTransformers,
|
||||
'@emotion/styled': {
|
||||
default: [
|
||||
styledTransformer,
|
||||
{ styledBaseImport: ['@emotion/styled/base', 'default'], isWeb: true }
|
||||
]
|
||||
},
|
||||
'@emotion/primitives': {
|
||||
default: [styledTransformer, { isWeb: false }]
|
||||
},
|
||||
'@emotion/native': {
|
||||
default: [styledTransformer, { isWeb: false }]
|
||||
}
|
||||
}
|
||||
|
||||
export const macros = {
|
||||
core: coreMacro,
|
||||
nativeStyled: nativeStyledMacro,
|
||||
primitivesStyled: primitivesStyledMacro,
|
||||
webStyled: webStyledMacro,
|
||||
vanillaEmotion: vanillaEmotionMacro
|
||||
}
|
||||
|
||||
/*
|
||||
export type BabelPath = any
|
||||
|
||||
export type EmotionBabelPluginPass = any
|
||||
*/
|
||||
|
||||
const AUTO_LABEL_VALUES = ['dev-only', 'never', 'always']
|
||||
|
||||
export default function (babel, options) {
|
||||
if (
|
||||
options.autoLabel !== undefined &&
|
||||
!AUTO_LABEL_VALUES.includes(options.autoLabel)
|
||||
) {
|
||||
throw new Error(
|
||||
`The 'autoLabel' option must be undefined, or one of the following: ${AUTO_LABEL_VALUES.map(
|
||||
s => `"${s}"`
|
||||
).join(', ')}`
|
||||
)
|
||||
}
|
||||
|
||||
let t = babel.types
|
||||
return {
|
||||
name: '@emotion',
|
||||
// https://github.com/babel/babel/blob/0c97749e0fe8ad845b902e0b23a24b308b0bf05d/packages/babel-plugin-syntax-jsx/src/index.ts#L9-L18
|
||||
manipulateOptions(opts, parserOpts) {
|
||||
const { plugins } = parserOpts
|
||||
|
||||
if (
|
||||
plugins.some(p => {
|
||||
const plugin = Array.isArray(p) ? p[0] : p
|
||||
return plugin === 'typescript' || plugin === 'jsx'
|
||||
})
|
||||
) {
|
||||
return
|
||||
}
|
||||
|
||||
plugins.push('jsx')
|
||||
},
|
||||
visitor: {
|
||||
ImportDeclaration(path, state) {
|
||||
const macro = state.pluginMacros[path.node.source.value]
|
||||
// most of this is from https://github.com/kentcdodds/babel-plugin-macros/blob/main/src/index.js
|
||||
if (macro === undefined) {
|
||||
return
|
||||
}
|
||||
if (t.isImportNamespaceSpecifier(path.node.specifiers[0])) {
|
||||
return
|
||||
}
|
||||
const imports = path.node.specifiers.map(s => ({
|
||||
localName: s.local.name,
|
||||
importedName:
|
||||
s.type === 'ImportDefaultSpecifier' ? 'default' : s.imported.name
|
||||
}))
|
||||
let shouldExit = false
|
||||
let hasReferences = false
|
||||
const referencePathsByImportName = imports.reduce(
|
||||
(byName, { importedName, localName }) => {
|
||||
let binding = path.scope.getBinding(localName)
|
||||
if (!binding) {
|
||||
shouldExit = true
|
||||
return byName
|
||||
}
|
||||
byName[importedName] = binding.referencePaths
|
||||
hasReferences =
|
||||
hasReferences || Boolean(byName[importedName].length)
|
||||
return byName
|
||||
},
|
||||
{}
|
||||
)
|
||||
if (!hasReferences || shouldExit) {
|
||||
return
|
||||
}
|
||||
/**
|
||||
* Other plugins that run before babel-plugin-macros might use path.replace, where a path is
|
||||
* put into its own replacement. Apparently babel does not update the scope after such
|
||||
* an operation. As a remedy, the whole scope is traversed again with an empty "Identifier"
|
||||
* visitor - this makes the problem go away.
|
||||
*
|
||||
* See: https://github.com/kentcdodds/import-all.macro/issues/7
|
||||
*/
|
||||
state.file.scope.path.traverse({
|
||||
Identifier() {}
|
||||
})
|
||||
|
||||
macro({
|
||||
path,
|
||||
references: referencePathsByImportName,
|
||||
state,
|
||||
babel,
|
||||
isEmotionCall: true,
|
||||
isBabelMacrosCall: true
|
||||
})
|
||||
},
|
||||
Program(path, state) {
|
||||
let macros = {}
|
||||
let jsxReactImports /*: Array<{
|
||||
importSource: string,
|
||||
export: string,
|
||||
cssExport: string
|
||||
}> */ = [
|
||||
{ importSource: '@emotion/react', export: 'jsx', cssExport: 'css' }
|
||||
]
|
||||
state.jsxReactImport = jsxReactImports[0]
|
||||
Object.keys(state.opts.importMap || {}).forEach(importSource => {
|
||||
let value = state.opts.importMap[importSource]
|
||||
let transformers = {}
|
||||
Object.keys(value).forEach(localExportName => {
|
||||
let { canonicalImport, ...options } = value[localExportName]
|
||||
let [packageName, exportName] = canonicalImport
|
||||
if (packageName === '@emotion/react' && exportName === 'jsx') {
|
||||
jsxReactImports.push({
|
||||
importSource,
|
||||
export: localExportName,
|
||||
cssExport: getCssExport('jsx', importSource, value)
|
||||
})
|
||||
return
|
||||
}
|
||||
let packageTransformers = transformersSource[packageName]
|
||||
|
||||
if (packageTransformers === undefined) {
|
||||
throw new Error(
|
||||
`There is no transformer for the export '${exportName}' in '${packageName}'`
|
||||
)
|
||||
}
|
||||
|
||||
let extraOptions
|
||||
|
||||
if (packageName === '@emotion/react' && exportName === 'Global') {
|
||||
// this option is not supposed to be set in importMap
|
||||
extraOptions = {
|
||||
cssExport: getCssExport('Global', importSource, value)
|
||||
}
|
||||
} else if (
|
||||
packageName === '@emotion/styled' &&
|
||||
exportName === 'default'
|
||||
) {
|
||||
// this is supposed to override defaultOptions value
|
||||
// and let correct value to be set if coming in options
|
||||
extraOptions = {
|
||||
styledBaseImport: undefined
|
||||
}
|
||||
}
|
||||
|
||||
let [exportTransformer, defaultOptions] = Array.isArray(
|
||||
packageTransformers[exportName]
|
||||
)
|
||||
? packageTransformers[exportName]
|
||||
: [packageTransformers[exportName]]
|
||||
|
||||
transformers[localExportName] = [
|
||||
exportTransformer,
|
||||
{
|
||||
...defaultOptions,
|
||||
...extraOptions,
|
||||
...options
|
||||
}
|
||||
]
|
||||
})
|
||||
macros[importSource] = createTransformerMacro(transformers, {
|
||||
importSource
|
||||
})
|
||||
})
|
||||
state.pluginMacros = {
|
||||
'@emotion/styled': webStyledMacro,
|
||||
'@emotion/react': coreMacro,
|
||||
'@emotion/primitives': primitivesStyledMacro,
|
||||
'@emotion/native': nativeStyledMacro,
|
||||
'@emotion/css': vanillaEmotionMacro,
|
||||
...macros
|
||||
}
|
||||
|
||||
for (const node of path.node.body) {
|
||||
if (t.isImportDeclaration(node)) {
|
||||
let jsxReactImport = jsxReactImports.find(
|
||||
thing =>
|
||||
node.source.value === thing.importSource &&
|
||||
node.specifiers.some(
|
||||
x =>
|
||||
t.isImportSpecifier(x) && x.imported.name === thing.export
|
||||
)
|
||||
)
|
||||
if (jsxReactImport) {
|
||||
state.jsxReactImport = jsxReactImport
|
||||
break
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (state.opts.cssPropOptimization === false) {
|
||||
state.transformCssProp = false
|
||||
} else {
|
||||
state.transformCssProp = true
|
||||
}
|
||||
|
||||
if (state.opts.sourceMap === false) {
|
||||
state.emotionSourceMap = false
|
||||
} else {
|
||||
state.emotionSourceMap = true
|
||||
}
|
||||
},
|
||||
JSXAttribute(path, state) {
|
||||
if (path.node.name.name !== 'css' || !state.transformCssProp) {
|
||||
return
|
||||
}
|
||||
|
||||
if (t.isJSXExpressionContainer(path.node.value)) {
|
||||
if (t.isArrayExpression(path.node.value.expression)) {
|
||||
transformCsslessArrayExpression({
|
||||
state,
|
||||
babel,
|
||||
path
|
||||
})
|
||||
} else if (t.isObjectExpression(path.node.value.expression)) {
|
||||
transformCsslessObjectExpression({
|
||||
state,
|
||||
babel,
|
||||
path,
|
||||
cssImport: state.jsxReactImport
|
||||
})
|
||||
}
|
||||
}
|
||||
},
|
||||
CallExpression: {
|
||||
exit(path /*: BabelPath */, state /*: EmotionBabelPluginPass */) {
|
||||
try {
|
||||
if (
|
||||
path.node.callee &&
|
||||
path.node.callee.property &&
|
||||
path.node.callee.property.name === 'withComponent'
|
||||
) {
|
||||
switch (path.node.arguments.length) {
|
||||
case 1:
|
||||
case 2: {
|
||||
path.node.arguments[1] = getStyledOptions(t, path, state)
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (e) {
|
||||
throw path.buildCodeFrameError(e)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
144
node_modules/@emotion/babel-plugin/src/styled-macro.js
generated
vendored
Normal file
144
node_modules/@emotion/babel-plugin/src/styled-macro.js
generated
vendored
Normal file
@@ -0,0 +1,144 @@
|
||||
import {
|
||||
transformExpressionWithStyles,
|
||||
getStyledOptions,
|
||||
addImport,
|
||||
createTransformerMacro
|
||||
} from './utils'
|
||||
|
||||
const getReferencedSpecifier = (path, specifierName) => {
|
||||
const specifiers = path.get('specifiers')
|
||||
return specifierName === 'default'
|
||||
? specifiers.find(p => p.isImportDefaultSpecifier())
|
||||
: specifiers.find(p => p.node.local.name === specifierName)
|
||||
}
|
||||
|
||||
export let styledTransformer = (
|
||||
{
|
||||
state,
|
||||
babel,
|
||||
path,
|
||||
importSource,
|
||||
reference,
|
||||
importSpecifierName,
|
||||
options: { styledBaseImport, isWeb }
|
||||
} /*: {
|
||||
state: Object,
|
||||
babel: Object,
|
||||
path: any,
|
||||
importSource: string,
|
||||
importSpecifierName: string,
|
||||
reference: Object,
|
||||
options: { styledBaseImport?: [string, string], isWeb: boolean }
|
||||
} */
|
||||
) => {
|
||||
let t = babel.types
|
||||
|
||||
let getStyledIdentifier = () => {
|
||||
if (
|
||||
!styledBaseImport ||
|
||||
(styledBaseImport[0] === importSource &&
|
||||
styledBaseImport[1] === importSpecifierName)
|
||||
) {
|
||||
return t.cloneNode(reference.node)
|
||||
}
|
||||
|
||||
if (path.node) {
|
||||
const referencedSpecifier = getReferencedSpecifier(
|
||||
path,
|
||||
importSpecifierName
|
||||
)
|
||||
|
||||
if (referencedSpecifier) {
|
||||
referencedSpecifier.remove()
|
||||
}
|
||||
|
||||
if (!path.get('specifiers').length) {
|
||||
path.remove()
|
||||
}
|
||||
}
|
||||
|
||||
const [baseImportSource, baseSpecifierName] = styledBaseImport
|
||||
|
||||
return addImport(state, baseImportSource, baseSpecifierName, 'styled')
|
||||
}
|
||||
let createStyledComponentPath = null
|
||||
if (
|
||||
t.isMemberExpression(reference.parent) &&
|
||||
reference.parent.computed === false
|
||||
) {
|
||||
if (
|
||||
// checks if the first character is lowercase
|
||||
// becasue we don't want to transform the member expression if
|
||||
// it's in primitives/native
|
||||
reference.parent.property.name.charCodeAt(0) > 96
|
||||
) {
|
||||
reference.parentPath.replaceWith(
|
||||
t.callExpression(getStyledIdentifier(), [
|
||||
t.stringLiteral(reference.parent.property.name)
|
||||
])
|
||||
)
|
||||
} else {
|
||||
reference.replaceWith(getStyledIdentifier())
|
||||
}
|
||||
|
||||
createStyledComponentPath = reference.parentPath
|
||||
} else if (
|
||||
reference.parentPath &&
|
||||
t.isCallExpression(reference.parentPath) &&
|
||||
reference.parent.callee === reference.node
|
||||
) {
|
||||
reference.replaceWith(getStyledIdentifier())
|
||||
createStyledComponentPath = reference.parentPath
|
||||
}
|
||||
|
||||
if (!createStyledComponentPath) {
|
||||
return
|
||||
}
|
||||
|
||||
const styledCallLikeWithStylesPath = createStyledComponentPath.parentPath
|
||||
|
||||
let node = transformExpressionWithStyles({
|
||||
path: styledCallLikeWithStylesPath,
|
||||
state,
|
||||
babel,
|
||||
shouldLabel: false
|
||||
})
|
||||
|
||||
if (node && isWeb) {
|
||||
// we know the argument length will be 1 since that's the only time we will have a node since it will be static
|
||||
styledCallLikeWithStylesPath.node.arguments[0] = node
|
||||
}
|
||||
|
||||
styledCallLikeWithStylesPath.addComment('leading', '#__PURE__')
|
||||
|
||||
if (isWeb) {
|
||||
createStyledComponentPath.node.arguments[1] = getStyledOptions(
|
||||
t,
|
||||
createStyledComponentPath,
|
||||
state
|
||||
)
|
||||
}
|
||||
}
|
||||
|
||||
export let createStyledMacro = (
|
||||
{
|
||||
importSource,
|
||||
originalImportSource = importSource,
|
||||
baseImportName = 'default',
|
||||
isWeb
|
||||
} /*: {
|
||||
importSource: string,
|
||||
originalImportSource?: string,
|
||||
baseImportName?: string,
|
||||
isWeb: boolean
|
||||
} */
|
||||
) =>
|
||||
createTransformerMacro(
|
||||
{
|
||||
default: [
|
||||
styledTransformer,
|
||||
{ styledBaseImport: [importSource, baseImportName], isWeb }
|
||||
]
|
||||
},
|
||||
{ importSource: originalImportSource }
|
||||
)
|
||||
30
node_modules/@emotion/babel-plugin/src/utils/add-import.js
generated
vendored
Normal file
30
node_modules/@emotion/babel-plugin/src/utils/add-import.js
generated
vendored
Normal file
@@ -0,0 +1,30 @@
|
||||
import { addDefault, addNamed } from '@babel/helper-module-imports'
|
||||
|
||||
export function addImport(
|
||||
state,
|
||||
importSource /*: string */,
|
||||
importedSpecifier /*: string */,
|
||||
nameHint /* ?: string */
|
||||
) {
|
||||
let cacheKey = ['import', importSource, importedSpecifier].join(':')
|
||||
if (state[cacheKey] === undefined) {
|
||||
let importIdentifier
|
||||
if (importedSpecifier === 'default') {
|
||||
importIdentifier = addDefault(state.file.path, importSource, { nameHint })
|
||||
} else {
|
||||
importIdentifier = addNamed(
|
||||
state.file.path,
|
||||
importedSpecifier,
|
||||
importSource,
|
||||
{
|
||||
nameHint
|
||||
}
|
||||
)
|
||||
}
|
||||
state[cacheKey] = importIdentifier.name
|
||||
}
|
||||
return {
|
||||
type: 'Identifier',
|
||||
name: state[cacheKey]
|
||||
}
|
||||
}
|
||||
14
node_modules/@emotion/babel-plugin/src/utils/create-node-env-conditional.js
generated
vendored
Normal file
14
node_modules/@emotion/babel-plugin/src/utils/create-node-env-conditional.js
generated
vendored
Normal file
@@ -0,0 +1,14 @@
|
||||
export default function createNodeEnvConditional(t, production, development) {
|
||||
return t.conditionalExpression(
|
||||
t.binaryExpression(
|
||||
'===',
|
||||
t.memberExpression(
|
||||
t.memberExpression(t.identifier('process'), t.identifier('env')),
|
||||
t.identifier('NODE_ENV')
|
||||
),
|
||||
t.stringLiteral('production')
|
||||
),
|
||||
production,
|
||||
development
|
||||
)
|
||||
}
|
||||
102
node_modules/@emotion/babel-plugin/src/utils/get-styled-options.js
generated
vendored
Normal file
102
node_modules/@emotion/babel-plugin/src/utils/get-styled-options.js
generated
vendored
Normal file
@@ -0,0 +1,102 @@
|
||||
import { getLabelFromPath } from './label'
|
||||
import { getTargetClassName } from './get-target-class-name'
|
||||
import createNodeEnvConditional from './create-node-env-conditional'
|
||||
|
||||
const getKnownProperties = (t, node) =>
|
||||
new Set(
|
||||
node.properties
|
||||
.filter(n => t.isObjectProperty(n) && !n.computed)
|
||||
.map(n => (t.isIdentifier(n.key) ? n.key.name : n.key.value))
|
||||
)
|
||||
|
||||
const createObjectSpreadLike = (t, file, ...objs) =>
|
||||
t.callExpression(file.addHelper('extends'), [t.objectExpression([]), ...objs])
|
||||
|
||||
export let getStyledOptions = (t, path, state) => {
|
||||
const autoLabel = state.opts.autoLabel || 'dev-only'
|
||||
|
||||
let args = path.node.arguments
|
||||
let optionsArgument = args.length >= 2 ? args[1] : null
|
||||
|
||||
let prodProperties = []
|
||||
let devProperties = null
|
||||
let knownProperties =
|
||||
optionsArgument && t.isObjectExpression(optionsArgument)
|
||||
? getKnownProperties(t, optionsArgument)
|
||||
: new Set()
|
||||
|
||||
if (!knownProperties.has('target')) {
|
||||
prodProperties.push(
|
||||
t.objectProperty(
|
||||
t.identifier('target'),
|
||||
t.stringLiteral(getTargetClassName(state, t))
|
||||
)
|
||||
)
|
||||
}
|
||||
|
||||
let label =
|
||||
autoLabel !== 'never' && !knownProperties.has('label')
|
||||
? getLabelFromPath(path, state, t)
|
||||
: null
|
||||
|
||||
if (label) {
|
||||
const labelNode = t.objectProperty(
|
||||
t.identifier('label'),
|
||||
t.stringLiteral(label)
|
||||
)
|
||||
switch (autoLabel) {
|
||||
case 'always':
|
||||
prodProperties.push(labelNode)
|
||||
break
|
||||
case 'dev-only':
|
||||
devProperties = [labelNode]
|
||||
break
|
||||
}
|
||||
}
|
||||
|
||||
if (optionsArgument) {
|
||||
// for some reason `.withComponent` transformer gets requeued
|
||||
// so check if this has been already transpiled to avoid double wrapping
|
||||
if (
|
||||
t.isConditionalExpression(optionsArgument) &&
|
||||
t.isBinaryExpression(optionsArgument.test) &&
|
||||
t.buildMatchMemberExpression('process.env.NODE_ENV')(
|
||||
optionsArgument.test.left
|
||||
)
|
||||
) {
|
||||
return optionsArgument
|
||||
}
|
||||
if (!t.isObjectExpression(optionsArgument)) {
|
||||
const prodNode = createObjectSpreadLike(
|
||||
t,
|
||||
state.file,
|
||||
t.objectExpression(prodProperties),
|
||||
optionsArgument
|
||||
)
|
||||
return devProperties
|
||||
? createNodeEnvConditional(
|
||||
t,
|
||||
prodNode,
|
||||
t.cloneNode(
|
||||
createObjectSpreadLike(
|
||||
t,
|
||||
state.file,
|
||||
t.objectExpression(prodProperties.concat(devProperties)),
|
||||
optionsArgument
|
||||
)
|
||||
)
|
||||
)
|
||||
: prodNode
|
||||
}
|
||||
|
||||
prodProperties.unshift(...optionsArgument.properties)
|
||||
}
|
||||
|
||||
return devProperties
|
||||
? createNodeEnvConditional(
|
||||
t,
|
||||
t.objectExpression(prodProperties),
|
||||
t.cloneNode(t.objectExpression(prodProperties.concat(devProperties)))
|
||||
)
|
||||
: t.objectExpression(prodProperties)
|
||||
}
|
||||
51
node_modules/@emotion/babel-plugin/src/utils/get-target-class-name.js
generated
vendored
Normal file
51
node_modules/@emotion/babel-plugin/src/utils/get-target-class-name.js
generated
vendored
Normal file
@@ -0,0 +1,51 @@
|
||||
import findRoot from 'find-root'
|
||||
import memoize from '@emotion/memoize'
|
||||
import nodePath from 'path'
|
||||
import hashString from '@emotion/hash'
|
||||
import escapeRegexp from 'escape-string-regexp'
|
||||
|
||||
let hashArray = (arr /*: Array<string> */) => hashString(arr.join(''))
|
||||
|
||||
const unsafeRequire = require
|
||||
|
||||
const getPackageRootPath = memoize(filename => findRoot(filename))
|
||||
|
||||
const separator = new RegExp(escapeRegexp(nodePath.sep), 'g')
|
||||
|
||||
const normalizePath = path => nodePath.normalize(path).replace(separator, '/')
|
||||
|
||||
export function getTargetClassName(state, t) {
|
||||
if (state.emotionTargetClassNameCount === undefined) {
|
||||
state.emotionTargetClassNameCount = 0
|
||||
}
|
||||
|
||||
const hasFilepath =
|
||||
state.file.opts.filename && state.file.opts.filename !== 'unknown'
|
||||
const filename = hasFilepath ? state.file.opts.filename : ''
|
||||
// normalize the file path to ignore folder structure
|
||||
// outside the current node project and arch-specific delimiters
|
||||
let moduleName = ''
|
||||
let rootPath = filename
|
||||
|
||||
try {
|
||||
rootPath = getPackageRootPath(filename)
|
||||
moduleName = unsafeRequire(rootPath + '/package.json').name
|
||||
} catch (err) {}
|
||||
|
||||
const finalPath =
|
||||
filename === rootPath ? 'root' : filename.slice(rootPath.length)
|
||||
|
||||
const positionInFile = state.emotionTargetClassNameCount++
|
||||
|
||||
const stuffToHash = [moduleName]
|
||||
|
||||
if (finalPath) {
|
||||
stuffToHash.push(normalizePath(finalPath))
|
||||
} else {
|
||||
stuffToHash.push(state.file.code)
|
||||
}
|
||||
|
||||
const stableClassName = `e${hashArray(stuffToHash)}${positionInFile}`
|
||||
|
||||
return stableClassName
|
||||
}
|
||||
12
node_modules/@emotion/babel-plugin/src/utils/index.js
generated
vendored
Normal file
12
node_modules/@emotion/babel-plugin/src/utils/index.js
generated
vendored
Normal file
@@ -0,0 +1,12 @@
|
||||
export { getLabelFromPath } from './label'
|
||||
export { getSourceMap } from './source-maps'
|
||||
export { getTargetClassName } from './get-target-class-name'
|
||||
export { simplifyObject } from './object-to-string'
|
||||
export { transformExpressionWithStyles } from './transform-expression-with-styles'
|
||||
export { getStyledOptions } from './get-styled-options'
|
||||
export {
|
||||
appendStringReturningExpressionToArguments,
|
||||
joinStringLiterals
|
||||
} from './strings'
|
||||
export { addImport } from './add-import'
|
||||
export { createTransformerMacro } from './transformer-macro'
|
||||
192
node_modules/@emotion/babel-plugin/src/utils/label.js
generated
vendored
Normal file
192
node_modules/@emotion/babel-plugin/src/utils/label.js
generated
vendored
Normal file
@@ -0,0 +1,192 @@
|
||||
import nodePath from 'path'
|
||||
|
||||
/*
|
||||
type LabelFormatOptions = {
|
||||
name: string,
|
||||
path: string
|
||||
}
|
||||
*/
|
||||
|
||||
const invalidClassNameCharacters = /[!"#$%&'()*+,./:;<=>?@[\]^`|}~{]/g
|
||||
|
||||
const sanitizeLabelPart = (labelPart /*: string */) =>
|
||||
labelPart.trim().replace(invalidClassNameCharacters, '-')
|
||||
|
||||
function getLabel(
|
||||
identifierName /* ?: string */,
|
||||
labelFormat /* ?: string | (LabelFormatOptions => string) */,
|
||||
filename /*: string */
|
||||
) {
|
||||
if (!identifierName) return null
|
||||
|
||||
const sanitizedName = sanitizeLabelPart(identifierName)
|
||||
|
||||
if (!labelFormat) {
|
||||
return sanitizedName
|
||||
}
|
||||
|
||||
if (typeof labelFormat === 'function') {
|
||||
return labelFormat({
|
||||
name: sanitizedName,
|
||||
path: filename
|
||||
})
|
||||
}
|
||||
|
||||
const parsedPath = nodePath.parse(filename)
|
||||
let localDirname = nodePath.basename(parsedPath.dir)
|
||||
let localFilename = parsedPath.name
|
||||
|
||||
if (localFilename === 'index') {
|
||||
localFilename = localDirname
|
||||
}
|
||||
|
||||
return labelFormat
|
||||
.replace(/\[local\]/gi, sanitizedName)
|
||||
.replace(/\[filename\]/gi, sanitizeLabelPart(localFilename))
|
||||
.replace(/\[dirname\]/gi, sanitizeLabelPart(localDirname))
|
||||
}
|
||||
|
||||
export function getLabelFromPath(path, state, t) {
|
||||
return getLabel(
|
||||
getIdentifierName(path, t),
|
||||
state.opts.labelFormat,
|
||||
state.file.opts.filename
|
||||
)
|
||||
}
|
||||
|
||||
const getObjPropertyLikeName = (path, t) => {
|
||||
if (
|
||||
(!t.isObjectProperty(path) && !t.isObjectMethod(path)) ||
|
||||
path.node.computed
|
||||
) {
|
||||
return null
|
||||
}
|
||||
if (t.isIdentifier(path.node.key)) {
|
||||
return path.node.key.name
|
||||
}
|
||||
|
||||
if (t.isStringLiteral(path.node.key)) {
|
||||
return path.node.key.value.replace(/\s+/g, '-')
|
||||
}
|
||||
|
||||
return null
|
||||
}
|
||||
|
||||
function getDeclaratorName(path, t) {
|
||||
const parent = path.findParent(
|
||||
p =>
|
||||
p.isVariableDeclarator() ||
|
||||
p.isAssignmentExpression() ||
|
||||
p.isFunctionDeclaration() ||
|
||||
p.isFunctionExpression() ||
|
||||
p.isArrowFunctionExpression() ||
|
||||
p.isObjectProperty() ||
|
||||
p.isObjectMethod()
|
||||
)
|
||||
if (!parent) {
|
||||
return ''
|
||||
}
|
||||
|
||||
// we probably have a css call assigned to a variable
|
||||
// so we'll just return the variable name
|
||||
if (parent.isVariableDeclarator()) {
|
||||
if (t.isIdentifier(parent.node.id)) {
|
||||
return parent.node.id.name
|
||||
}
|
||||
return ''
|
||||
}
|
||||
|
||||
if (parent.isAssignmentExpression()) {
|
||||
let { left } = parent.node
|
||||
if (t.isIdentifier(left)) {
|
||||
return left.name
|
||||
}
|
||||
if (t.isMemberExpression(left)) {
|
||||
let memberExpression = left
|
||||
let name = ''
|
||||
while (true) {
|
||||
if (!t.isIdentifier(memberExpression.property)) {
|
||||
return ''
|
||||
}
|
||||
|
||||
name = `${memberExpression.property.name}${name ? `-${name}` : ''}`
|
||||
|
||||
if (t.isIdentifier(memberExpression.object)) {
|
||||
return `${memberExpression.object.name}-${name}`
|
||||
}
|
||||
|
||||
if (!t.isMemberExpression(memberExpression.object)) {
|
||||
return ''
|
||||
}
|
||||
memberExpression = memberExpression.object
|
||||
}
|
||||
}
|
||||
return ''
|
||||
}
|
||||
|
||||
// we probably have an inline css prop usage
|
||||
if (parent.isFunctionDeclaration()) {
|
||||
return parent.node.id.name || ''
|
||||
}
|
||||
|
||||
if (parent.isFunctionExpression()) {
|
||||
if (parent.node.id) {
|
||||
return parent.node.id.name || ''
|
||||
}
|
||||
return getDeclaratorName(parent, t)
|
||||
}
|
||||
|
||||
if (parent.isArrowFunctionExpression()) {
|
||||
return getDeclaratorName(parent, t)
|
||||
}
|
||||
|
||||
// we could also have an object property
|
||||
const objPropertyLikeName = getObjPropertyLikeName(parent, t)
|
||||
|
||||
if (objPropertyLikeName) {
|
||||
return objPropertyLikeName
|
||||
}
|
||||
|
||||
let variableDeclarator = parent.findParent(p => p.isVariableDeclarator())
|
||||
if (!variableDeclarator || !variableDeclarator.get('id').isIdentifier()) {
|
||||
return ''
|
||||
}
|
||||
return variableDeclarator.node.id.name
|
||||
}
|
||||
|
||||
function getIdentifierName(path, t) {
|
||||
let objPropertyLikeName = getObjPropertyLikeName(path.parentPath, t)
|
||||
|
||||
if (objPropertyLikeName) {
|
||||
return objPropertyLikeName
|
||||
}
|
||||
|
||||
let classOrClassPropertyParent = path.findParent(
|
||||
p => t.isClassProperty(p) || t.isClass(p)
|
||||
)
|
||||
|
||||
if (classOrClassPropertyParent) {
|
||||
if (
|
||||
t.isClassProperty(classOrClassPropertyParent) &&
|
||||
classOrClassPropertyParent.node.computed === false &&
|
||||
t.isIdentifier(classOrClassPropertyParent.node.key)
|
||||
) {
|
||||
return classOrClassPropertyParent.node.key.name
|
||||
}
|
||||
if (
|
||||
t.isClass(classOrClassPropertyParent) &&
|
||||
classOrClassPropertyParent.node.id
|
||||
) {
|
||||
return t.isIdentifier(classOrClassPropertyParent.node.id)
|
||||
? classOrClassPropertyParent.node.id.name
|
||||
: ''
|
||||
}
|
||||
}
|
||||
|
||||
let declaratorName = getDeclaratorName(path, t)
|
||||
// if the name starts with _ it was probably generated by babel so we should ignore it
|
||||
if (declaratorName.charAt(0) === '_') {
|
||||
return ''
|
||||
}
|
||||
return declaratorName
|
||||
}
|
||||
153
node_modules/@emotion/babel-plugin/src/utils/minify.js
generated
vendored
Normal file
153
node_modules/@emotion/babel-plugin/src/utils/minify.js
generated
vendored
Normal file
@@ -0,0 +1,153 @@
|
||||
import { compile } from 'stylis'
|
||||
|
||||
const haveSameLocation = (element1, element2) => {
|
||||
return element1.line === element2.line && element1.column === element2.column
|
||||
}
|
||||
|
||||
const isAutoInsertedRule = element =>
|
||||
element.type === 'rule' &&
|
||||
element.parent &&
|
||||
haveSameLocation(element, element.parent)
|
||||
|
||||
const toInputTree = (elements, tree) => {
|
||||
for (let i = 0; i < elements.length; i++) {
|
||||
const element = elements[i]
|
||||
const { parent, children } = element
|
||||
|
||||
if (!parent) {
|
||||
tree.push(element)
|
||||
} else if (!isAutoInsertedRule(element)) {
|
||||
parent.children.push(element)
|
||||
}
|
||||
|
||||
if (Array.isArray(children)) {
|
||||
element.children = []
|
||||
toInputTree(children, tree)
|
||||
}
|
||||
}
|
||||
|
||||
return tree
|
||||
}
|
||||
|
||||
var stringifyTree = elements => {
|
||||
return elements
|
||||
.map(element => {
|
||||
switch (element.type) {
|
||||
case 'import':
|
||||
case 'decl':
|
||||
return element.value
|
||||
case 'comm':
|
||||
// When we encounter a standard multi-line CSS comment and it contains a '@'
|
||||
// character, we keep the comment. Some Stylis plugins, such as
|
||||
// the stylis-rtl via the cssjanus plugin, use this special comment syntax
|
||||
// to control behavior (such as: /* @noflip */). We can do this
|
||||
// with standard CSS comments because they will work with compression,
|
||||
// as opposed to non-standard single-line comments that will break compressed CSS.
|
||||
return element.props === '/' && element.value.includes('@')
|
||||
? element.value
|
||||
: ''
|
||||
case 'rule':
|
||||
return `${element.value.replace(/&\f/g, '&')}{${stringifyTree(
|
||||
element.children
|
||||
)}}`
|
||||
default: {
|
||||
return `${element.value}{${stringifyTree(element.children)}}`
|
||||
}
|
||||
}
|
||||
})
|
||||
.join('')
|
||||
}
|
||||
|
||||
const interleave = (strings /*: Array<*> */, interpolations /*: Array<*> */) =>
|
||||
interpolations.reduce(
|
||||
(array, interp, i) => array.concat([interp], strings[i + 1]),
|
||||
[strings[0]]
|
||||
)
|
||||
|
||||
function getDynamicMatches(str /*: string */) {
|
||||
const re = /xxx(\d+):xxx/gm
|
||||
let match
|
||||
const matches = []
|
||||
while ((match = re.exec(str)) !== null) {
|
||||
if (match !== null) {
|
||||
matches.push({
|
||||
value: match[0],
|
||||
p1: parseInt(match[1], 10),
|
||||
index: match.index
|
||||
})
|
||||
}
|
||||
}
|
||||
|
||||
return matches
|
||||
}
|
||||
|
||||
function replacePlaceholdersWithExpressions(
|
||||
str /*: string */,
|
||||
expressions /*: Array<*> */,
|
||||
t
|
||||
) {
|
||||
const matches = getDynamicMatches(str)
|
||||
if (matches.length === 0) {
|
||||
if (str === '') {
|
||||
return []
|
||||
}
|
||||
return [t.stringLiteral(str)]
|
||||
}
|
||||
const strings = []
|
||||
const finalExpressions = []
|
||||
let cursor = 0
|
||||
|
||||
matches.forEach(({ value, p1, index }, i) => {
|
||||
const preMatch = str.substring(cursor, index)
|
||||
cursor = cursor + preMatch.length + value.length
|
||||
|
||||
if (!preMatch && i === 0) {
|
||||
strings.push(t.stringLiteral(''))
|
||||
} else {
|
||||
strings.push(t.stringLiteral(preMatch))
|
||||
}
|
||||
|
||||
finalExpressions.push(expressions[p1])
|
||||
if (i === matches.length - 1) {
|
||||
strings.push(t.stringLiteral(str.substring(index + value.length)))
|
||||
}
|
||||
})
|
||||
|
||||
return interleave(strings, finalExpressions).filter(
|
||||
(node /*: { value: string } */) => {
|
||||
return node.value !== ''
|
||||
}
|
||||
)
|
||||
}
|
||||
|
||||
function createRawStringFromTemplateLiteral(
|
||||
quasi /*: {
|
||||
quasis: Array<{ value: { cooked: string } }>
|
||||
} */
|
||||
) {
|
||||
let strs = quasi.quasis.map(x => x.value.cooked)
|
||||
|
||||
const src = strs
|
||||
.reduce((arr, str, i) => {
|
||||
arr.push(str)
|
||||
if (i !== strs.length - 1) {
|
||||
arr.push(`xxx${i}:xxx`)
|
||||
}
|
||||
return arr
|
||||
}, [])
|
||||
.join('')
|
||||
.trim()
|
||||
return src
|
||||
}
|
||||
|
||||
export default function minify(path, t) {
|
||||
const quasi = path.node.quasi
|
||||
const raw = createRawStringFromTemplateLiteral(quasi)
|
||||
const minified = stringifyTree(toInputTree(compile(raw), []))
|
||||
const expressions = replacePlaceholdersWithExpressions(
|
||||
minified,
|
||||
quasi.expressions || [],
|
||||
t
|
||||
)
|
||||
path.replaceWith(t.callExpression(path.node.tag, expressions))
|
||||
}
|
||||
39
node_modules/@emotion/babel-plugin/src/utils/object-to-string.js
generated
vendored
Normal file
39
node_modules/@emotion/babel-plugin/src/utils/object-to-string.js
generated
vendored
Normal file
@@ -0,0 +1,39 @@
|
||||
import { serializeStyles } from '@emotion/serialize'
|
||||
|
||||
// to anyone looking at this, this isn't intended to simplify every single case
|
||||
// it's meant to simplify the most common cases so i don't want to make it especially complex
|
||||
// also, this will be unnecessary when prepack is ready
|
||||
export function simplifyObject(node, t /*: Object */) {
|
||||
let finalString = ''
|
||||
for (let i = 0; i < node.properties.length; i++) {
|
||||
let property = node.properties[i]
|
||||
|
||||
if (
|
||||
!t.isObjectProperty(property) ||
|
||||
property.computed ||
|
||||
(!t.isIdentifier(property.key) && !t.isStringLiteral(property.key)) ||
|
||||
(!t.isStringLiteral(property.value) &&
|
||||
!t.isNumericLiteral(property.value) &&
|
||||
!t.isObjectExpression(property.value))
|
||||
) {
|
||||
return node
|
||||
}
|
||||
|
||||
let key = property.key.name || property.key.value
|
||||
if (key === 'styles') {
|
||||
return node
|
||||
}
|
||||
if (t.isObjectExpression(property.value)) {
|
||||
let simplifiedChild = simplifyObject(property.value, t)
|
||||
if (!t.isStringLiteral(simplifiedChild)) {
|
||||
return node
|
||||
}
|
||||
finalString += `${key}{${simplifiedChild.value}}`
|
||||
continue
|
||||
}
|
||||
let value = property.value.value
|
||||
|
||||
finalString += serializeStyles([{ [key]: value }]).styles
|
||||
}
|
||||
return t.stringLiteral(finalString)
|
||||
}
|
||||
44
node_modules/@emotion/babel-plugin/src/utils/source-maps.js
generated
vendored
Normal file
44
node_modules/@emotion/babel-plugin/src/utils/source-maps.js
generated
vendored
Normal file
@@ -0,0 +1,44 @@
|
||||
import { SourceMapGenerator } from 'source-map'
|
||||
import convert from 'convert-source-map'
|
||||
|
||||
function getGeneratorOpts(file) {
|
||||
return file.opts.generatorOpts ? file.opts.generatorOpts : file.opts
|
||||
}
|
||||
|
||||
export function makeSourceMapGenerator(file) {
|
||||
const generatorOpts = getGeneratorOpts(file)
|
||||
const filename = generatorOpts.sourceFileName
|
||||
const generator = new SourceMapGenerator({
|
||||
file: filename,
|
||||
sourceRoot: generatorOpts.sourceRoot
|
||||
})
|
||||
|
||||
generator.setSourceContent(filename, file.code)
|
||||
return generator
|
||||
}
|
||||
|
||||
export function getSourceMap(
|
||||
offset /*: {
|
||||
line: number,
|
||||
column: number
|
||||
} */,
|
||||
state
|
||||
) /*: string */ {
|
||||
const generator = makeSourceMapGenerator(state.file)
|
||||
const generatorOpts = getGeneratorOpts(state.file)
|
||||
if (
|
||||
generatorOpts.sourceFileName &&
|
||||
generatorOpts.sourceFileName !== 'unknown'
|
||||
) {
|
||||
generator.addMapping({
|
||||
generated: {
|
||||
line: 1,
|
||||
column: 0
|
||||
},
|
||||
source: generatorOpts.sourceFileName,
|
||||
original: offset
|
||||
})
|
||||
return convert.fromObject(generator).toComment({ multiline: true })
|
||||
}
|
||||
return ''
|
||||
}
|
||||
60
node_modules/@emotion/babel-plugin/src/utils/strings.js
generated
vendored
Normal file
60
node_modules/@emotion/babel-plugin/src/utils/strings.js
generated
vendored
Normal file
@@ -0,0 +1,60 @@
|
||||
import {
|
||||
getTypeScriptMakeTemplateObjectPath,
|
||||
isTaggedTemplateTranspiledByBabel
|
||||
} from './transpiled-output-utils'
|
||||
|
||||
export const appendStringReturningExpressionToArguments = (
|
||||
t,
|
||||
path,
|
||||
expression
|
||||
) => {
|
||||
let lastIndex = path.node.arguments.length - 1
|
||||
let last = path.node.arguments[lastIndex]
|
||||
if (t.isStringLiteral(last)) {
|
||||
if (typeof expression === 'string') {
|
||||
path.node.arguments[lastIndex].value += expression
|
||||
} else {
|
||||
path.node.arguments[lastIndex] = t.binaryExpression('+', last, expression)
|
||||
}
|
||||
} else {
|
||||
const makeTemplateObjectCallPath = getTypeScriptMakeTemplateObjectPath(path)
|
||||
|
||||
if (makeTemplateObjectCallPath) {
|
||||
makeTemplateObjectCallPath.get('arguments').forEach(argPath => {
|
||||
const elements = argPath.get('elements')
|
||||
const lastElement = elements[elements.length - 1]
|
||||
if (typeof expression === 'string') {
|
||||
lastElement.replaceWith(
|
||||
t.stringLiteral(lastElement.node.value + expression)
|
||||
)
|
||||
} else {
|
||||
lastElement.replaceWith(
|
||||
t.binaryExpression('+', lastElement.node, t.cloneNode(expression))
|
||||
)
|
||||
}
|
||||
})
|
||||
} else if (!isTaggedTemplateTranspiledByBabel(path)) {
|
||||
if (typeof expression === 'string') {
|
||||
path.node.arguments.push(t.stringLiteral(expression))
|
||||
} else {
|
||||
path.node.arguments.push(expression)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export const joinStringLiterals = (expressions /*: Array<*> */, t) => {
|
||||
return expressions.reduce((finalExpressions, currentExpression, i) => {
|
||||
if (!t.isStringLiteral(currentExpression)) {
|
||||
finalExpressions.push(currentExpression)
|
||||
} else if (
|
||||
t.isStringLiteral(finalExpressions[finalExpressions.length - 1])
|
||||
) {
|
||||
finalExpressions[finalExpressions.length - 1].value +=
|
||||
currentExpression.value
|
||||
} else {
|
||||
finalExpressions.push(currentExpression)
|
||||
}
|
||||
return finalExpressions
|
||||
}, [])
|
||||
}
|
||||
143
node_modules/@emotion/babel-plugin/src/utils/transform-expression-with-styles.js
generated
vendored
Normal file
143
node_modules/@emotion/babel-plugin/src/utils/transform-expression-with-styles.js
generated
vendored
Normal file
@@ -0,0 +1,143 @@
|
||||
import { serializeStyles } from '@emotion/serialize'
|
||||
import minify from './minify'
|
||||
import { getLabelFromPath } from './label'
|
||||
import { getSourceMap } from './source-maps'
|
||||
import { simplifyObject } from './object-to-string'
|
||||
import {
|
||||
appendStringReturningExpressionToArguments,
|
||||
joinStringLiterals
|
||||
} from './strings'
|
||||
import createNodeEnvConditional from './create-node-env-conditional'
|
||||
|
||||
const CSS_OBJECT_STRINGIFIED_ERROR =
|
||||
"You have tried to stringify object returned from `css` function. It isn't supposed to be used directly (e.g. as value of the `className` prop), but rather handed to emotion so it can handle it (e.g. as value of `css` prop)."
|
||||
|
||||
export let transformExpressionWithStyles = (
|
||||
{ babel, state, path, shouldLabel, sourceMap = '' } /*: {
|
||||
babel,
|
||||
state,
|
||||
path,
|
||||
shouldLabel: boolean,
|
||||
sourceMap?: string
|
||||
} */
|
||||
) => {
|
||||
const autoLabel = state.opts.autoLabel || 'dev-only'
|
||||
let t = babel.types
|
||||
if (t.isTaggedTemplateExpression(path)) {
|
||||
if (
|
||||
!sourceMap &&
|
||||
state.emotionSourceMap &&
|
||||
path.node.quasi.loc !== undefined
|
||||
) {
|
||||
sourceMap = getSourceMap(path.node.quasi.loc.start, state)
|
||||
}
|
||||
minify(path, t)
|
||||
}
|
||||
|
||||
if (t.isCallExpression(path)) {
|
||||
const canAppendStrings = path.node.arguments.every(
|
||||
arg => arg.type !== 'SpreadElement'
|
||||
)
|
||||
|
||||
path.get('arguments').forEach(node => {
|
||||
if (t.isObjectExpression(node)) {
|
||||
node.replaceWith(simplifyObject(node.node, t))
|
||||
}
|
||||
})
|
||||
|
||||
path.node.arguments = joinStringLiterals(path.node.arguments, t)
|
||||
|
||||
if (
|
||||
!sourceMap &&
|
||||
canAppendStrings &&
|
||||
state.emotionSourceMap &&
|
||||
path.node.loc !== undefined
|
||||
) {
|
||||
sourceMap = getSourceMap(path.node.loc.start, state)
|
||||
}
|
||||
|
||||
const label =
|
||||
shouldLabel && autoLabel !== 'never'
|
||||
? getLabelFromPath(path, state, t)
|
||||
: null
|
||||
|
||||
if (
|
||||
path.node.arguments.length === 1 &&
|
||||
t.isStringLiteral(path.node.arguments[0])
|
||||
) {
|
||||
let cssString = path.node.arguments[0].value.replace(/;$/, '')
|
||||
let res = serializeStyles([
|
||||
`${cssString}${
|
||||
label && autoLabel === 'always' ? `;label:${label};` : ''
|
||||
}`
|
||||
])
|
||||
let prodNode = t.objectExpression([
|
||||
t.objectProperty(t.identifier('name'), t.stringLiteral(res.name)),
|
||||
t.objectProperty(t.identifier('styles'), t.stringLiteral(res.styles))
|
||||
])
|
||||
|
||||
if (!state.emotionStringifiedCssId) {
|
||||
const uid = state.file.scope.generateUidIdentifier(
|
||||
'__EMOTION_STRINGIFIED_CSS_ERROR__'
|
||||
)
|
||||
state.emotionStringifiedCssId = uid
|
||||
const cssObjectToString = t.functionDeclaration(
|
||||
uid,
|
||||
[],
|
||||
t.blockStatement([
|
||||
t.returnStatement(t.stringLiteral(CSS_OBJECT_STRINGIFIED_ERROR))
|
||||
])
|
||||
)
|
||||
cssObjectToString._compact = true
|
||||
state.file.path.unshiftContainer('body', [cssObjectToString])
|
||||
}
|
||||
|
||||
if (label && autoLabel === 'dev-only') {
|
||||
res = serializeStyles([`${cssString};label:${label};`])
|
||||
}
|
||||
|
||||
let devNode = t.objectExpression(
|
||||
[
|
||||
t.objectProperty(t.identifier('name'), t.stringLiteral(res.name)),
|
||||
t.objectProperty(t.identifier('styles'), t.stringLiteral(res.styles)),
|
||||
sourceMap &&
|
||||
t.objectProperty(t.identifier('map'), t.stringLiteral(sourceMap)),
|
||||
t.objectProperty(
|
||||
t.identifier('toString'),
|
||||
t.cloneNode(state.emotionStringifiedCssId)
|
||||
)
|
||||
].filter(Boolean)
|
||||
)
|
||||
|
||||
return createNodeEnvConditional(t, prodNode, devNode)
|
||||
}
|
||||
|
||||
if (canAppendStrings && label) {
|
||||
const labelString = `;label:${label};`
|
||||
|
||||
switch (autoLabel) {
|
||||
case 'dev-only': {
|
||||
const labelConditional = createNodeEnvConditional(
|
||||
t,
|
||||
t.stringLiteral(''),
|
||||
t.stringLiteral(labelString)
|
||||
)
|
||||
appendStringReturningExpressionToArguments(t, path, labelConditional)
|
||||
break
|
||||
}
|
||||
case 'always':
|
||||
appendStringReturningExpressionToArguments(t, path, labelString)
|
||||
break
|
||||
}
|
||||
}
|
||||
|
||||
if (sourceMap) {
|
||||
let sourceMapConditional = createNodeEnvConditional(
|
||||
t,
|
||||
t.stringLiteral(''),
|
||||
t.stringLiteral(sourceMap)
|
||||
)
|
||||
appendStringReturningExpressionToArguments(t, path, sourceMapConditional)
|
||||
}
|
||||
}
|
||||
}
|
||||
59
node_modules/@emotion/babel-plugin/src/utils/transformer-macro.js
generated
vendored
Normal file
59
node_modules/@emotion/babel-plugin/src/utils/transformer-macro.js
generated
vendored
Normal file
@@ -0,0 +1,59 @@
|
||||
import { createMacro } from 'babel-plugin-macros'
|
||||
|
||||
/*
|
||||
type Transformer = Function
|
||||
*/
|
||||
|
||||
export function createTransformerMacro(
|
||||
transformers /*: { [key: string]: Transformer | [Transformer, Object] } */,
|
||||
{ importSource } /*: { importSource: string } */
|
||||
) {
|
||||
let macro = createMacro(
|
||||
({ path, source, references, state, babel, isEmotionCall }) => {
|
||||
if (!path) {
|
||||
path = state.file.scope.path
|
||||
.get('body')
|
||||
.find(p => p.isImportDeclaration() && p.node.source.value === source)
|
||||
}
|
||||
|
||||
if (/\/macro$/.test(source)) {
|
||||
path
|
||||
.get('source')
|
||||
.replaceWith(
|
||||
babel.types.stringLiteral(source.replace(/\/macro$/, ''))
|
||||
)
|
||||
}
|
||||
|
||||
if (!isEmotionCall) {
|
||||
state.emotionSourceMap = true
|
||||
}
|
||||
Object.keys(references).forEach(importSpecifierName => {
|
||||
if (transformers[importSpecifierName]) {
|
||||
references[importSpecifierName].reverse().forEach(reference => {
|
||||
let options
|
||||
let transformer
|
||||
if (Array.isArray(transformers[importSpecifierName])) {
|
||||
transformer = transformers[importSpecifierName][0]
|
||||
options = transformers[importSpecifierName][1]
|
||||
} else {
|
||||
transformer = transformers[importSpecifierName]
|
||||
options = {}
|
||||
}
|
||||
transformer({
|
||||
state,
|
||||
babel,
|
||||
path,
|
||||
importSource,
|
||||
importSpecifierName,
|
||||
options,
|
||||
reference
|
||||
})
|
||||
})
|
||||
}
|
||||
})
|
||||
return { keepImports: true }
|
||||
}
|
||||
)
|
||||
macro.transformers = transformers
|
||||
return macro
|
||||
}
|
||||
78
node_modules/@emotion/babel-plugin/src/utils/transpiled-output-utils.js
generated
vendored
Normal file
78
node_modules/@emotion/babel-plugin/src/utils/transpiled-output-utils.js
generated
vendored
Normal file
@@ -0,0 +1,78 @@
|
||||
// this only works correctly in modules, but we don't run on scripts anyway, so it's fine
|
||||
// the difference is that in modules template objects are being cached per call site
|
||||
export function getTypeScriptMakeTemplateObjectPath(path) {
|
||||
if (path.node.arguments.length === 0) {
|
||||
return null
|
||||
}
|
||||
|
||||
const firstArgPath = path.get('arguments')[0]
|
||||
|
||||
if (
|
||||
firstArgPath.isLogicalExpression() &&
|
||||
firstArgPath.get('left').isIdentifier() &&
|
||||
firstArgPath.get('right').isAssignmentExpression() &&
|
||||
firstArgPath.get('right.right').isCallExpression() &&
|
||||
firstArgPath.get('right.right.callee').isIdentifier() &&
|
||||
firstArgPath.node.right.right.callee.name.includes('makeTemplateObject') &&
|
||||
firstArgPath.node.right.right.arguments.length === 2
|
||||
) {
|
||||
return firstArgPath.get('right.right')
|
||||
}
|
||||
|
||||
return null
|
||||
}
|
||||
|
||||
// this is only used to prevent appending strings/expressions to arguments incorectly
|
||||
// we could push them to found array expressions, as we do it for TS-transpile output ¯\_(ツ)_/¯
|
||||
// it seems overly complicated though - mainly because we'd also have to check against existing stuff of a particular type (source maps & labels)
|
||||
// considering Babel double-transpilation as a valid use case seems rather far-fetched
|
||||
export function isTaggedTemplateTranspiledByBabel(path) {
|
||||
if (path.node.arguments.length === 0) {
|
||||
return false
|
||||
}
|
||||
|
||||
const firstArgPath = path.get('arguments')[0]
|
||||
|
||||
if (
|
||||
!firstArgPath.isCallExpression() ||
|
||||
!firstArgPath.get('callee').isIdentifier()
|
||||
) {
|
||||
return false
|
||||
}
|
||||
|
||||
const calleeName = firstArgPath.node.callee.name
|
||||
|
||||
if (!calleeName.includes('templateObject')) {
|
||||
return false
|
||||
}
|
||||
|
||||
const bindingPath = path.scope.getBinding(calleeName).path
|
||||
|
||||
if (!bindingPath.isFunction()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const functionBody = bindingPath.get('body.body')
|
||||
|
||||
if (!functionBody[0].isVariableDeclaration()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const declarationInit = functionBody[0].get('declarations')[0].get('init')
|
||||
|
||||
if (!declarationInit.isCallExpression()) {
|
||||
return false
|
||||
}
|
||||
|
||||
const declarationInitArguments = declarationInit.get('arguments')
|
||||
|
||||
if (
|
||||
declarationInitArguments.length === 0 ||
|
||||
declarationInitArguments.length > 2 ||
|
||||
declarationInitArguments.some(argPath => !argPath.isArrayExpression())
|
||||
) {
|
||||
return false
|
||||
}
|
||||
|
||||
return true
|
||||
}
|
||||
21
node_modules/@emotion/cache/LICENSE
generated
vendored
Normal file
21
node_modules/@emotion/cache/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Emotion team and other contributors
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
SOFTWARE.
|
||||
62
node_modules/@emotion/cache/README.md
generated
vendored
Normal file
62
node_modules/@emotion/cache/README.md
generated
vendored
Normal file
@@ -0,0 +1,62 @@
|
||||
# @emotion/cache
|
||||
|
||||
### createCache
|
||||
|
||||
`createCache` allows for low level customization of how styles get inserted by emotion. It's intended to be used with the [`<CacheProvider/>`](https://emotion.sh/docs/cache-provider) component to override the default cache, which is created with sensible defaults for most applications.
|
||||
|
||||
```javascript
|
||||
import createCache from '@emotion/cache'
|
||||
|
||||
export const myCache = createCache({
|
||||
key: 'my-prefix-key',
|
||||
stylisPlugins: [
|
||||
/* your plugins here */
|
||||
]
|
||||
})
|
||||
```
|
||||
|
||||
### Primary use cases
|
||||
|
||||
- Using emotion in embedded contexts such as an `<iframe/>`
|
||||
|
||||
- Setting a [nonce](#nonce-string) on any `<style/>` tag emotion creates for security purposes
|
||||
|
||||
- Using emotion with a developer defined `<style/>` tag
|
||||
|
||||
- Using emotion with custom Stylis plugins
|
||||
|
||||
## Options
|
||||
|
||||
### `nonce`
|
||||
|
||||
`string`
|
||||
|
||||
A nonce that will be set on each style tag that emotion inserts for [Content Security Policies](https://developer.mozilla.org/en-US/docs/Web/HTTP/CSP).
|
||||
|
||||
### `stylisPlugins`
|
||||
|
||||
`Array<Function>`
|
||||
|
||||
A Stylis plugins that will be run by Stylis during preprocessing. [Read the Stylis docs to find out more](https://github.com/thysultan/stylis.js#middleware). This can be used for many purposes such as RTL.
|
||||
|
||||
> Note:
|
||||
>
|
||||
> Prefixer is just a plugin which happens to be put in default `stylisPlugins`. If you plan to use custom `stylisPlugins` and you want to have your styles prefixed automatically you must include prefixer in your custom `stylisPlugins`. You can import `prefixer` from the `stylis` module to do that (`import { prefixer } from 'stylis'`);
|
||||
|
||||
### `key`
|
||||
|
||||
`string (Pattern: [^a-z-])`
|
||||
|
||||
The prefix before class names. It will also be set as the value of the `data-emotion` attribute on the style tags that emotion inserts and it's used in the attribute name that marks style elements in `renderStylesToString` and `renderStylesToNodeStream`. This is **required if using multiple emotion caches in the same app**.
|
||||
|
||||
### `container`
|
||||
|
||||
`Node`
|
||||
|
||||
A DOM node that emotion will insert all of its style tags into. This is useful for inserting styles into iframes or windows.
|
||||
|
||||
### `prepend`
|
||||
|
||||
`boolean`
|
||||
|
||||
A boolean representing whether to prepend rather than append style tags into the specified container DOM node.
|
||||
2
node_modules/@emotion/cache/dist/declarations/src/index.d.ts
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/declarations/src/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
export * from "../types/index.js"
|
||||
export { default } from "../types/index.js"
|
||||
45
node_modules/@emotion/cache/dist/declarations/types/index.d.ts
generated
vendored
Normal file
45
node_modules/@emotion/cache/dist/declarations/types/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,45 @@
|
||||
// Definitions by: Junyoung Clare Jang <https://github.com/Ailrun>
|
||||
// TypeScript Version: 2.2
|
||||
|
||||
import { EmotionCache } from '@emotion/utils'
|
||||
|
||||
export { EmotionCache }
|
||||
|
||||
export interface StylisElement {
|
||||
type: string
|
||||
value: string
|
||||
props: Array<string> | string
|
||||
root: StylisElement | null
|
||||
parent: StylisElement | null
|
||||
children: Array<StylisElement> | string
|
||||
line: number
|
||||
column: number
|
||||
length: number
|
||||
return: string
|
||||
}
|
||||
export type StylisPluginCallback = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
|
||||
export type StylisPlugin = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
|
||||
export interface Options {
|
||||
nonce?: string
|
||||
stylisPlugins?: Array<StylisPlugin>
|
||||
key: string
|
||||
container?: Node
|
||||
speedy?: boolean
|
||||
/** @deprecate use `insertionPoint` instead */
|
||||
prepend?: boolean
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
|
||||
export default function createCache(options: Options): EmotionCache
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.browser.cjs.js").default;
|
||||
471
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.js
generated
vendored
Normal file
471
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,471 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
require('@emotion/weak-memoize');
|
||||
require('@emotion/memoize');
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
{
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stylis.stringify, stylis.rulesheet(function (rule) {
|
||||
currentSheet.insert(rule);
|
||||
})];
|
||||
var serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis$1 = function stylis$1(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
stylis$1(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.browser.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.browser.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.browser.cjs.default.js";
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.browser.development.cjs.js").default;
|
||||
616
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.js
generated
vendored
Normal file
616
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,616 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
require('@emotion/weak-memoize');
|
||||
require('@emotion/memoize');
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
if (key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
{
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
{
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stylis.stringify, function (element) {
|
||||
if (!element.root) {
|
||||
if (element["return"]) {
|
||||
currentSheet.insert(element["return"]);
|
||||
} else if (element.value && element.type !== stylis.COMMENT) {
|
||||
// insert empty rule in non-production environments
|
||||
// so @emotion/jest can grab `key` from the (JS)DOM for caches without any rules inserted yet
|
||||
currentSheet.insert(element.value + "{}");
|
||||
}
|
||||
}
|
||||
} ];
|
||||
var serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis$1 = function stylis$1(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
currentSheet = {
|
||||
insert: function insert(rule
|
||||
/*: string */
|
||||
) {
|
||||
sheet.insert(rule + serialized.map);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
stylis$1(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.browser.development.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.browser.development.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.browser.development.cjs.default.js";
|
||||
612
node_modules/@emotion/cache/dist/emotion-cache.browser.development.esm.js
generated
vendored
Normal file
612
node_modules/@emotion/cache/dist/emotion-cache.browser.development.esm.js
generated
vendored
Normal file
@@ -0,0 +1,612 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, middleware, stringify, COMMENT, compile } from 'stylis';
|
||||
import '@emotion/weak-memoize';
|
||||
import '@emotion/memoize';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
if (key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
{
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
{
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stringify, function (element) {
|
||||
if (!element.root) {
|
||||
if (element["return"]) {
|
||||
currentSheet.insert(element["return"]);
|
||||
} else if (element.value && element.type !== COMMENT) {
|
||||
// insert empty rule in non-production environments
|
||||
// so @emotion/jest can grab `key` from the (JS)DOM for caches without any rules inserted yet
|
||||
currentSheet.insert(element.value + "{}");
|
||||
}
|
||||
}
|
||||
} ];
|
||||
var serializer = middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis = function stylis(styles) {
|
||||
return serialize(compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
currentSheet = {
|
||||
insert: function insert(rule
|
||||
/*: string */
|
||||
) {
|
||||
sheet.insert(rule + serialized.map);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
467
node_modules/@emotion/cache/dist/emotion-cache.browser.esm.js
generated
vendored
Normal file
467
node_modules/@emotion/cache/dist/emotion-cache.browser.esm.js
generated
vendored
Normal file
@@ -0,0 +1,467 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, stringify, rulesheet, middleware, compile } from 'stylis';
|
||||
import '@emotion/weak-memoize';
|
||||
import '@emotion/memoize';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
{
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stringify, rulesheet(function (rule) {
|
||||
currentSheet.insert(rule);
|
||||
})];
|
||||
var serializer = middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis = function stylis(styles) {
|
||||
return serialize(compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
3
node_modules/@emotion/cache/dist/emotion-cache.cjs.d.mts
generated
vendored
Normal file
3
node_modules/@emotion/cache/dist/emotion-cache.cjs.d.mts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index.js";
|
||||
export { _default as default } from "./emotion-cache.cjs.default.js";
|
||||
//# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiZW1vdGlvbi1jYWNoZS5janMuZC5tdHMiLCJzb3VyY2VSb290IjoiIiwic291cmNlcyI6WyIuL2RlY2xhcmF0aW9ucy9zcmMvaW5kZXguZC50cyJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiQUFBQSJ9
|
||||
3
node_modules/@emotion/cache/dist/emotion-cache.cjs.d.ts
generated
vendored
Normal file
3
node_modules/@emotion/cache/dist/emotion-cache.cjs.d.ts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index";
|
||||
export { default } from "./declarations/src/index";
|
||||
//# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiZW1vdGlvbi1jYWNoZS5janMuZC50cyIsInNvdXJjZVJvb3QiOiIiLCJzb3VyY2VzIjpbIi4vZGVjbGFyYXRpb25zL3NyYy9pbmRleC5kLnRzIl0sIm5hbWVzIjpbXSwibWFwcGluZ3MiOiJBQUFBIn0=
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.cjs.default.d.ts
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.cjs.default.d.ts
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export { default as _default } from "./declarations/src/index.js"
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.cjs.js").default;
|
||||
565
node_modules/@emotion/cache/dist/emotion-cache.cjs.js
generated
vendored
Normal file
565
node_modules/@emotion/cache/dist/emotion-cache.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,565 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
var weakMemoize = require('@emotion/weak-memoize');
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var weakMemoize__default = /*#__PURE__*/_interopDefault(weakMemoize);
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
var isBrowser = typeof document !== 'undefined';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = isBrowser ? undefined : weakMemoize__default["default"](function () {
|
||||
return memoize__default["default"](function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (isBrowser && key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
if (isBrowser) {
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
if (isBrowser) {
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stylis.stringify, stylis.rulesheet(function (rule) {
|
||||
currentSheet.insert(rule);
|
||||
})];
|
||||
var serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis$1 = function stylis$1(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
stylis$1(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
} else {
|
||||
var _finalizingPlugins = [stylis.stringify];
|
||||
|
||||
var _serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.cjs.default.js";
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.development.cjs.js").default;
|
||||
714
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.js
generated
vendored
Normal file
714
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,714 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
var weakMemoize = require('@emotion/weak-memoize');
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var weakMemoize__default = /*#__PURE__*/_interopDefault(weakMemoize);
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
var isBrowser = typeof document !== 'undefined';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = isBrowser ? undefined : weakMemoize__default["default"](function () {
|
||||
return memoize__default["default"](function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
if (isBrowser && key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
if (isBrowser) {
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
if (isBrowser) {
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stylis.stringify, function (element) {
|
||||
if (!element.root) {
|
||||
if (element["return"]) {
|
||||
currentSheet.insert(element["return"]);
|
||||
} else if (element.value && element.type !== stylis.COMMENT) {
|
||||
// insert empty rule in non-production environments
|
||||
// so @emotion/jest can grab `key` from the (JS)DOM for caches without any rules inserted yet
|
||||
currentSheet.insert(element.value + "{}");
|
||||
}
|
||||
}
|
||||
} ];
|
||||
var serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis$1 = function stylis$1(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
currentSheet = {
|
||||
insert: function insert(rule
|
||||
/*: string */
|
||||
) {
|
||||
sheet.insert(rule + serialized.map);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
stylis$1(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
} else {
|
||||
var _finalizingPlugins = [stylis.stringify];
|
||||
|
||||
var _serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
return rules + serialized.map;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.development.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.development.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.development.cjs.default.js";
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.development.edge-light.cjs.js").default;
|
||||
621
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.js
generated
vendored
Normal file
621
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,621 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
var weakMemoize = require('@emotion/weak-memoize');
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var weakMemoize__default = /*#__PURE__*/_interopDefault(weakMemoize);
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = weakMemoize__default["default"](function () {
|
||||
return memoize__default["default"](function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
{
|
||||
var _finalizingPlugins = [stylis.stringify];
|
||||
|
||||
var _serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
return rules + serialized.map;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.development.edge-light.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.development.edge-light.cjs.default.js";
|
||||
612
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.esm.js
generated
vendored
Normal file
612
node_modules/@emotion/cache/dist/emotion-cache.development.edge-light.esm.js
generated
vendored
Normal file
@@ -0,0 +1,612 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, middleware, stringify, compile } from 'stylis';
|
||||
import weakMemoize from '@emotion/weak-memoize';
|
||||
import memoize from '@emotion/memoize';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = weakMemoize(function () {
|
||||
return memoize(function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
{
|
||||
var _finalizingPlugins = [stringify];
|
||||
|
||||
var _serializer = middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return serialize(compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
return rules + serialized.map;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
705
node_modules/@emotion/cache/dist/emotion-cache.development.esm.js
generated
vendored
Normal file
705
node_modules/@emotion/cache/dist/emotion-cache.development.esm.js
generated
vendored
Normal file
@@ -0,0 +1,705 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, middleware, stringify, COMMENT, compile } from 'stylis';
|
||||
import weakMemoize from '@emotion/weak-memoize';
|
||||
import memoize from '@emotion/memoize';
|
||||
|
||||
var isBrowser = typeof document !== 'undefined';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
var ignoreFlag = 'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason';
|
||||
|
||||
var isIgnoringComment = function isIgnoringComment(element) {
|
||||
return element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1;
|
||||
};
|
||||
|
||||
var createUnsafeSelectorsAlarm = function createUnsafeSelectorsAlarm(cache) {
|
||||
return function (element, index, children) {
|
||||
if (element.type !== 'rule' || cache.compat) return;
|
||||
var unsafePseudoClasses = element.value.match(/(:first|:nth|:nth-last)-child/g);
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
var isNested = !!element.parent; // in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
|
||||
var commentContainer = isNested ? element.parent.children : // global rule at the root level
|
||||
children;
|
||||
|
||||
for (var i = commentContainer.length - 1; i >= 0; i--) {
|
||||
var node = commentContainer[i];
|
||||
|
||||
if (node.line < element.line) {
|
||||
break;
|
||||
} // it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
|
||||
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(function (unsafePseudoClass) {
|
||||
console.error("The pseudo class \"" + unsafePseudoClass + "\" is potentially unsafe when doing server-side rendering. Try changing it to \"" + unsafePseudoClass.split('-child')[0] + "-of-type\".");
|
||||
});
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
var isImportRule = function isImportRule(element) {
|
||||
return element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64;
|
||||
};
|
||||
|
||||
var isPrependedWithRegularRules = function isPrependedWithRegularRules(index, children) {
|
||||
for (var i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}; // use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
|
||||
|
||||
var nullifyElement = function nullifyElement(element) {
|
||||
element.type = '';
|
||||
element.value = '';
|
||||
element["return"] = '';
|
||||
element.children = '';
|
||||
element.props = '';
|
||||
};
|
||||
|
||||
var incorrectImportAlarm = function incorrectImportAlarm(element, index, children) {
|
||||
if (!isImportRule(element)) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error("`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles.");
|
||||
nullifyElement(element);
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error("`@import` rules can't be after other rules. Please put your `@import` rules before your other rules.");
|
||||
nullifyElement(element);
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = isBrowser ? undefined : weakMemoize(function () {
|
||||
return memoize(function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (!key) {
|
||||
throw new Error("You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" + "If multiple caches share the same key they might \"fight\" for each other's style elements.");
|
||||
}
|
||||
|
||||
if (isBrowser && key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
{
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error("Emotion key must only contain lower case alphabetical characters and - but \"" + key + "\" was passed");
|
||||
}
|
||||
}
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
if (isBrowser) {
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
omnipresentPlugins.push(createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat;
|
||||
}
|
||||
|
||||
}), incorrectImportAlarm);
|
||||
}
|
||||
|
||||
if (isBrowser) {
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stringify, function (element) {
|
||||
if (!element.root) {
|
||||
if (element["return"]) {
|
||||
currentSheet.insert(element["return"]);
|
||||
} else if (element.value && element.type !== COMMENT) {
|
||||
// insert empty rule in non-production environments
|
||||
// so @emotion/jest can grab `key` from the (JS)DOM for caches without any rules inserted yet
|
||||
currentSheet.insert(element.value + "{}");
|
||||
}
|
||||
}
|
||||
} ];
|
||||
var serializer = middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis = function stylis(styles) {
|
||||
return serialize(compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
currentSheet = {
|
||||
insert: function insert(rule
|
||||
/*: string */
|
||||
) {
|
||||
sheet.insert(rule + serialized.map);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
} else {
|
||||
var _finalizingPlugins = [stringify];
|
||||
|
||||
var _serializer = middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return serialize(compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
if (serialized.map !== undefined) {
|
||||
return rules + serialized.map;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
1
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-cache.edge-light.cjs.js").default;
|
||||
490
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.js
generated
vendored
Normal file
490
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,490 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var sheet = require('@emotion/sheet');
|
||||
var stylis = require('stylis');
|
||||
var weakMemoize = require('@emotion/weak-memoize');
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var weakMemoize__default = /*#__PURE__*/_interopDefault(weakMemoize);
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = stylis.peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (stylis.token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
stylis.next();
|
||||
}
|
||||
|
||||
return stylis.slice(begin, stylis.position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (stylis.token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && stylis.peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(stylis.position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += stylis.delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = stylis.peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += stylis.from(character);
|
||||
}
|
||||
} while (character = stylis.next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return stylis.dealloc(toRules(stylis.alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (stylis.hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return stylis.WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return stylis.WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return stylis.WEBKIT + value + stylis.MOZ + value + stylis.MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return stylis.WEBKIT + value + stylis.replace(value, /(\w+).+(:[^]+)/, stylis.WEBKIT + 'box-$1$2' + stylis.MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-item-' + stylis.replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return stylis.WEBKIT + value + stylis.MS + 'flex-line-pack' + stylis.replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return stylis.WEBKIT + 'box-' + stylis.replace(value, '-grow', '') + stylis.WEBKIT + value + stylis.MS + stylis.replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return stylis.WEBKIT + stylis.replace(value, /([^-])(transform)/g, '$1' + stylis.WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return stylis.replace(stylis.replace(stylis.replace(value, /(zoom-|grab)/, stylis.WEBKIT + '$1'), /(image-set)/, stylis.WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return stylis.replace(value, /(image-set\([^]*)/, stylis.WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return stylis.replace(stylis.replace(value, /(.+:)(flex-)?(.*)/, stylis.WEBKIT + 'box-pack:$3' + stylis.MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + stylis.WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return stylis.replace(value, /(.+)-inline(.+)/, stylis.WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (stylis.strlen(value) - 1 - length > 6) switch (stylis.charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (stylis.charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return stylis.replace(value, /(.+:)(.+)-([^]+)/, '$1' + stylis.WEBKIT + '$2-$3' + '$1' + stylis.MOZ + (stylis.charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~stylis.indexof(value, 'stretch') ? prefix(stylis.replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (stylis.charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (stylis.charat(value, stylis.strlen(value) - 3 - (~stylis.indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return stylis.replace(value, ':', ':' + stylis.WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return stylis.replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + stylis.WEBKIT + (stylis.charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + stylis.WEBKIT + '$2$3' + '$1' + stylis.MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (stylis.charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return stylis.WEBKIT + value + stylis.MS + stylis.replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return stylis.WEBKIT + value + stylis.MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case stylis.DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case stylis.KEYFRAMES:
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
value: stylis.replace(element.value, '@', '@' + stylis.WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case stylis.RULESET:
|
||||
if (element.length) return stylis.combine(element.props, function (value) {
|
||||
switch (stylis.match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(read-\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return stylis.serialize([stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.WEBKIT + 'input-$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, ':' + stylis.MOZ + '$1')]
|
||||
}), stylis.copy(element, {
|
||||
props: [stylis.replace(value, /:(plac\w+)/, stylis.MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = weakMemoize__default["default"](function () {
|
||||
return memoize__default["default"](function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
var _finalizingPlugins = [stylis.stringify];
|
||||
|
||||
var _serializer = stylis.middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return stylis.serialize(stylis.compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new sheet.StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
exports["default"] = createCache;
|
||||
2
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.mjs
generated
vendored
Normal file
2
node_modules/@emotion/cache/dist/emotion-cache.edge-light.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
import "./emotion-cache.edge-light.cjs.js";
|
||||
export { _default as default } from "./emotion-cache.edge-light.cjs.default.js";
|
||||
481
node_modules/@emotion/cache/dist/emotion-cache.edge-light.esm.js
generated
vendored
Normal file
481
node_modules/@emotion/cache/dist/emotion-cache.edge-light.esm.js
generated
vendored
Normal file
@@ -0,0 +1,481 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, middleware, stringify, compile } from 'stylis';
|
||||
import weakMemoize from '@emotion/weak-memoize';
|
||||
import memoize from '@emotion/memoize';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = weakMemoize(function () {
|
||||
return memoize(function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
{
|
||||
var _finalizingPlugins = [stringify];
|
||||
|
||||
var _serializer = middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return serialize(compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
556
node_modules/@emotion/cache/dist/emotion-cache.esm.js
generated
vendored
Normal file
556
node_modules/@emotion/cache/dist/emotion-cache.esm.js
generated
vendored
Normal file
@@ -0,0 +1,556 @@
|
||||
import { StyleSheet } from '@emotion/sheet';
|
||||
import { dealloc, alloc, next, token, from, peek, delimit, slice, position, RULESET, combine, match, serialize, copy, replace, WEBKIT, MOZ, MS, KEYFRAMES, DECLARATION, hash, charat, strlen, indexof, stringify, rulesheet, middleware, compile } from 'stylis';
|
||||
import weakMemoize from '@emotion/weak-memoize';
|
||||
import memoize from '@emotion/memoize';
|
||||
|
||||
var isBrowser = typeof document !== 'undefined';
|
||||
|
||||
var identifierWithPointTracking = function identifierWithPointTracking(begin, points, index) {
|
||||
var previous = 0;
|
||||
var character = 0;
|
||||
|
||||
while (true) {
|
||||
previous = character;
|
||||
character = peek(); // &\f
|
||||
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break;
|
||||
}
|
||||
|
||||
next();
|
||||
}
|
||||
|
||||
return slice(begin, position);
|
||||
};
|
||||
|
||||
var toRules = function toRules(parsed, points) {
|
||||
// pretend we've started with a comma
|
||||
var index = -1;
|
||||
var character = 44;
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1;
|
||||
}
|
||||
|
||||
parsed[index] += identifierWithPointTracking(position - 1, points, index);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
parsed[index] += delimit(character);
|
||||
break;
|
||||
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : '';
|
||||
points[index] = parsed[index].length;
|
||||
break;
|
||||
}
|
||||
|
||||
// fallthrough
|
||||
|
||||
default:
|
||||
parsed[index] += from(character);
|
||||
}
|
||||
} while (character = next());
|
||||
|
||||
return parsed;
|
||||
};
|
||||
|
||||
var getRules = function getRules(value, points) {
|
||||
return dealloc(toRules(alloc(value), points));
|
||||
}; // WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
|
||||
|
||||
var fixedElements = /* #__PURE__ */new WeakMap();
|
||||
var compat = function compat(element) {
|
||||
if (element.type !== 'rule' || !element.parent || // positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1) {
|
||||
return;
|
||||
}
|
||||
|
||||
var value = element.value,
|
||||
parent = element.parent;
|
||||
var isImplicitRule = element.column === parent.column && element.line === parent.line;
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent;
|
||||
if (!parent) return;
|
||||
} // short-circuit for the simplest case
|
||||
|
||||
|
||||
if (element.props.length === 1 && value.charCodeAt(0) !== 58
|
||||
/* colon */
|
||||
&& !fixedElements.get(parent)) {
|
||||
return;
|
||||
} // if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
|
||||
|
||||
if (isImplicitRule) {
|
||||
return;
|
||||
}
|
||||
|
||||
fixedElements.set(element, true);
|
||||
var points = [];
|
||||
var rules = getRules(value, points);
|
||||
var parentRules = parent.props;
|
||||
|
||||
for (var i = 0, k = 0; i < rules.length; i++) {
|
||||
for (var j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i] ? rules[i].replace(/&\f/g, parentRules[j]) : parentRules[j] + " " + rules[i];
|
||||
}
|
||||
}
|
||||
};
|
||||
var removeLabel = function removeLabel(element) {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value;
|
||||
|
||||
if ( // charcode for l
|
||||
value.charCodeAt(0) === 108 && // charcode for b
|
||||
value.charCodeAt(2) === 98) {
|
||||
// this ignores label
|
||||
element["return"] = '';
|
||||
element.value = '';
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/* eslint-disable no-fallthrough */
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value;
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921: // text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005: // mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855: // background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value;
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value;
|
||||
// flex, flex-direction
|
||||
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value;
|
||||
// order
|
||||
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value;
|
||||
// align-items
|
||||
|
||||
case 5187:
|
||||
return WEBKIT + value + replace(value, /(\w+).+(:[^]+)/, WEBKIT + 'box-$1$2' + MS + 'flex-$1$2') + value;
|
||||
// align-self
|
||||
|
||||
case 5443:
|
||||
return WEBKIT + value + MS + 'flex-item-' + replace(value, /flex-|-self/, '') + value;
|
||||
// align-content
|
||||
|
||||
case 4675:
|
||||
return WEBKIT + value + MS + 'flex-line-pack' + replace(value, /align-content|flex-|-self/, '') + value;
|
||||
// flex-shrink
|
||||
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value;
|
||||
// flex-basis
|
||||
|
||||
case 5292:
|
||||
return WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value;
|
||||
// flex-grow
|
||||
|
||||
case 6060:
|
||||
return WEBKIT + 'box-' + replace(value, '-grow', '') + WEBKIT + value + MS + replace(value, 'grow', 'positive') + value;
|
||||
// transition
|
||||
|
||||
case 4554:
|
||||
return WEBKIT + replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') + value;
|
||||
// cursor
|
||||
|
||||
case 6187:
|
||||
return replace(replace(replace(value, /(zoom-|grab)/, WEBKIT + '$1'), /(image-set)/, WEBKIT + '$1'), value, '') + value;
|
||||
// background, background-image
|
||||
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1');
|
||||
// justify-content
|
||||
|
||||
case 4968:
|
||||
return replace(replace(value, /(.+:)(flex-)?(.*)/, WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'), /s.+-b[^;]+/, 'justify') + WEBKIT + value + value;
|
||||
// (margin|padding)-inline-(start|end)
|
||||
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value;
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6) switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break;
|
||||
// (f)ill-available, (f)it-content
|
||||
|
||||
case 102:
|
||||
return replace(value, /(.+:)(.+)-([^]+)/, '$1' + WEBKIT + '$2-$3' + '$1' + MOZ + (charat(value, length + 3) == 108 ? '$3' : '$2-$3')) + value;
|
||||
// (s)tretch
|
||||
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch') ? prefix(replace(value, 'stretch', 'fill-available'), length) + value : value;
|
||||
}
|
||||
break;
|
||||
// position: sticky
|
||||
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break;
|
||||
// display: (flex|inline-flex)
|
||||
|
||||
case 6444:
|
||||
switch (charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value;
|
||||
// (inline-)?fl(e)x
|
||||
|
||||
case 101:
|
||||
return replace(value, /(.+:)([^;!]+)(;|!.+)?/, '$1' + WEBKIT + (charat(value, 14) === 45 ? 'inline-' : '') + 'box$3' + '$1' + WEBKIT + '$2$3' + '$1' + MS + '$2box$3') + value;
|
||||
}
|
||||
|
||||
break;
|
||||
// writing-mode
|
||||
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb') + value;
|
||||
// vertical-r(l)
|
||||
|
||||
case 108:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') + value;
|
||||
// horizontal(-)tb
|
||||
|
||||
case 45:
|
||||
return WEBKIT + value + MS + replace(value, /[svh]\w+-[tblr]{2}/, 'lr') + value;
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value;
|
||||
}
|
||||
|
||||
return value;
|
||||
}
|
||||
|
||||
var prefixer = function prefixer(element, index, children, callback) {
|
||||
if (element.length > -1) if (!element["return"]) switch (element.type) {
|
||||
case DECLARATION:
|
||||
element["return"] = prefix(element.value, element.length);
|
||||
break;
|
||||
|
||||
case KEYFRAMES:
|
||||
return serialize([copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})], callback);
|
||||
|
||||
case RULESET:
|
||||
if (element.length) return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})], callback);
|
||||
// :placeholder
|
||||
|
||||
case '::placeholder':
|
||||
return serialize([copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + WEBKIT + 'input-$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}), copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})], callback);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
var getServerStylisCache = isBrowser ? undefined : weakMemoize(function () {
|
||||
return memoize(function () {
|
||||
var cache = {};
|
||||
return function (name) {
|
||||
return cache[name];
|
||||
};
|
||||
});
|
||||
});
|
||||
var defaultStylisPlugins = [prefixer];
|
||||
|
||||
var createCache = function
|
||||
/*: EmotionCache */
|
||||
createCache(options
|
||||
/*: Options */
|
||||
) {
|
||||
var key = options.key;
|
||||
|
||||
if (isBrowser && key === 'css') {
|
||||
var ssrStyles = document.querySelectorAll("style[data-emotion]:not([data-s])"); // get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
|
||||
Array.prototype.forEach.call(ssrStyles, function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
var dataEmotionAttribute = node.getAttribute('data-emotion');
|
||||
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return;
|
||||
}
|
||||
|
||||
document.head.appendChild(node);
|
||||
node.setAttribute('data-s', '');
|
||||
});
|
||||
}
|
||||
|
||||
var stylisPlugins = options.stylisPlugins || defaultStylisPlugins;
|
||||
|
||||
var inserted = {};
|
||||
var container;
|
||||
/* : Node */
|
||||
|
||||
var nodesToHydrate = [];
|
||||
|
||||
if (isBrowser) {
|
||||
container = options.container || document.head;
|
||||
Array.prototype.forEach.call( // this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll("style[data-emotion^=\"" + key + " \"]"), function (node
|
||||
/*: HTMLStyleElement */
|
||||
) {
|
||||
var attrib = node.getAttribute("data-emotion").split(' ');
|
||||
|
||||
for (var i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true;
|
||||
}
|
||||
|
||||
nodesToHydrate.push(node);
|
||||
});
|
||||
}
|
||||
|
||||
var _insert;
|
||||
/*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
|
||||
|
||||
var omnipresentPlugins = [compat, removeLabel];
|
||||
|
||||
if (isBrowser) {
|
||||
var currentSheet;
|
||||
var finalizingPlugins = [stringify, rulesheet(function (rule) {
|
||||
currentSheet.insert(rule);
|
||||
})];
|
||||
var serializer = middleware(omnipresentPlugins.concat(stylisPlugins, finalizingPlugins));
|
||||
|
||||
var stylis = function stylis(styles) {
|
||||
return serialize(compile(styles), serializer);
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: void */
|
||||
insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
currentSheet = sheet;
|
||||
|
||||
stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true;
|
||||
}
|
||||
};
|
||||
} else {
|
||||
var _finalizingPlugins = [stringify];
|
||||
|
||||
var _serializer = middleware(omnipresentPlugins.concat(stylisPlugins, _finalizingPlugins));
|
||||
|
||||
var _stylis = function _stylis(styles) {
|
||||
return serialize(compile(styles), _serializer);
|
||||
};
|
||||
|
||||
var serverStylisCache = getServerStylisCache(stylisPlugins)(key);
|
||||
|
||||
var getRules = function
|
||||
/*: string */
|
||||
getRules(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = _stylis(selector ? selector + "{" + serialized.styles + "}" : serialized.styles);
|
||||
}
|
||||
|
||||
return serverStylisCache[name];
|
||||
};
|
||||
|
||||
_insert = function
|
||||
/*: string | void */
|
||||
_insert(selector
|
||||
/*: string */
|
||||
, serialized
|
||||
/*: SerializedStyles */
|
||||
, sheet
|
||||
/*: StyleSheet */
|
||||
, shouldCache
|
||||
/*: boolean */
|
||||
) {
|
||||
var name = serialized.name;
|
||||
var rules = getRules(selector, serialized);
|
||||
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true;
|
||||
}
|
||||
|
||||
return rules;
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules;
|
||||
} else {
|
||||
return rules;
|
||||
}
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
var cache
|
||||
/*: EmotionCache */
|
||||
= {
|
||||
key: key,
|
||||
sheet: new StyleSheet({
|
||||
key: key,
|
||||
container: container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted: inserted,
|
||||
registered: {},
|
||||
insert: _insert
|
||||
};
|
||||
cache.sheet.hydrate(nodesToHydrate);
|
||||
return cache;
|
||||
};
|
||||
|
||||
export { createCache as default };
|
||||
100
node_modules/@emotion/cache/package.json
generated
vendored
Normal file
100
node_modules/@emotion/cache/package.json
generated
vendored
Normal file
@@ -0,0 +1,100 @@
|
||||
{
|
||||
"name": "@emotion/cache",
|
||||
"version": "11.13.1",
|
||||
"description": "emotion's cache",
|
||||
"main": "dist/emotion-cache.cjs.js",
|
||||
"module": "dist/emotion-cache.esm.js",
|
||||
"exports": {
|
||||
".": {
|
||||
"types": {
|
||||
"import": "./dist/emotion-cache.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.cjs.js"
|
||||
},
|
||||
"development": {
|
||||
"edge-light": {
|
||||
"module": "./dist/emotion-cache.development.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.development.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.development.edge-light.cjs.js"
|
||||
},
|
||||
"worker": {
|
||||
"module": "./dist/emotion-cache.development.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.development.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.development.edge-light.cjs.js"
|
||||
},
|
||||
"workerd": {
|
||||
"module": "./dist/emotion-cache.development.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.development.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.development.edge-light.cjs.js"
|
||||
},
|
||||
"browser": {
|
||||
"module": "./dist/emotion-cache.browser.development.esm.js",
|
||||
"import": "./dist/emotion-cache.browser.development.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.browser.development.cjs.js"
|
||||
},
|
||||
"module": "./dist/emotion-cache.development.esm.js",
|
||||
"import": "./dist/emotion-cache.development.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.development.cjs.js"
|
||||
},
|
||||
"edge-light": {
|
||||
"module": "./dist/emotion-cache.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.edge-light.cjs.js"
|
||||
},
|
||||
"worker": {
|
||||
"module": "./dist/emotion-cache.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.edge-light.cjs.js"
|
||||
},
|
||||
"workerd": {
|
||||
"module": "./dist/emotion-cache.edge-light.esm.js",
|
||||
"import": "./dist/emotion-cache.edge-light.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.edge-light.cjs.js"
|
||||
},
|
||||
"browser": {
|
||||
"module": "./dist/emotion-cache.browser.esm.js",
|
||||
"import": "./dist/emotion-cache.browser.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.browser.cjs.js"
|
||||
},
|
||||
"module": "./dist/emotion-cache.esm.js",
|
||||
"import": "./dist/emotion-cache.cjs.mjs",
|
||||
"default": "./dist/emotion-cache.cjs.js"
|
||||
},
|
||||
"./package.json": "./package.json"
|
||||
},
|
||||
"imports": {
|
||||
"#is-development": {
|
||||
"development": "./src/conditions/true.js",
|
||||
"default": "./src/conditions/false.js"
|
||||
},
|
||||
"#is-browser": {
|
||||
"edge-light": "./src/conditions/false.js",
|
||||
"workerd": "./src/conditions/false.js",
|
||||
"worker": "./src/conditions/false.js",
|
||||
"browser": "./src/conditions/true.js",
|
||||
"default": "./src/conditions/is-browser.js"
|
||||
}
|
||||
},
|
||||
"types": "types/index.d.ts",
|
||||
"license": "MIT",
|
||||
"repository": "https://github.com/emotion-js/emotion/tree/main/packages/cache",
|
||||
"scripts": {
|
||||
"test:typescript": "dtslint types"
|
||||
},
|
||||
"dependencies": {
|
||||
"@emotion/memoize": "^0.9.0",
|
||||
"@emotion/sheet": "^1.4.0",
|
||||
"@emotion/utils": "^1.4.0",
|
||||
"@emotion/weak-memoize": "^0.4.0",
|
||||
"stylis": "4.2.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@definitelytyped/dtslint": "0.0.112",
|
||||
"@emotion/hash": "*",
|
||||
"typescript": "^5.4.5"
|
||||
},
|
||||
"files": [
|
||||
"src",
|
||||
"dist",
|
||||
"types/*.d.ts"
|
||||
]
|
||||
}
|
||||
1
node_modules/@emotion/cache/src/conditions/false.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/src/conditions/false.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export default false
|
||||
1
node_modules/@emotion/cache/src/conditions/is-browser.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/src/conditions/is-browser.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export default typeof document !== 'undefined'
|
||||
1
node_modules/@emotion/cache/src/conditions/true.js
generated
vendored
Normal file
1
node_modules/@emotion/cache/src/conditions/true.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export default true
|
||||
2
node_modules/@emotion/cache/src/index.d.ts
generated
vendored
Normal file
2
node_modules/@emotion/cache/src/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
export * from '../types'
|
||||
export { default } from '../types'
|
||||
257
node_modules/@emotion/cache/src/index.js
generated
vendored
Normal file
257
node_modules/@emotion/cache/src/index.js
generated
vendored
Normal file
@@ -0,0 +1,257 @@
|
||||
import { StyleSheet } from '@emotion/sheet'
|
||||
/* import { type EmotionCache, type SerializedStyles } from '@emotion/utils' */
|
||||
import {
|
||||
serialize,
|
||||
compile,
|
||||
middleware,
|
||||
rulesheet,
|
||||
stringify,
|
||||
COMMENT
|
||||
} from 'stylis'
|
||||
import weakMemoize from '@emotion/weak-memoize'
|
||||
import memoize from '@emotion/memoize'
|
||||
import isDevelopment from '#is-development'
|
||||
import isBrowser from '#is-browser'
|
||||
import {
|
||||
compat,
|
||||
removeLabel,
|
||||
createUnsafeSelectorsAlarm,
|
||||
incorrectImportAlarm
|
||||
} from './stylis-plugins'
|
||||
import { prefixer } from './prefixer'
|
||||
/* import type { StylisPlugin } from './types' */
|
||||
|
||||
/*
|
||||
export type Options = {
|
||||
nonce?: string,
|
||||
stylisPlugins?: StylisPlugin[],
|
||||
key: string,
|
||||
container?: HTMLElement,
|
||||
speedy?: boolean,
|
||||
prepend?: boolean,
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
*/
|
||||
|
||||
let getServerStylisCache = isBrowser
|
||||
? undefined
|
||||
: weakMemoize(() =>
|
||||
memoize(() => {
|
||||
let cache = {}
|
||||
return name => cache[name]
|
||||
})
|
||||
)
|
||||
|
||||
const defaultStylisPlugins = [prefixer]
|
||||
|
||||
let createCache = (options /*: Options */) /*: EmotionCache */ => {
|
||||
let key = options.key
|
||||
|
||||
if (isDevelopment && !key) {
|
||||
throw new Error(
|
||||
"You have to configure `key` for your cache. Please make sure it's unique (and not equal to 'css') as it's used for linking styles to your cache.\n" +
|
||||
`If multiple caches share the same key they might "fight" for each other's style elements.`
|
||||
)
|
||||
}
|
||||
|
||||
if (isBrowser && key === 'css') {
|
||||
const ssrStyles = document.querySelectorAll(
|
||||
`style[data-emotion]:not([data-s])`
|
||||
)
|
||||
|
||||
// get SSRed styles out of the way of React's hydration
|
||||
// document.head is a safe place to move them to(though note document.head is not necessarily the last place they will be)
|
||||
// note this very very intentionally targets all style elements regardless of the key to ensure
|
||||
// that creating a cache works inside of render of a React component
|
||||
Array.prototype.forEach.call(ssrStyles, (node /*: HTMLStyleElement */) => {
|
||||
// we want to only move elements which have a space in the data-emotion attribute value
|
||||
// because that indicates that it is an Emotion 11 server-side rendered style elements
|
||||
// while we will already ignore Emotion 11 client-side inserted styles because of the :not([data-s]) part in the selector
|
||||
// Emotion 10 client-side inserted styles did not have data-s (but importantly did not have a space in their data-emotion attributes)
|
||||
// so checking for the space ensures that loading Emotion 11 after Emotion 10 has inserted some styles
|
||||
// will not result in the Emotion 10 styles being destroyed
|
||||
const dataEmotionAttribute = node.getAttribute('data-emotion')
|
||||
if (dataEmotionAttribute.indexOf(' ') === -1) {
|
||||
return
|
||||
}
|
||||
|
||||
document.head.appendChild(node)
|
||||
node.setAttribute('data-s', '')
|
||||
})
|
||||
}
|
||||
|
||||
const stylisPlugins = options.stylisPlugins || defaultStylisPlugins
|
||||
|
||||
if (isDevelopment) {
|
||||
if (/[^a-z-]/.test(key)) {
|
||||
throw new Error(
|
||||
`Emotion key must only contain lower case alphabetical characters and - but "${key}" was passed`
|
||||
)
|
||||
}
|
||||
}
|
||||
let inserted = {}
|
||||
let container /* : Node */
|
||||
const nodesToHydrate = []
|
||||
if (isBrowser) {
|
||||
container = options.container || document.head
|
||||
|
||||
Array.prototype.forEach.call(
|
||||
// this means we will ignore elements which don't have a space in them which
|
||||
// means that the style elements we're looking at are only Emotion 11 server-rendered style elements
|
||||
document.querySelectorAll(`style[data-emotion^="${key} "]`),
|
||||
(node /*: HTMLStyleElement */) => {
|
||||
const attrib = node.getAttribute(`data-emotion`).split(' ')
|
||||
for (let i = 1; i < attrib.length; i++) {
|
||||
inserted[attrib[i]] = true
|
||||
}
|
||||
nodesToHydrate.push(node)
|
||||
}
|
||||
)
|
||||
}
|
||||
|
||||
let insert /*: (
|
||||
selector: string,
|
||||
serialized: SerializedStyles,
|
||||
sheet: StyleSheet,
|
||||
shouldCache: boolean
|
||||
) => string | void */
|
||||
const omnipresentPlugins = [compat, removeLabel]
|
||||
|
||||
if (isDevelopment) {
|
||||
omnipresentPlugins.push(
|
||||
createUnsafeSelectorsAlarm({
|
||||
get compat() {
|
||||
return cache.compat
|
||||
}
|
||||
}),
|
||||
incorrectImportAlarm
|
||||
)
|
||||
}
|
||||
|
||||
if (isBrowser) {
|
||||
let currentSheet
|
||||
|
||||
const finalizingPlugins = [
|
||||
stringify,
|
||||
isDevelopment
|
||||
? element => {
|
||||
if (!element.root) {
|
||||
if (element.return) {
|
||||
currentSheet.insert(element.return)
|
||||
} else if (element.value && element.type !== COMMENT) {
|
||||
// insert empty rule in non-production environments
|
||||
// so @emotion/jest can grab `key` from the (JS)DOM for caches without any rules inserted yet
|
||||
currentSheet.insert(`${element.value}{}`)
|
||||
}
|
||||
}
|
||||
}
|
||||
: rulesheet(rule => {
|
||||
currentSheet.insert(rule)
|
||||
})
|
||||
]
|
||||
|
||||
const serializer = middleware(
|
||||
omnipresentPlugins.concat(stylisPlugins, finalizingPlugins)
|
||||
)
|
||||
const stylis = styles => serialize(compile(styles), serializer)
|
||||
|
||||
insert = (
|
||||
selector /*: string */,
|
||||
serialized /*: SerializedStyles */,
|
||||
sheet /*: StyleSheet */,
|
||||
shouldCache /*: boolean */
|
||||
) /*: void */ => {
|
||||
currentSheet = sheet
|
||||
if (isDevelopment && serialized.map !== undefined) {
|
||||
currentSheet = {
|
||||
insert: (rule /*: string */) => {
|
||||
sheet.insert(rule + serialized.map)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
stylis(selector ? `${selector}{${serialized.styles}}` : serialized.styles)
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[serialized.name] = true
|
||||
}
|
||||
}
|
||||
} else {
|
||||
const finalizingPlugins = [stringify]
|
||||
const serializer = middleware(
|
||||
omnipresentPlugins.concat(stylisPlugins, finalizingPlugins)
|
||||
)
|
||||
const stylis = styles => serialize(compile(styles), serializer)
|
||||
|
||||
let serverStylisCache = getServerStylisCache(stylisPlugins)(key)
|
||||
let getRules = (
|
||||
selector /*: string */,
|
||||
serialized /*: SerializedStyles */
|
||||
) /*: string */ => {
|
||||
let name = serialized.name
|
||||
if (serverStylisCache[name] === undefined) {
|
||||
serverStylisCache[name] = stylis(
|
||||
selector ? `${selector}{${serialized.styles}}` : serialized.styles
|
||||
)
|
||||
}
|
||||
return serverStylisCache[name]
|
||||
}
|
||||
insert = (
|
||||
selector /*: string */,
|
||||
serialized /*: SerializedStyles */,
|
||||
sheet /*: StyleSheet */,
|
||||
shouldCache /*: boolean */
|
||||
) /*: string | void */ => {
|
||||
let name = serialized.name
|
||||
let rules = getRules(selector, serialized)
|
||||
if (cache.compat === undefined) {
|
||||
// in regular mode, we don't set the styles on the inserted cache
|
||||
// since we don't need to and that would be wasting memory
|
||||
// we return them so that they are rendered in a style tag
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = true
|
||||
}
|
||||
if (isDevelopment && serialized.map !== undefined) {
|
||||
return rules + serialized.map
|
||||
}
|
||||
return rules
|
||||
} else {
|
||||
// in compat mode, we put the styles on the inserted cache so
|
||||
// that emotion-server can pull out the styles
|
||||
// except when we don't want to cache it which was in Global but now
|
||||
// is nowhere but we don't want to do a major right now
|
||||
// and just in case we're going to leave the case here
|
||||
// it's also not affecting client side bundle size
|
||||
// so it's really not a big deal
|
||||
|
||||
if (shouldCache) {
|
||||
cache.inserted[name] = rules
|
||||
} else {
|
||||
return rules
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
const cache /*: EmotionCache */ = {
|
||||
key,
|
||||
sheet: new StyleSheet({
|
||||
key,
|
||||
container,
|
||||
nonce: options.nonce,
|
||||
speedy: options.speedy,
|
||||
prepend: options.prepend,
|
||||
insertionPoint: options.insertionPoint
|
||||
}),
|
||||
nonce: options.nonce,
|
||||
inserted,
|
||||
registered: {},
|
||||
insert
|
||||
}
|
||||
|
||||
cache.sheet.hydrate(nodesToHydrate)
|
||||
|
||||
return cache
|
||||
}
|
||||
|
||||
export default createCache
|
||||
340
node_modules/@emotion/cache/src/prefixer.js
generated
vendored
Normal file
340
node_modules/@emotion/cache/src/prefixer.js
generated
vendored
Normal file
@@ -0,0 +1,340 @@
|
||||
/* eslint-disable no-fallthrough */
|
||||
/* eslint-disable eqeqeq */
|
||||
import {
|
||||
charat,
|
||||
combine,
|
||||
copy,
|
||||
DECLARATION,
|
||||
hash,
|
||||
indexof,
|
||||
KEYFRAMES,
|
||||
match,
|
||||
MOZ,
|
||||
MS,
|
||||
replace,
|
||||
RULESET,
|
||||
serialize,
|
||||
strlen,
|
||||
WEBKIT
|
||||
} from 'stylis'
|
||||
|
||||
// this is a copy of stylis@4.0.13 prefixer, the latter version introduced grid prefixing which we don't want
|
||||
|
||||
function prefix(value, length) {
|
||||
switch (hash(value, length)) {
|
||||
// color-adjust
|
||||
case 5103:
|
||||
return WEBKIT + 'print-' + value + value
|
||||
// animation, animation-(delay|direction|duration|fill-mode|iteration-count|name|play-state|timing-function)
|
||||
case 5737:
|
||||
case 4201:
|
||||
case 3177:
|
||||
case 3433:
|
||||
case 1641:
|
||||
case 4457:
|
||||
case 2921:
|
||||
// text-decoration, filter, clip-path, backface-visibility, column, box-decoration-break
|
||||
case 5572:
|
||||
case 6356:
|
||||
case 5844:
|
||||
case 3191:
|
||||
case 6645:
|
||||
case 3005:
|
||||
// mask, mask-image, mask-(mode|clip|size), mask-(repeat|origin), mask-position, mask-composite,
|
||||
case 6391:
|
||||
case 5879:
|
||||
case 5623:
|
||||
case 6135:
|
||||
case 4599:
|
||||
case 4855:
|
||||
// background-clip, columns, column-(count|fill|gap|rule|rule-color|rule-style|rule-width|span|width)
|
||||
case 4215:
|
||||
case 6389:
|
||||
case 5109:
|
||||
case 5365:
|
||||
case 5621:
|
||||
case 3829:
|
||||
return WEBKIT + value + value
|
||||
// appearance, user-select, transform, hyphens, text-size-adjust
|
||||
case 5349:
|
||||
case 4246:
|
||||
case 4810:
|
||||
case 6968:
|
||||
case 2756:
|
||||
return WEBKIT + value + MOZ + value + MS + value + value
|
||||
// flex, flex-direction
|
||||
case 6828:
|
||||
case 4268:
|
||||
return WEBKIT + value + MS + value + value
|
||||
// order
|
||||
case 6165:
|
||||
return WEBKIT + value + MS + 'flex-' + value + value
|
||||
// align-items
|
||||
case 5187:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
replace(
|
||||
value,
|
||||
/(\w+).+(:[^]+)/,
|
||||
WEBKIT + 'box-$1$2' + MS + 'flex-$1$2'
|
||||
) +
|
||||
value
|
||||
)
|
||||
// align-self
|
||||
case 5443:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
'flex-item-' +
|
||||
replace(value, /flex-|-self/, '') +
|
||||
value
|
||||
)
|
||||
// align-content
|
||||
case 4675:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
'flex-line-pack' +
|
||||
replace(value, /align-content|flex-|-self/, '') +
|
||||
value
|
||||
)
|
||||
// flex-shrink
|
||||
case 5548:
|
||||
return WEBKIT + value + MS + replace(value, 'shrink', 'negative') + value
|
||||
// flex-basis
|
||||
case 5292:
|
||||
return (
|
||||
WEBKIT + value + MS + replace(value, 'basis', 'preferred-size') + value
|
||||
)
|
||||
// flex-grow
|
||||
case 6060:
|
||||
return (
|
||||
WEBKIT +
|
||||
'box-' +
|
||||
replace(value, '-grow', '') +
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
replace(value, 'grow', 'positive') +
|
||||
value
|
||||
)
|
||||
// transition
|
||||
case 4554:
|
||||
return (
|
||||
WEBKIT +
|
||||
replace(value, /([^-])(transform)/g, '$1' + WEBKIT + '$2') +
|
||||
value
|
||||
)
|
||||
// cursor
|
||||
case 6187:
|
||||
return (
|
||||
replace(
|
||||
replace(
|
||||
replace(value, /(zoom-|grab)/, WEBKIT + '$1'),
|
||||
/(image-set)/,
|
||||
WEBKIT + '$1'
|
||||
),
|
||||
value,
|
||||
''
|
||||
) + value
|
||||
)
|
||||
// background, background-image
|
||||
case 5495:
|
||||
case 3959:
|
||||
return replace(value, /(image-set\([^]*)/, WEBKIT + '$1' + '$`$1')
|
||||
// justify-content
|
||||
case 4968:
|
||||
return (
|
||||
replace(
|
||||
replace(
|
||||
value,
|
||||
/(.+:)(flex-)?(.*)/,
|
||||
WEBKIT + 'box-pack:$3' + MS + 'flex-pack:$3'
|
||||
),
|
||||
/s.+-b[^;]+/,
|
||||
'justify'
|
||||
) +
|
||||
WEBKIT +
|
||||
value +
|
||||
value
|
||||
)
|
||||
// (margin|padding)-inline-(start|end)
|
||||
case 4095:
|
||||
case 3583:
|
||||
case 4068:
|
||||
case 2532:
|
||||
return replace(value, /(.+)-inline(.+)/, WEBKIT + '$1$2') + value
|
||||
// (min|max)?(width|height|inline-size|block-size)
|
||||
case 8116:
|
||||
case 7059:
|
||||
case 5753:
|
||||
case 5535:
|
||||
case 5445:
|
||||
case 5701:
|
||||
case 4933:
|
||||
case 4677:
|
||||
case 5533:
|
||||
case 5789:
|
||||
case 5021:
|
||||
case 4765:
|
||||
// stretch, max-content, min-content, fill-available
|
||||
if (strlen(value) - 1 - length > 6)
|
||||
switch (charat(value, length + 1)) {
|
||||
// (m)ax-content, (m)in-content
|
||||
case 109:
|
||||
// -
|
||||
if (charat(value, length + 4) !== 45) break
|
||||
// (f)ill-available, (f)it-content
|
||||
case 102:
|
||||
return (
|
||||
replace(
|
||||
value,
|
||||
/(.+:)(.+)-([^]+)/,
|
||||
'$1' +
|
||||
WEBKIT +
|
||||
'$2-$3' +
|
||||
'$1' +
|
||||
MOZ +
|
||||
(charat(value, length + 3) == 108 ? '$3' : '$2-$3')
|
||||
) + value
|
||||
)
|
||||
// (s)tretch
|
||||
case 115:
|
||||
return ~indexof(value, 'stretch')
|
||||
? prefix(replace(value, 'stretch', 'fill-available'), length) +
|
||||
value
|
||||
: value
|
||||
}
|
||||
break
|
||||
// position: sticky
|
||||
case 4949:
|
||||
// (s)ticky?
|
||||
if (charat(value, length + 1) !== 115) break
|
||||
// display: (flex|inline-flex)
|
||||
case 6444:
|
||||
switch (
|
||||
charat(value, strlen(value) - 3 - (~indexof(value, '!important') && 10))
|
||||
) {
|
||||
// stic(k)y
|
||||
case 107:
|
||||
return replace(value, ':', ':' + WEBKIT) + value
|
||||
// (inline-)?fl(e)x
|
||||
case 101:
|
||||
return (
|
||||
replace(
|
||||
value,
|
||||
/(.+:)([^;!]+)(;|!.+)?/,
|
||||
'$1' +
|
||||
WEBKIT +
|
||||
(charat(value, 14) === 45 ? 'inline-' : '') +
|
||||
'box$3' +
|
||||
'$1' +
|
||||
WEBKIT +
|
||||
'$2$3' +
|
||||
'$1' +
|
||||
MS +
|
||||
'$2box$3'
|
||||
) + value
|
||||
)
|
||||
}
|
||||
break
|
||||
// writing-mode
|
||||
case 5936:
|
||||
switch (charat(value, length + 11)) {
|
||||
// vertical-l(r)
|
||||
case 114:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
replace(value, /[svh]\w+-[tblr]{2}/, 'tb') +
|
||||
value
|
||||
)
|
||||
// vertical-r(l)
|
||||
case 108:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
replace(value, /[svh]\w+-[tblr]{2}/, 'tb-rl') +
|
||||
value
|
||||
)
|
||||
// horizontal(-)tb
|
||||
case 45:
|
||||
return (
|
||||
WEBKIT +
|
||||
value +
|
||||
MS +
|
||||
replace(value, /[svh]\w+-[tblr]{2}/, 'lr') +
|
||||
value
|
||||
)
|
||||
}
|
||||
|
||||
return WEBKIT + value + MS + value + value
|
||||
}
|
||||
|
||||
return value
|
||||
}
|
||||
|
||||
export let prefixer = (element, index, children, callback) => {
|
||||
if (element.length > -1)
|
||||
if (!element.return)
|
||||
switch (element.type) {
|
||||
case DECLARATION:
|
||||
element.return = prefix(element.value, element.length)
|
||||
break
|
||||
case KEYFRAMES:
|
||||
return serialize(
|
||||
[
|
||||
copy(element, {
|
||||
value: replace(element.value, '@', '@' + WEBKIT)
|
||||
})
|
||||
],
|
||||
callback
|
||||
)
|
||||
case RULESET:
|
||||
if (element.length)
|
||||
return combine(element.props, function (value) {
|
||||
switch (match(value, /(::plac\w+|:read-\w+)/)) {
|
||||
// :read-(only|write)
|
||||
case ':read-only':
|
||||
case ':read-write':
|
||||
return serialize(
|
||||
[
|
||||
copy(element, {
|
||||
props: [replace(value, /:(read-\w+)/, ':' + MOZ + '$1')]
|
||||
})
|
||||
],
|
||||
callback
|
||||
)
|
||||
// :placeholder
|
||||
case '::placeholder':
|
||||
return serialize(
|
||||
[
|
||||
copy(element, {
|
||||
props: [
|
||||
replace(
|
||||
value,
|
||||
/:(plac\w+)/,
|
||||
':' + WEBKIT + 'input-$1'
|
||||
)
|
||||
]
|
||||
}),
|
||||
copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, ':' + MOZ + '$1')]
|
||||
}),
|
||||
copy(element, {
|
||||
props: [replace(value, /:(plac\w+)/, MS + 'input-$1')]
|
||||
})
|
||||
],
|
||||
callback
|
||||
)
|
||||
}
|
||||
|
||||
return ''
|
||||
})
|
||||
}
|
||||
}
|
||||
269
node_modules/@emotion/cache/src/stylis-plugins.js
generated
vendored
Normal file
269
node_modules/@emotion/cache/src/stylis-plugins.js
generated
vendored
Normal file
@@ -0,0 +1,269 @@
|
||||
import {
|
||||
compile,
|
||||
alloc,
|
||||
dealloc,
|
||||
next,
|
||||
delimit,
|
||||
token,
|
||||
char,
|
||||
from,
|
||||
peek,
|
||||
position,
|
||||
slice
|
||||
} from 'stylis'
|
||||
|
||||
const last = arr => (arr.length ? arr[arr.length - 1] : null)
|
||||
|
||||
// based on https://github.com/thysultan/stylis.js/blob/e6843c373ebcbbfade25ebcc23f540ed8508da0a/src/Tokenizer.js#L239-L244
|
||||
const identifierWithPointTracking = (begin, points, index) => {
|
||||
let previous = 0
|
||||
let character = 0
|
||||
|
||||
while (true) {
|
||||
previous = character
|
||||
character = peek()
|
||||
|
||||
// &\f
|
||||
if (previous === 38 && character === 12) {
|
||||
points[index] = 1
|
||||
}
|
||||
|
||||
if (token(character)) {
|
||||
break
|
||||
}
|
||||
|
||||
next()
|
||||
}
|
||||
|
||||
return slice(begin, position)
|
||||
}
|
||||
|
||||
const toRules = (parsed, points) => {
|
||||
// pretend we've started with a comma
|
||||
let index = -1
|
||||
let character = 44
|
||||
|
||||
do {
|
||||
switch (token(character)) {
|
||||
case 0:
|
||||
// &\f
|
||||
if (character === 38 && peek() === 12) {
|
||||
// this is not 100% correct, we don't account for literal sequences here - like for example quoted strings
|
||||
// stylis inserts \f after & to know when & where it should replace this sequence with the context selector
|
||||
// and when it should just concatenate the outer and inner selectors
|
||||
// it's very unlikely for this sequence to actually appear in a different context, so we just leverage this fact here
|
||||
points[index] = 1
|
||||
}
|
||||
parsed[index] += identifierWithPointTracking(
|
||||
position - 1,
|
||||
points,
|
||||
index
|
||||
)
|
||||
break
|
||||
case 2:
|
||||
parsed[index] += delimit(character)
|
||||
break
|
||||
case 4:
|
||||
// comma
|
||||
if (character === 44) {
|
||||
// colon
|
||||
parsed[++index] = peek() === 58 ? '&\f' : ''
|
||||
points[index] = parsed[index].length
|
||||
break
|
||||
}
|
||||
// fallthrough
|
||||
default:
|
||||
parsed[index] += from(character)
|
||||
}
|
||||
} while ((character = next()))
|
||||
|
||||
return parsed
|
||||
}
|
||||
|
||||
const getRules = (value, points) => dealloc(toRules(alloc(value), points))
|
||||
|
||||
// WeakSet would be more appropriate, but only WeakMap is supported in IE11
|
||||
const fixedElements = /* #__PURE__ */ new WeakMap()
|
||||
|
||||
export let compat = element => {
|
||||
if (
|
||||
element.type !== 'rule' ||
|
||||
!element.parent ||
|
||||
// positive .length indicates that this rule contains pseudo
|
||||
// negative .length indicates that this rule has been already prefixed
|
||||
element.length < 1
|
||||
) {
|
||||
return
|
||||
}
|
||||
|
||||
let { value, parent } = element
|
||||
let isImplicitRule =
|
||||
element.column === parent.column && element.line === parent.line
|
||||
|
||||
while (parent.type !== 'rule') {
|
||||
parent = parent.parent
|
||||
if (!parent) return
|
||||
}
|
||||
|
||||
// short-circuit for the simplest case
|
||||
if (
|
||||
element.props.length === 1 &&
|
||||
value.charCodeAt(0) !== 58 /* colon */ &&
|
||||
!fixedElements.get(parent)
|
||||
) {
|
||||
return
|
||||
}
|
||||
|
||||
// if this is an implicitly inserted rule (the one eagerly inserted at the each new nested level)
|
||||
// then the props has already been manipulated beforehand as they that array is shared between it and its "rule parent"
|
||||
if (isImplicitRule) {
|
||||
return
|
||||
}
|
||||
|
||||
fixedElements.set(element, true)
|
||||
|
||||
const points = []
|
||||
const rules = getRules(value, points)
|
||||
const parentRules = parent.props
|
||||
|
||||
for (let i = 0, k = 0; i < rules.length; i++) {
|
||||
for (let j = 0; j < parentRules.length; j++, k++) {
|
||||
element.props[k] = points[i]
|
||||
? rules[i].replace(/&\f/g, parentRules[j])
|
||||
: `${parentRules[j]} ${rules[i]}`
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export let removeLabel = element => {
|
||||
if (element.type === 'decl') {
|
||||
var value = element.value
|
||||
if (
|
||||
// charcode for l
|
||||
value.charCodeAt(0) === 108 &&
|
||||
// charcode for b
|
||||
value.charCodeAt(2) === 98
|
||||
) {
|
||||
// this ignores label
|
||||
element.return = ''
|
||||
element.value = ''
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
const ignoreFlag =
|
||||
'emotion-disable-server-rendering-unsafe-selector-warning-please-do-not-use-this-the-warning-exists-for-a-reason'
|
||||
|
||||
const isIgnoringComment = element =>
|
||||
element.type === 'comm' && element.children.indexOf(ignoreFlag) > -1
|
||||
|
||||
export let createUnsafeSelectorsAlarm = cache => (element, index, children) => {
|
||||
if (element.type !== 'rule' || cache.compat) return
|
||||
|
||||
const unsafePseudoClasses = element.value.match(
|
||||
/(:first|:nth|:nth-last)-child/g
|
||||
)
|
||||
|
||||
if (unsafePseudoClasses) {
|
||||
const isNested = !!element.parent
|
||||
// in nested rules comments become children of the "auto-inserted" rule and that's always the `element.parent`
|
||||
//
|
||||
// considering this input:
|
||||
// .a {
|
||||
// .b /* comm */ {}
|
||||
// color: hotpink;
|
||||
// }
|
||||
// we get output corresponding to this:
|
||||
// .a {
|
||||
// & {
|
||||
// /* comm */
|
||||
// color: hotpink;
|
||||
// }
|
||||
// .b {}
|
||||
// }
|
||||
const commentContainer = isNested
|
||||
? element.parent.children
|
||||
: // global rule at the root level
|
||||
children
|
||||
|
||||
for (let i = commentContainer.length - 1; i >= 0; i--) {
|
||||
const node = commentContainer[i]
|
||||
|
||||
if (node.line < element.line) {
|
||||
break
|
||||
}
|
||||
|
||||
// it is quite weird but comments are *usually* put at `column: element.column - 1`
|
||||
// so we seek *from the end* for the node that is earlier than the rule's `element` and check that
|
||||
// this will also match inputs like this:
|
||||
// .a {
|
||||
// /* comm */
|
||||
// .b {}
|
||||
// }
|
||||
//
|
||||
// but that is fine
|
||||
//
|
||||
// it would be the easiest to change the placement of the comment to be the first child of the rule:
|
||||
// .a {
|
||||
// .b { /* comm */ }
|
||||
// }
|
||||
// with such inputs we wouldn't have to search for the comment at all
|
||||
// TODO: consider changing this comment placement in the next major version
|
||||
if (node.column < element.column) {
|
||||
if (isIgnoringComment(node)) {
|
||||
return
|
||||
}
|
||||
break
|
||||
}
|
||||
}
|
||||
|
||||
unsafePseudoClasses.forEach(unsafePseudoClass => {
|
||||
console.error(
|
||||
`The pseudo class "${unsafePseudoClass}" is potentially unsafe when doing server-side rendering. Try changing it to "${
|
||||
unsafePseudoClass.split('-child')[0]
|
||||
}-of-type".`
|
||||
)
|
||||
})
|
||||
}
|
||||
}
|
||||
|
||||
let isImportRule = element =>
|
||||
element.type.charCodeAt(1) === 105 && element.type.charCodeAt(0) === 64
|
||||
|
||||
const isPrependedWithRegularRules = (index, children) => {
|
||||
for (let i = index - 1; i >= 0; i--) {
|
||||
if (!isImportRule(children[i])) {
|
||||
return true
|
||||
}
|
||||
}
|
||||
return false
|
||||
}
|
||||
|
||||
// use this to remove incorrect elements from further processing
|
||||
// so they don't get handed to the `sheet` (or anything else)
|
||||
// as that could potentially lead to additional logs which in turn could be overhelming to the user
|
||||
const nullifyElement = element => {
|
||||
element.type = ''
|
||||
element.value = ''
|
||||
element.return = ''
|
||||
element.children = ''
|
||||
element.props = ''
|
||||
}
|
||||
|
||||
export let incorrectImportAlarm = (element, index, children) => {
|
||||
if (!isImportRule(element)) {
|
||||
return
|
||||
}
|
||||
|
||||
if (element.parent) {
|
||||
console.error(
|
||||
"`@import` rules can't be nested inside other rules. Please move it to the top level and put it before regular rules. Keep in mind that they can only be used within global styles."
|
||||
)
|
||||
nullifyElement(element)
|
||||
} else if (isPrependedWithRegularRules(index, children)) {
|
||||
console.error(
|
||||
"`@import` rules can't be after other rules. Please put your `@import` rules before your other rules."
|
||||
)
|
||||
nullifyElement(element)
|
||||
}
|
||||
}
|
||||
26
node_modules/@emotion/cache/src/types.js
generated
vendored
Normal file
26
node_modules/@emotion/cache/src/types.js
generated
vendored
Normal file
@@ -0,0 +1,26 @@
|
||||
/*
|
||||
export type StylisElement = {
|
||||
type: string
|
||||
value: string
|
||||
props: Array<string>
|
||||
root: StylisElement | null
|
||||
children: Array<StylisElement>
|
||||
line: number
|
||||
column: number
|
||||
length: number
|
||||
return: string
|
||||
}
|
||||
export type StylisPluginCallback = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
|
||||
export type StylisPlugin = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
*/
|
||||
45
node_modules/@emotion/cache/types/index.d.ts
generated
vendored
Normal file
45
node_modules/@emotion/cache/types/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,45 @@
|
||||
// Definitions by: Junyoung Clare Jang <https://github.com/Ailrun>
|
||||
// TypeScript Version: 2.2
|
||||
|
||||
import { EmotionCache } from '@emotion/utils'
|
||||
|
||||
export { EmotionCache }
|
||||
|
||||
export interface StylisElement {
|
||||
type: string
|
||||
value: string
|
||||
props: Array<string> | string
|
||||
root: StylisElement | null
|
||||
parent: StylisElement | null
|
||||
children: Array<StylisElement> | string
|
||||
line: number
|
||||
column: number
|
||||
length: number
|
||||
return: string
|
||||
}
|
||||
export type StylisPluginCallback = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
|
||||
export type StylisPlugin = (
|
||||
element: StylisElement,
|
||||
index: number,
|
||||
children: Array<StylisElement>,
|
||||
callback: StylisPluginCallback
|
||||
) => string | void
|
||||
|
||||
export interface Options {
|
||||
nonce?: string
|
||||
stylisPlugins?: Array<StylisPlugin>
|
||||
key: string
|
||||
container?: Node
|
||||
speedy?: boolean
|
||||
/** @deprecate use `insertionPoint` instead */
|
||||
prepend?: boolean
|
||||
insertionPoint?: HTMLElement
|
||||
}
|
||||
|
||||
export default function createCache(options: Options): EmotionCache
|
||||
21
node_modules/@emotion/hash/LICENSE
generated
vendored
Normal file
21
node_modules/@emotion/hash/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Emotion team and other contributors
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
SOFTWARE.
|
||||
11
node_modules/@emotion/hash/README.md
generated
vendored
Normal file
11
node_modules/@emotion/hash/README.md
generated
vendored
Normal file
@@ -0,0 +1,11 @@
|
||||
# @emotion/hash
|
||||
|
||||
> A MurmurHash2 implementation
|
||||
|
||||
```jsx
|
||||
import hash from '@emotion/hash'
|
||||
|
||||
hash('some-string') // 12fj1d
|
||||
```
|
||||
|
||||
The source of this is from https://github.com/garycourt/murmurhash-js/blob/master/murmurhash2_gc.js.
|
||||
1
node_modules/@emotion/hash/dist/declarations/src/index.d.ts
generated
vendored
Normal file
1
node_modules/@emotion/hash/dist/declarations/src/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export default function murmur2(str: string): string;
|
||||
3
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.mts
generated
vendored
Normal file
3
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.mts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index.js";
|
||||
export { _default as default } from "./emotion-hash.cjs.default.js";
|
||||
//# sourceMappingURL=emotion-hash.cjs.d.mts.map
|
||||
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.mts.map
generated
vendored
Normal file
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.mts.map
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"emotion-hash.cjs.d.mts","sourceRoot":"","sources":["./declarations/src/index.d.ts"],"names":[],"mappings":"AAAA"}
|
||||
3
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.ts
generated
vendored
Normal file
3
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.ts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index";
|
||||
export { default } from "./declarations/src/index";
|
||||
//# sourceMappingURL=emotion-hash.cjs.d.ts.map
|
||||
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.ts.map
generated
vendored
Normal file
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.d.ts.map
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"emotion-hash.cjs.d.ts","sourceRoot":"","sources":["./declarations/src/index.d.ts"],"names":[],"mappings":"AAAA"}
|
||||
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.default.d.ts
generated
vendored
Normal file
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.default.d.ts
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export { default as _default } from "./declarations/src/index.js"
|
||||
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/hash/dist/emotion-hash.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-hash.cjs.js").default;
|
||||
59
node_modules/@emotion/hash/dist/emotion-hash.cjs.dev.js
generated
vendored
Normal file
59
node_modules/@emotion/hash/dist/emotion-hash.cjs.dev.js
generated
vendored
Normal file
@@ -0,0 +1,59 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
/* eslint-disable */
|
||||
// Inspired by https://github.com/garycourt/murmurhash-js
|
||||
// Ported from https://github.com/aappleby/smhasher/blob/61a0530f28277f2e850bfc39600ce61d02b518de/src/MurmurHash2.cpp#L37-L86
|
||||
function murmur2(str) {
|
||||
// 'm' and 'r' are mixing constants generated offline.
|
||||
// They're not really 'magic', they just happen to work well.
|
||||
// const m = 0x5bd1e995;
|
||||
// const r = 24;
|
||||
// Initialize the hash
|
||||
var h = 0; // Mix 4 bytes at a time into the hash
|
||||
|
||||
var k,
|
||||
i = 0,
|
||||
len = str.length;
|
||||
|
||||
for (; len >= 4; ++i, len -= 4) {
|
||||
k = str.charCodeAt(i) & 0xff | (str.charCodeAt(++i) & 0xff) << 8 | (str.charCodeAt(++i) & 0xff) << 16 | (str.charCodeAt(++i) & 0xff) << 24;
|
||||
k =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16);
|
||||
k ^=
|
||||
/* k >>> r: */
|
||||
k >>> 24;
|
||||
h =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16) ^
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Handle the last few bytes of the input array
|
||||
|
||||
|
||||
switch (len) {
|
||||
case 3:
|
||||
h ^= (str.charCodeAt(i + 2) & 0xff) << 16;
|
||||
|
||||
case 2:
|
||||
h ^= (str.charCodeAt(i + 1) & 0xff) << 8;
|
||||
|
||||
case 1:
|
||||
h ^= str.charCodeAt(i) & 0xff;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Do a few final mixes of the hash to ensure the last few
|
||||
// bytes are well-incorporated.
|
||||
|
||||
|
||||
h ^= h >>> 13;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
return ((h ^ h >>> 15) >>> 0).toString(36);
|
||||
}
|
||||
|
||||
exports["default"] = murmur2;
|
||||
7
node_modules/@emotion/hash/dist/emotion-hash.cjs.js
generated
vendored
Normal file
7
node_modules/@emotion/hash/dist/emotion-hash.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,7 @@
|
||||
'use strict';
|
||||
|
||||
if (process.env.NODE_ENV === "production") {
|
||||
module.exports = require("./emotion-hash.cjs.prod.js");
|
||||
} else {
|
||||
module.exports = require("./emotion-hash.cjs.dev.js");
|
||||
}
|
||||
4
node_modules/@emotion/hash/dist/emotion-hash.cjs.mjs
generated
vendored
Normal file
4
node_modules/@emotion/hash/dist/emotion-hash.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,4 @@
|
||||
export {
|
||||
|
||||
} from "./emotion-hash.cjs.js";
|
||||
export { _default as default } from "./emotion-hash.cjs.default.js";
|
||||
59
node_modules/@emotion/hash/dist/emotion-hash.cjs.prod.js
generated
vendored
Normal file
59
node_modules/@emotion/hash/dist/emotion-hash.cjs.prod.js
generated
vendored
Normal file
@@ -0,0 +1,59 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
/* eslint-disable */
|
||||
// Inspired by https://github.com/garycourt/murmurhash-js
|
||||
// Ported from https://github.com/aappleby/smhasher/blob/61a0530f28277f2e850bfc39600ce61d02b518de/src/MurmurHash2.cpp#L37-L86
|
||||
function murmur2(str) {
|
||||
// 'm' and 'r' are mixing constants generated offline.
|
||||
// They're not really 'magic', they just happen to work well.
|
||||
// const m = 0x5bd1e995;
|
||||
// const r = 24;
|
||||
// Initialize the hash
|
||||
var h = 0; // Mix 4 bytes at a time into the hash
|
||||
|
||||
var k,
|
||||
i = 0,
|
||||
len = str.length;
|
||||
|
||||
for (; len >= 4; ++i, len -= 4) {
|
||||
k = str.charCodeAt(i) & 0xff | (str.charCodeAt(++i) & 0xff) << 8 | (str.charCodeAt(++i) & 0xff) << 16 | (str.charCodeAt(++i) & 0xff) << 24;
|
||||
k =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16);
|
||||
k ^=
|
||||
/* k >>> r: */
|
||||
k >>> 24;
|
||||
h =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16) ^
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Handle the last few bytes of the input array
|
||||
|
||||
|
||||
switch (len) {
|
||||
case 3:
|
||||
h ^= (str.charCodeAt(i + 2) & 0xff) << 16;
|
||||
|
||||
case 2:
|
||||
h ^= (str.charCodeAt(i + 1) & 0xff) << 8;
|
||||
|
||||
case 1:
|
||||
h ^= str.charCodeAt(i) & 0xff;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Do a few final mixes of the hash to ensure the last few
|
||||
// bytes are well-incorporated.
|
||||
|
||||
|
||||
h ^= h >>> 13;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
return ((h ^ h >>> 15) >>> 0).toString(36);
|
||||
}
|
||||
|
||||
exports["default"] = murmur2;
|
||||
55
node_modules/@emotion/hash/dist/emotion-hash.esm.js
generated
vendored
Normal file
55
node_modules/@emotion/hash/dist/emotion-hash.esm.js
generated
vendored
Normal file
@@ -0,0 +1,55 @@
|
||||
/* eslint-disable */
|
||||
// Inspired by https://github.com/garycourt/murmurhash-js
|
||||
// Ported from https://github.com/aappleby/smhasher/blob/61a0530f28277f2e850bfc39600ce61d02b518de/src/MurmurHash2.cpp#L37-L86
|
||||
function murmur2(str) {
|
||||
// 'm' and 'r' are mixing constants generated offline.
|
||||
// They're not really 'magic', they just happen to work well.
|
||||
// const m = 0x5bd1e995;
|
||||
// const r = 24;
|
||||
// Initialize the hash
|
||||
var h = 0; // Mix 4 bytes at a time into the hash
|
||||
|
||||
var k,
|
||||
i = 0,
|
||||
len = str.length;
|
||||
|
||||
for (; len >= 4; ++i, len -= 4) {
|
||||
k = str.charCodeAt(i) & 0xff | (str.charCodeAt(++i) & 0xff) << 8 | (str.charCodeAt(++i) & 0xff) << 16 | (str.charCodeAt(++i) & 0xff) << 24;
|
||||
k =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16);
|
||||
k ^=
|
||||
/* k >>> r: */
|
||||
k >>> 24;
|
||||
h =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16) ^
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Handle the last few bytes of the input array
|
||||
|
||||
|
||||
switch (len) {
|
||||
case 3:
|
||||
h ^= (str.charCodeAt(i + 2) & 0xff) << 16;
|
||||
|
||||
case 2:
|
||||
h ^= (str.charCodeAt(i + 1) & 0xff) << 8;
|
||||
|
||||
case 1:
|
||||
h ^= str.charCodeAt(i) & 0xff;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
} // Do a few final mixes of the hash to ensure the last few
|
||||
// bytes are well-incorporated.
|
||||
|
||||
|
||||
h ^= h >>> 13;
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);
|
||||
return ((h ^ h >>> 15) >>> 0).toString(36);
|
||||
}
|
||||
|
||||
export { murmur2 as default };
|
||||
29
node_modules/@emotion/hash/package.json
generated
vendored
Normal file
29
node_modules/@emotion/hash/package.json
generated
vendored
Normal file
@@ -0,0 +1,29 @@
|
||||
{
|
||||
"name": "@emotion/hash",
|
||||
"version": "0.9.2",
|
||||
"description": "A MurmurHash2 implementation",
|
||||
"main": "dist/emotion-hash.cjs.js",
|
||||
"module": "dist/emotion-hash.esm.js",
|
||||
"types": "dist/emotion-hash.cjs.d.ts",
|
||||
"license": "MIT",
|
||||
"repository": "https://github.com/emotion-js/emotion/tree/main/packages/hash",
|
||||
"files": [
|
||||
"src",
|
||||
"dist"
|
||||
],
|
||||
"scripts": {
|
||||
"test:typescript": "dtslint types"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@definitelytyped/dtslint": "0.0.112",
|
||||
"typescript": "^5.4.5"
|
||||
},
|
||||
"exports": {
|
||||
".": {
|
||||
"module": "./dist/emotion-hash.esm.js",
|
||||
"import": "./dist/emotion-hash.cjs.mjs",
|
||||
"default": "./dist/emotion-hash.cjs.js"
|
||||
},
|
||||
"./package.json": "./package.json"
|
||||
}
|
||||
}
|
||||
63
node_modules/@emotion/hash/src/index.ts
generated
vendored
Normal file
63
node_modules/@emotion/hash/src/index.ts
generated
vendored
Normal file
@@ -0,0 +1,63 @@
|
||||
/* eslint-disable */
|
||||
// Inspired by https://github.com/garycourt/murmurhash-js
|
||||
// Ported from https://github.com/aappleby/smhasher/blob/61a0530f28277f2e850bfc39600ce61d02b518de/src/MurmurHash2.cpp#L37-L86
|
||||
|
||||
export default function murmur2(str: string): string {
|
||||
// 'm' and 'r' are mixing constants generated offline.
|
||||
// They're not really 'magic', they just happen to work well.
|
||||
|
||||
// const m = 0x5bd1e995;
|
||||
// const r = 24;
|
||||
|
||||
// Initialize the hash
|
||||
|
||||
var h = 0
|
||||
|
||||
// Mix 4 bytes at a time into the hash
|
||||
|
||||
var k,
|
||||
i = 0,
|
||||
len = str.length
|
||||
for (; len >= 4; ++i, len -= 4) {
|
||||
k =
|
||||
(str.charCodeAt(i) & 0xff) |
|
||||
((str.charCodeAt(++i) & 0xff) << 8) |
|
||||
((str.charCodeAt(++i) & 0xff) << 16) |
|
||||
((str.charCodeAt(++i) & 0xff) << 24)
|
||||
|
||||
k =
|
||||
/* Math.imul(k, m): */
|
||||
(k & 0xffff) * 0x5bd1e995 + (((k >>> 16) * 0xe995) << 16)
|
||||
k ^= /* k >>> r: */ k >>> 24
|
||||
|
||||
h =
|
||||
/* Math.imul(k, m): */
|
||||
((k & 0xffff) * 0x5bd1e995 + (((k >>> 16) * 0xe995) << 16)) ^
|
||||
/* Math.imul(h, m): */
|
||||
((h & 0xffff) * 0x5bd1e995 + (((h >>> 16) * 0xe995) << 16))
|
||||
}
|
||||
|
||||
// Handle the last few bytes of the input array
|
||||
|
||||
switch (len) {
|
||||
case 3:
|
||||
h ^= (str.charCodeAt(i + 2) & 0xff) << 16
|
||||
case 2:
|
||||
h ^= (str.charCodeAt(i + 1) & 0xff) << 8
|
||||
case 1:
|
||||
h ^= str.charCodeAt(i) & 0xff
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + (((h >>> 16) * 0xe995) << 16)
|
||||
}
|
||||
|
||||
// Do a few final mixes of the hash to ensure the last few
|
||||
// bytes are well-incorporated.
|
||||
|
||||
h ^= h >>> 13
|
||||
h =
|
||||
/* Math.imul(h, m): */
|
||||
(h & 0xffff) * 0x5bd1e995 + (((h >>> 16) * 0xe995) << 16)
|
||||
|
||||
return ((h ^ (h >>> 15)) >>> 0).toString(36)
|
||||
}
|
||||
21
node_modules/@emotion/is-prop-valid/LICENSE
generated
vendored
Normal file
21
node_modules/@emotion/is-prop-valid/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Emotion team and other contributors
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
SOFTWARE.
|
||||
15
node_modules/@emotion/is-prop-valid/README.md
generated
vendored
Normal file
15
node_modules/@emotion/is-prop-valid/README.md
generated
vendored
Normal file
@@ -0,0 +1,15 @@
|
||||
# @emotion/is-prop-valid
|
||||
|
||||
> Check whether a prop is valid for HTML and SVG elements
|
||||
|
||||
```bash
|
||||
yarn add @emotion/is-prop-valid
|
||||
```
|
||||
|
||||
```jsx
|
||||
import isPropValid from '@emotion/is-prop-valid'
|
||||
|
||||
isPropValid('href') // true
|
||||
|
||||
isPropValid('someRandomProp') // false
|
||||
```
|
||||
2
node_modules/@emotion/is-prop-valid/dist/declarations/src/index.d.ts
generated
vendored
Normal file
2
node_modules/@emotion/is-prop-valid/dist/declarations/src/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
declare const isPropValid: (arg: string) => boolean;
|
||||
export default isPropValid;
|
||||
3
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.mts
generated
vendored
Normal file
3
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.mts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index.js";
|
||||
export { _default as default } from "./emotion-is-prop-valid.cjs.default.js";
|
||||
//# sourceMappingURL=emotion-is-prop-valid.cjs.d.mts.map
|
||||
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.mts.map
generated
vendored
Normal file
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.mts.map
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"emotion-is-prop-valid.cjs.d.mts","sourceRoot":"","sources":["./declarations/src/index.d.ts"],"names":[],"mappings":"AAAA"}
|
||||
3
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.ts
generated
vendored
Normal file
3
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.ts
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
export * from "./declarations/src/index";
|
||||
export { default } from "./declarations/src/index";
|
||||
//# sourceMappingURL=emotion-is-prop-valid.cjs.d.ts.map
|
||||
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.ts.map
generated
vendored
Normal file
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.d.ts.map
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"emotion-is-prop-valid.cjs.d.ts","sourceRoot":"","sources":["./declarations/src/index.d.ts"],"names":[],"mappings":"AAAA"}
|
||||
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.default.d.ts
generated
vendored
Normal file
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.default.d.ts
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
export { default as _default } from "./declarations/src/index.js"
|
||||
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.default.js
generated
vendored
Normal file
1
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.default.js
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
exports._default = require("./emotion-is-prop-valid.cjs.js").default;
|
||||
24
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.dev.js
generated
vendored
Normal file
24
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.dev.js
generated
vendored
Normal file
@@ -0,0 +1,24 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
// eslint-disable-next-line no-undef
|
||||
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|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)-.*))$/; // https://esbench.com/bench/5bfee68a4cd7e6009ef61d23
|
||||
|
||||
var isPropValid = /* #__PURE__ */memoize__default["default"](function (prop) {
|
||||
return reactPropsRegex.test(prop) || prop.charCodeAt(0) === 111
|
||||
/* o */
|
||||
&& prop.charCodeAt(1) === 110
|
||||
/* n */
|
||||
&& prop.charCodeAt(2) < 91;
|
||||
}
|
||||
/* Z+1 */
|
||||
);
|
||||
|
||||
exports["default"] = isPropValid;
|
||||
7
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.js
generated
vendored
Normal file
7
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.js
generated
vendored
Normal file
@@ -0,0 +1,7 @@
|
||||
'use strict';
|
||||
|
||||
if (process.env.NODE_ENV === "production") {
|
||||
module.exports = require("./emotion-is-prop-valid.cjs.prod.js");
|
||||
} else {
|
||||
module.exports = require("./emotion-is-prop-valid.cjs.dev.js");
|
||||
}
|
||||
4
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.mjs
generated
vendored
Normal file
4
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.mjs
generated
vendored
Normal file
@@ -0,0 +1,4 @@
|
||||
export {
|
||||
|
||||
} from "./emotion-is-prop-valid.cjs.js";
|
||||
export { _default as default } from "./emotion-is-prop-valid.cjs.default.js";
|
||||
24
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.prod.js
generated
vendored
Normal file
24
node_modules/@emotion/is-prop-valid/dist/emotion-is-prop-valid.cjs.prod.js
generated
vendored
Normal file
@@ -0,0 +1,24 @@
|
||||
'use strict';
|
||||
|
||||
Object.defineProperty(exports, '__esModule', { value: true });
|
||||
|
||||
var memoize = require('@emotion/memoize');
|
||||
|
||||
function _interopDefault (e) { return e && e.__esModule ? e : { 'default': e }; }
|
||||
|
||||
var memoize__default = /*#__PURE__*/_interopDefault(memoize);
|
||||
|
||||
// eslint-disable-next-line no-undef
|
||||
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|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)-.*))$/; // https://esbench.com/bench/5bfee68a4cd7e6009ef61d23
|
||||
|
||||
var isPropValid = /* #__PURE__ */memoize__default["default"](function (prop) {
|
||||
return reactPropsRegex.test(prop) || prop.charCodeAt(0) === 111
|
||||
/* o */
|
||||
&& prop.charCodeAt(1) === 110
|
||||
/* n */
|
||||
&& prop.charCodeAt(2) < 91;
|
||||
}
|
||||
/* Z+1 */
|
||||
);
|
||||
|
||||
exports["default"] = isPropValid;
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user