Jetpack Boost – Website Speed, Performance and Critical CSS - Version 1.1.1

Version Description

Download this release

Release Info

Developer pyronaur
Plugin Icon 128x128 Jetpack Boost – Website Speed, Performance and Critical CSS
Version 1.1.1
Comparing to
See all releases

Code changes from version 1.1.0 to 1.1.1

.husky/_/husky.sh CHANGED
@@ -23,8 +23,7 @@ if [ -z "$husky_skip_init" ]; then
23
 
24
  if [ $exitCode != 0 ]; then
25
  echo "husky - $hook_name hook exited with code $exitCode (error)"
26
- exit $exitCode
27
  fi
28
 
29
- exit 0
30
  fi
23
 
24
  if [ $exitCode != 0 ]; then
25
  echo "husky - $hook_name hook exited with code $exitCode (error)"
 
26
  fi
27
 
28
+ exit $exitCode
29
  fi
app/admin/class-admin-notice.php ADDED
@@ -0,0 +1,94 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ namespace Automattic\Jetpack_Boost\Admin;
4
+
5
+ /**
6
+ * Admin notice base class. Override this to implement each admin notice Jetpack Boost may show.
7
+ */
8
+ abstract class Admin_Notice {
9
+
10
+ /**
11
+ * Override to provide admin notice types with a unique slug.
12
+ *
13
+ * @return string
14
+ */
15
+ abstract public function get_slug();
16
+
17
+ /**
18
+ * Get the notice id.
19
+ *
20
+ * @return string
21
+ */
22
+ public function get_id() {
23
+ return 'jetpack-boost-notice-' . $this->get_slug();
24
+ }
25
+
26
+ /**
27
+ * Override to provide a title for this admin notice.
28
+ *
29
+ * @return string
30
+ */
31
+ abstract public function get_title();
32
+
33
+ /**
34
+ * Override to specify whether this notice should include a link to the settings page.
35
+ * (Link not shown if already on the Jetpack Boost settings page).
36
+ *
37
+ * @return bool
38
+ */
39
+ public function should_show_settings_link() {
40
+ return true;
41
+ }
42
+
43
+ /**
44
+ * Override to render the inner message inside this admin notice.
45
+ *
46
+ * @param bool $on_settings_page - True if currently viewing the Jetpack Boost settings page.
47
+ */
48
+ abstract protected function render_message( $on_settings_page );
49
+
50
+ protected function get_settings_link_text() {
51
+ return __( 'Go to the Jetpack Boost Settings page', 'jetpack-boost' );
52
+ }
53
+
54
+ protected function get_dismiss_link_text() {
55
+ return __( 'Dismiss notice', 'jetpack-boost' );
56
+ }
57
+
58
+ /**
59
+ * Helper method to generate a dismissal link for this message.
60
+ */
61
+ private function get_dismiss_url() {
62
+ return add_query_arg(
63
+ array(
64
+ 'jb-dismiss-notice' => rawurlencode( $this->get_slug() ),
65
+ )
66
+ );
67
+ }
68
+
69
+ /**
70
+ * Renders this admin notice. Calls render_message to render the admin notice body.
71
+ *
72
+ * @param bool $on_settings_page - True if currently viewing the Jetpack Boost settings page.
73
+ */
74
+ final public function render( $on_settings_page ) {
75
+ ?>
76
+ <div id="<?php echo esc_attr( $this->get_id() ); ?>" class="notice notice-warning is-dismissible">
77
+ <h3>
78
+ <?php echo esc_html( $this->get_title() ); ?>
79
+ </h3>
80
+
81
+ <?php $this->render_message( $on_settings_page ); ?>
82
+
83
+ <p>
84
+ <?php if ( ! $on_settings_page && $this->should_show_settings_link() ) : ?>
85
+ <a class="button button-primary" href="<?php echo esc_url( admin_url( 'admin.php?page=' . Admin::MENU_SLUG ) ); ?>"><strong><?php echo esc_html( $this->get_settings_link_text() ); ?></strong></a>
86
+ &nbsp; &nbsp;
87
+ <?php endif ?>
88
+
89
+ <a class="jb-dismiss-notice" href="<?php echo esc_url( $this->get_dismiss_url() ); ?>"><strong><?php echo esc_html( $this->get_dismiss_link_text() ); ?></strong></a>
90
+ </p>
91
+ </div>
92
+ <?php
93
+ }
94
+ }
app/admin/class-admin.php CHANGED
@@ -11,7 +11,6 @@ namespace Automattic\Jetpack_Boost\Admin;
11
  use Automattic\Jetpack\Status;
12
  use Automattic\Jetpack_Boost\Jetpack_Boost;
13
  use Automattic\Jetpack_Boost\Lib\Environment_Change_Detector;
14
- use Automattic\Jetpack_Boost\Lib\Preview;
15
  use Automattic\Jetpack_Boost\Lib\Speed_Score;
16
 
17
  /**
@@ -24,6 +23,16 @@ use Automattic\Jetpack_Boost\Lib\Speed_Score;
24
  */
25
  class Admin {
26
 
 
 
 
 
 
 
 
 
 
 
27
  /**
28
  * Main plugin instance.
29
  *
@@ -38,18 +47,6 @@ class Admin {
38
  */
39
  protected $speed_score;
40
 
41
- /**
42
- * Preview class instance.
43
- *
44
- * @var \Automattic\Jetpack_Boost\Lib\Preview instance.
45
- */
46
- protected $preview;
47
-
48
- /**
49
- * @var \Automattic\Jetpack_Boost\Lib\Environment_Change_Detector
50
- */
51
- private $environment_change_detector;
52
-
53
  /**
54
  * Initialize the class and set its properties.
55
  *
@@ -60,30 +57,22 @@ class Admin {
60
  public function __construct( Jetpack_Boost $jetpack_boost ) {
61
  $this->jetpack_boost = $jetpack_boost;
62
  $this->speed_score = new Speed_Score();
63
- $this->preview = new Preview( $jetpack_boost );
64
- $this->environment_change_detector = new Environment_Change_Detector();
65
 
66
  add_action( 'admin_menu', array( $this, 'admin_menu' ) );
67
  add_action( 'admin_enqueue_scripts', array( $this, 'enqueue_styles' ) );
68
  add_action( 'admin_enqueue_scripts', array( $this, 'enqueue_scripts' ) );
69
  add_filter( 'plugin_action_links_' . JETPACK_BOOST_PLUGIN_BASE, array( $this, 'plugin_page_settings_link' ) );
70
  add_action( 'rest_api_init', array( $this, 'register_rest_routes' ) );
 
 
 
71
  }
72
 
73
  /**
74
  * Runs the function that generates the admin menu for the plugin.
75
  */
76
  public function admin_menu() {
77
- // Control the visibility of the admin page. It is temporarily hidden by default
78
- // but direct access is still allowed.
79
- // @todo: Remove this once the UI has been developed for a stable release.
80
- if (
81
- ! apply_filters( 'jetpack_boost_show_admin_page_menu', true ) &&
82
- false === strpos( filter_input( INPUT_GET, 'page', FILTER_SANITIZE_STRING ), JETPACK_BOOST_SLUG )
83
- ) {
84
- return;
85
- }
86
-
87
  add_menu_page(
88
  __( 'Jetpack Boost', 'jetpack-boost' ),
89
  __( 'Jetpack Boost', 'jetpack-boost' ),
@@ -131,8 +120,7 @@ class Admin {
131
  $this->jetpack_boost->get_plugin_name() . '-css',
132
  plugins_url( $internal_path . 'jetpack-boost.css', JETPACK_BOOST_PATH ),
133
  array( 'wp-components' ),
134
- JETPACK_BOOST_VERSION,
135
- 'all'
136
  );
137
  }
138
 
@@ -173,6 +161,7 @@ class Admin {
173
  'online' => ! ( new Status() )->is_offline_mode(),
174
  'assetPath' => plugins_url( $internal_path, JETPACK_BOOST_PATH ),
175
  ),
 
176
  );
177
 
178
  // Give each module an opportunity to define extra constants.
@@ -238,17 +227,6 @@ class Admin {
238
  'permission_callback' => array( $this, 'check_for_permissions' ),
239
  )
240
  );
241
-
242
- // Clear the cache.
243
- register_rest_route(
244
- JETPACK_BOOST_REST_NAMESPACE,
245
- JETPACK_BOOST_REST_PREFIX . '/cache',
246
- array(
247
- 'methods' => \WP_REST_Server::DELETABLE,
248
- 'callback' => array( $this, 'clear_cache' ),
249
- 'permission_callback' => array( $this, 'check_for_permissions' ),
250
- )
251
- );
252
  }
253
 
254
  /**
@@ -277,13 +255,92 @@ class Admin {
277
  }
278
 
279
  /**
280
- * Handler for DELETE /cache.
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
281
  *
282
- * @return \WP_REST_Response|\WP_Error The response.
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
283
  */
284
- public function clear_cache() {
285
- do_action( 'jetpack_boost_clear_cache' );
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
286
 
287
- return rest_ensure_response( true );
288
  }
289
  }
11
  use Automattic\Jetpack\Status;
12
  use Automattic\Jetpack_Boost\Jetpack_Boost;
13
  use Automattic\Jetpack_Boost\Lib\Environment_Change_Detector;
 
14
  use Automattic\Jetpack_Boost\Lib\Speed_Score;
15
 
16
  /**
23
  */
24
  class Admin {
25
 
26
+ /**
27
+ * Menu slug.
28
+ */
29
+ const MENU_SLUG = 'jetpack-boost';
30
+
31
+ /**
32
+ * Option to store options that have been dismissed.
33
+ */
34
+ const DISMISSED_NOTICE_OPTION = 'jb-dismissed-notices';
35
+
36
  /**
37
  * Main plugin instance.
38
  *
47
  */
48
  protected $speed_score;
49
 
 
 
 
 
 
 
 
 
 
 
 
 
50
  /**
51
  * Initialize the class and set its properties.
52
  *
57
  public function __construct( Jetpack_Boost $jetpack_boost ) {
58
  $this->jetpack_boost = $jetpack_boost;
59
  $this->speed_score = new Speed_Score();
60
+ Environment_Change_Detector::init();
 
61
 
62
  add_action( 'admin_menu', array( $this, 'admin_menu' ) );
63
  add_action( 'admin_enqueue_scripts', array( $this, 'enqueue_styles' ) );
64
  add_action( 'admin_enqueue_scripts', array( $this, 'enqueue_scripts' ) );
65
  add_filter( 'plugin_action_links_' . JETPACK_BOOST_PLUGIN_BASE, array( $this, 'plugin_page_settings_link' ) );
66
  add_action( 'rest_api_init', array( $this, 'register_rest_routes' ) );
67
+ add_action( 'admin_notices', array( $this, 'show_notices' ) );
68
+
69
+ $this->handle_get_parameters();
70
  }
71
 
72
  /**
73
  * Runs the function that generates the admin menu for the plugin.
74
  */
75
  public function admin_menu() {
 
 
 
 
 
 
 
 
 
 
76
  add_menu_page(
77
  __( 'Jetpack Boost', 'jetpack-boost' ),
78
  __( 'Jetpack Boost', 'jetpack-boost' ),
120
  $this->jetpack_boost->get_plugin_name() . '-css',
121
  plugins_url( $internal_path . 'jetpack-boost.css', JETPACK_BOOST_PATH ),
122
  array( 'wp-components' ),
123
+ JETPACK_BOOST_VERSION
 
124
  );
125
  }
126
 
161
  'online' => ! ( new Status() )->is_offline_mode(),
162
  'assetPath' => plugins_url( $internal_path, JETPACK_BOOST_PATH ),
163
  ),
164
+ 'shownAdminNoticeIds' => $this->get_shown_admin_notice_ids(),
165
  );
166
 
167
  // Give each module an opportunity to define extra constants.
227
  'permission_callback' => array( $this, 'check_for_permissions' ),
228
  )
229
  );
 
 
 
 
 
 
 
 
 
 
 
230
  }
231
 
232
  /**
255
  }
256
 
257
  /**
258
+ * Show any admin notices from enabled modules.
259
+ */
260
+ public function show_notices() {
261
+ // Determine if we're already on the settings page.
262
+ // phpcs:ignore WordPress.Security.NonceVerification.Recommended
263
+ $on_settings_page = isset( $_GET['page'] ) && self::MENU_SLUG === $_GET['page'];
264
+ $notices = $this->jetpack_boost->get_admin_notices();
265
+
266
+ // Filter out any that have been dismissed, unless newer than the dismissal.
267
+ $dismissed_notices = \get_option( self::DISMISSED_NOTICE_OPTION, array() );
268
+ $notices = array_filter(
269
+ $notices,
270
+ function ( $notice ) use ( $dismissed_notices ) {
271
+ $notice_slug = $notice->get_slug();
272
+
273
+ return ! in_array( $notice_slug, $dismissed_notices, true );
274
+ }
275
+ );
276
+
277
+ // Abort early if no notices to show.
278
+ if ( count( $notices ) === 0 ) {
279
+ return;
280
+ }
281
+
282
+ // Display all notices.
283
+ foreach ( $notices as $notice ) {
284
+ $notice->render( $on_settings_page );
285
+ }
286
+ }
287
+
288
+ /**
289
+ * Returns an array of notice ids (i.e.: jetpack-boost-notice-[slug]) for all
290
+ * visible admin notices.
291
  *
292
+ * @return array List of notice ids.
293
+ */
294
+ private function get_shown_admin_notice_ids() {
295
+ $notices = $this->jetpack_boost->get_admin_notices();
296
+ $ids = array();
297
+ foreach ( $notices as $notice ) {
298
+ $ids[] = $notice->get_id();
299
+ }
300
+
301
+ return $ids;
302
+ }
303
+
304
+ /**
305
+ * Check for a GET parameter used to dismiss an admin notice.
306
+ *
307
+ * Note: this method ignores the nonce verification linter rule, as jb-dismiss-notice is intended to work
308
+ * without a nonce.
309
+ *
310
+ * phpcs:disable WordPress.Security.NonceVerification.Recommended
311
  */
312
+ public function handle_get_parameters() {
313
+ if ( is_admin() && ! empty( $_GET['jb-dismiss-notice'] ) ) {
314
+ $slug = sanitize_title( $_GET['jb-dismiss-notice'] );
315
+
316
+ $dismissed_notices = \get_option( self::DISMISSED_NOTICE_OPTION, array() );
317
+
318
+ if ( ! in_array( $slug, $dismissed_notices, true ) ) {
319
+ $dismissed_notices[] = $slug;
320
+ }
321
+
322
+ \update_option( self::DISMISSED_NOTICE_OPTION, $dismissed_notices, false );
323
+ }
324
+ }
325
+ // phpcs:enable WordPress.Security.NonceVerification.Recommended
326
+
327
+ /**
328
+ * Delete the option tracking which admin notices have been dismissed during deactivation.
329
+ */
330
+ public static function clear_dismissed_notices() {
331
+ \delete_option( self::DISMISSED_NOTICE_OPTION );
332
+ }
333
+
334
+ /**
335
+ * Clear a specific admin notice.
336
+ */
337
+ public static function clear_dismissed_notice( $notice_slug ) {
338
+ $dismissed_notices = \get_option( self::DISMISSED_NOTICE_OPTION, array() );
339
+
340
+ if ( in_array( $notice_slug, $dismissed_notices, true ) ) {
341
+ array_splice( $dismissed_notices, array_search( $notice_slug, $dismissed_notices, true ), 1 );
342
+ }
343
 
344
+ \update_option( self::DISMISSED_NOTICE_OPTION, $dismissed_notices, false );
345
  }
346
  }
app/assets/dist/critical-css-gen.js CHANGED
@@ -1,4 +1,4 @@
1
- var CriticalCSSGenerator=function(){"use strict";var e="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function t(e){if(e.__esModule)return e;var t=Object.defineProperty({},"__esModule",{value:!0});return Object.keys(e).forEach((function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(t,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})})),t}class n extends Error{constructor(e,t,n){i[e]||(e="UnknownError",t={message:JSON.stringify(t)}),super(i[e].getMessage(t,n)),this.type=e,this.data=t,this.children=n||[]}getChildren(){return this.children}getType(){return this.type}getData(){return this.data}has(e){return Object.prototype.hasOwnProperty.call(this.data,e)}get(e){return this.data[e]}toJSON(){const e=i[this.type];return{type:this.type,data:this.data,message:e.getMessage(this.data,this.children),children:this.children.map((e=>e.toJSON()))}}static fromJSON(e){const t=i[e.type];if(!t)return new r({message:e.message||e});const o=(e.children||[]).map(n.fromJSON);return new t(e.data,o)}}class r extends n{constructor({message:e}){super("UnknownError",{message:e})}static getMessage(e){return e.message}}const i={CrossDomainError:class extends n{constructor({url:e}){super("CrossDomainError",{url:e})}static getMessage(e){return`Failed to fetch cross-domain content at ${e.url}`}},LoadTimeoutError:class extends n{constructor({url:e}){super("LoadTimeoutError",{url:e})}static getMessage(e){return`Timeout while reading ${e.url}`}},RedirectError:class extends n{constructor({url:e,redirectUrl:t}){super("RedirectError",{url:e,redirectUrl:t})}static getMessage(e){return`Failed to process ${e.url} because it redirects to ${e.redirectUrl} which cannot be verified`}},HttpError:class extends n{constructor({url:e,code:t}){super("HttpError",{url:e,code:t})}static getMessage(e){return`HTTP error ${e.code} on URL ${e.url}`}},UrlVerifyError:class extends n{constructor({url:e}){super("UrlVerifyError",{url:e})}static getMessage(e){return`Failed to verify page at ${e.url}`}},SuccessTargetError:class extends n{constructor(e,t){super("SuccessTargetError",e,t)}static getMessage(e,t){return"Insufficient pages loaded to meet success target. Errors:\n"+t.map((e=>e.message)).join("\n")}},GenericUrlError:class extends n{constructor({url:e,message:t}){super("GenericUrlError",{url:e,message:t})}static getMessage(e){return`Error while loading ${e.url}: ${e.message}`}},ConfigurationError:class extends n{constructor({message:e}){super("ConfigurationError",{message:e})}static getMessage(e){return`Invalid configuration: ${e.message}`}},InternalError:class extends n{constructor({message:e}){super("InternalError",{message:e})}static getMessage(e){return`Internal error: ${e.message}`}},UnknownError:r};var o={...i,CriticalCssError:n};const{InternalError:a}=o;class s{constructor(){this.urlErrors={}}trackUrlError(e,t){this.urlErrors[e]=t}filterValidUrls(e){return e.filter((e=>!this.urlErrors[e]))}async runInPage(e,t,n,...r){throw new a({message:"Undefined interface method: BrowserInterface.runInPage()"})}async cleanup(){}async getCssIncludes(e){return await this.runInPage(e,null,s.innerGetCssIncludes)}static innerGetCssIncludes(e){return[...e.document.getElementsByTagName("link")].filter((e=>"stylesheet"===e.rel)).reduce(((e,t)=>(e[t.href]={media:t.media||null},e)),{})}}var l=s;const u=l,{ConfigurationError:c}=o;var d=class extends u{constructor(e){super(),this.pages=e}async runInPage(e,t,n,...r){const i=this.pages[e];if(!i)throw new c({message:`Puppeteer interface does not include URL ${e}`});t&&await i.setViewport(t);const o=await i.evaluateHandle((()=>o));return i.evaluate(n,o,...r)}};const p=l,{ConfigurationError:m,CrossDomainError:h,HttpError:f,GenericUrlError:g,LoadTimeoutError:y,RedirectError:v,UrlVerifyError:b}=o;var S=class extends p{constructor({requestGetParameters:e,loadTimeout:t,verifyPage:n,allowScripts:r}={}){if(super(),this.requestGetParameters=e||{},this.loadTimeout=t||6e4,this.verifyPage=n,r=!1!==r,!n)throw new m({message:"You must specify a page verification callback"});this.currentUrl=null,this.currentSize={width:void 0,height:void 0},this.wrapperDiv=document.createElement("div"),this.wrapperDiv.setAttribute("style","position:fixed; z-index: -1000; opacity: 0; top: 50px;"),document.body.append(this.wrapperDiv),this.iframe=document.createElement("iframe"),this.iframe.setAttribute("style","max-width: none; max-height: none; border: 0px;"),this.iframe.setAttribute("aria-hidden","true"),this.iframe.setAttribute("sandbox","allow-same-origin "+(r?"allow-scripts":"")),this.wrapperDiv.append(this.iframe)}cleanup(){this.iframe.remove(),this.wrapperDiv.remove()}async runInPage(e,t,n,...r){return await this.loadPage(e),t&&await this.resize(t),n(this.iframe.contentWindow,...r)}addGetParameters(e){const t=new URL(e);for(const e of Object.keys(this.requestGetParameters))t.searchParams.append(e,this.requestGetParameters[e]);return t.toString()}async diagnoseUrlError(e){try{const t=await fetch(e);return 200===t.status?t.redirected?new v({url:e,redirectUrl:t.url}):null:new f({url:e,code:t.status})}catch(t){return new g({url:e,message:t.message})}}async loadPage(e){if(e===this.currentUrl)return;const t=this.addGetParameters(e);await new Promise(((n,r)=>{const i=t=>{this.trackUrlError(e,t),r(t)},o=setTimeout((()=>{this.iframe.onload=void 0,i(new y({url:t}))}),this.loadTimeout);this.iframe.onload=async()=>{try{if(this.iframe.onload=void 0,clearTimeout(o),!this.iframe.contentDocument)throw new h({url:t});if(!this.verifyPage(e,this.iframe.contentWindow,this.iframe.contentDocument))throw await this.diagnoseUrlError(t)||new b({url:t});n()}catch(e){i(e)}},this.iframe.src=t}))}async resize({width:e,height:t}){if(this.currentSize.width!==e||this.currentSize.height!==t)return new Promise((n=>{this.iframe.width=e,this.iframe.height=t,setTimeout(n,1)}))}},x={exports:{}},w={};function C(e){return{prev:null,next:null,data:e}}function k(e,t,n){var r;return null!==T?(r=T,T=T.cursor,r.prev=t,r.next=n,r.cursor=e.cursor):r={prev:t,next:n,cursor:e.cursor},e.cursor=r,r}function O(e){var t=e.cursor;e.cursor=t.cursor,t.prev=null,t.next=null,t.cursor=T,T=t}var T=null,E=function(){this.cursor=null,this.head=null,this.tail=null};E.createItem=C,E.prototype.createItem=C,E.prototype.updateCursors=function(e,t,n,r){for(var i=this.cursor;null!==i;)i.prev===e&&(i.prev=t),i.next===n&&(i.next=r),i=i.cursor},E.prototype.getSize=function(){for(var e=0,t=this.head;t;)e++,t=t.next;return e},E.prototype.fromArray=function(e){var t=null;this.head=null;for(var n=0;n<e.length;n++){var r=C(e[n]);null!==t?t.next=r:this.head=r,r.prev=t,t=r}return this.tail=t,this},E.prototype.toArray=function(){for(var e=this.head,t=[];e;)t.push(e.data),e=e.next;return t},E.prototype.toJSON=E.prototype.toArray,E.prototype.isEmpty=function(){return null===this.head},E.prototype.first=function(){return this.head&&this.head.data},E.prototype.last=function(){return this.tail&&this.tail.data},E.prototype.each=function(e,t){var n;void 0===t&&(t=this);for(var r=k(this,null,this.head);null!==r.next;)n=r.next,r.next=n.next,e.call(t,n.data,n,this);O(this)},E.prototype.forEach=E.prototype.each,E.prototype.eachRight=function(e,t){var n;void 0===t&&(t=this);for(var r=k(this,this.tail,null);null!==r.prev;)n=r.prev,r.prev=n.prev,e.call(t,n.data,n,this);O(this)},E.prototype.forEachRight=E.prototype.eachRight,E.prototype.reduce=function(e,t,n){var r;void 0===n&&(n=this);for(var i=k(this,null,this.head),o=t;null!==i.next;)r=i.next,i.next=r.next,o=e.call(n,o,r.data,r,this);return O(this),o},E.prototype.reduceRight=function(e,t,n){var r;void 0===n&&(n=this);for(var i=k(this,this.tail,null),o=t;null!==i.prev;)r=i.prev,i.prev=r.prev,o=e.call(n,o,r.data,r,this);return O(this),o},E.prototype.nextUntil=function(e,t,n){if(null!==e){var r;void 0===n&&(n=this);for(var i=k(this,null,e);null!==i.next&&(r=i.next,i.next=r.next,!t.call(n,r.data,r,this)););O(this)}},E.prototype.prevUntil=function(e,t,n){if(null!==e){var r;void 0===n&&(n=this);for(var i=k(this,e,null);null!==i.prev&&(r=i.prev,i.prev=r.prev,!t.call(n,r.data,r,this)););O(this)}},E.prototype.some=function(e,t){var n=this.head;for(void 0===t&&(t=this);null!==n;){if(e.call(t,n.data,n,this))return!0;n=n.next}return!1},E.prototype.map=function(e,t){var n=new E,r=this.head;for(void 0===t&&(t=this);null!==r;)n.appendData(e.call(t,r.data,r,this)),r=r.next;return n},E.prototype.filter=function(e,t){var n=new E,r=this.head;for(void 0===t&&(t=this);null!==r;)e.call(t,r.data,r,this)&&n.appendData(r.data),r=r.next;return n},E.prototype.clear=function(){this.head=null,this.tail=null},E.prototype.copy=function(){for(var e=new E,t=this.head;null!==t;)e.insert(C(t.data)),t=t.next;return e},E.prototype.prepend=function(e){return this.updateCursors(null,e,this.head,e),null!==this.head?(this.head.prev=e,e.next=this.head):this.tail=e,this.head=e,this},E.prototype.prependData=function(e){return this.prepend(C(e))},E.prototype.append=function(e){return this.insert(e)},E.prototype.appendData=function(e){return this.insert(C(e))},E.prototype.insert=function(e,t){if(null!=t)if(this.updateCursors(t.prev,e,t,e),null===t.prev){if(this.head!==t)throw new Error("before doesn't belong to list");this.head=e,t.prev=e,e.next=t,this.updateCursors(null,e)}else t.prev.next=e,e.prev=t.prev,t.prev=e,e.next=t;else this.updateCursors(this.tail,e,null,e),null!==this.tail?(this.tail.next=e,e.prev=this.tail):this.head=e,this.tail=e;return this},E.prototype.insertData=function(e,t){return this.insert(C(e),t)},E.prototype.remove=function(e){if(this.updateCursors(e,e.prev,e,e.next),null!==e.prev)e.prev.next=e.next;else{if(this.head!==e)throw new Error("item doesn't belong to list");this.head=e.next}if(null!==e.next)e.next.prev=e.prev;else{if(this.tail!==e)throw new Error("item doesn't belong to list");this.tail=e.prev}return e.prev=null,e.next=null,e},E.prototype.push=function(e){this.insert(C(e))},E.prototype.pop=function(){if(null!==this.tail)return this.remove(this.tail)},E.prototype.unshift=function(e){this.prepend(C(e))},E.prototype.shift=function(){if(null!==this.head)return this.remove(this.head)},E.prototype.prependList=function(e){return this.insertList(e,this.head)},E.prototype.appendList=function(e){return this.insertList(e)},E.prototype.insertList=function(e,t){return null===e.head||(null!=t?(this.updateCursors(t.prev,e.tail,t,e.head),null!==t.prev?(t.prev.next=e.head,e.head.prev=t.prev):this.head=e.head,t.prev=e.tail,e.tail.next=t):(this.updateCursors(this.tail,e.tail,null,e.head),null!==this.tail?(this.tail.next=e.head,e.head.prev=this.tail):this.head=e.head,this.tail=e.tail),e.head=null,e.tail=null),this},E.prototype.replace=function(e,t){"head"in t?this.insertList(t,e):this.insert(t,e),this.remove(e)};var A=E,_=function(e,t){var n=Object.create(SyntaxError.prototype),r=new Error;return n.name=e,n.message=t,Object.defineProperty(n,"stack",{get:function(){return(r.stack||"").replace(/^(.+\n){1,3}/,e+": "+t+"\n")}}),n},z=_,R=" ";function L(e,t){function n(e,t){return r.slice(e,t).map((function(t,n){for(var r=String(e+n+1);r.length<l;)r=" "+r;return r+" |"+t})).join("\n")}var r=e.source.split(/\r\n?|\n|\f/),i=e.line,o=e.column,a=Math.max(1,i-t)-1,s=Math.min(i+t,r.length+1),l=Math.max(4,String(s).length)+1,u=0;(o+=(R.length-1)*(r[i-1].substr(0,o-1).match(/\t/g)||[]).length)>100&&(u=o-60+3,o=58);for(var c=a;c<=s;c++)c>=0&&c<r.length&&(r[c]=r[c].replace(/\t/g,R),r[c]=(u>0&&r[c].length>u?"…":"")+r[c].substr(u,98)+(r[c].length>u+100-1?"…":""));return[n(a,i),new Array(o+l+2).join("-")+"^",n(i,s)].filter(Boolean).join("\n")}var P=function(e,t,n,r,i){var o=z("SyntaxError",e);return o.source=t,o.offset=n,o.line=r,o.column=i,o.sourceFragment=function(e){return L(o,isNaN(e)?0:e)},Object.defineProperty(o,"formattedMessage",{get:function(){return"Parse error: "+o.message+"\n"+L(o,2)}}),o.parseError={offset:n,line:r,column:i},o},B={EOF:0,Ident:1,Function:2,AtKeyword:3,Hash:4,String:5,BadString:6,Url:7,BadUrl:8,Delim:9,Number:10,Percentage:11,Dimension:12,WhiteSpace:13,CDO:14,CDC:15,Colon:16,Semicolon:17,Comma:18,LeftSquareBracket:19,RightSquareBracket:20,LeftParenthesis:21,RightParenthesis:22,LeftCurlyBracket:23,RightCurlyBracket:24,Comment:25},W=Object.keys(B).reduce((function(e,t){return e[B[t]]=t,e}),{}),M={TYPE:B,NAME:W};function U(e){return e>=48&&e<=57}function I(e){return e>=65&&e<=90}function N(e){return e>=97&&e<=122}function q(e){return I(e)||N(e)}function D(e){return e>=128}function V(e){return q(e)||D(e)||95===e}function j(e){return e>=0&&e<=8||11===e||e>=14&&e<=31||127===e}function F(e){return 10===e||13===e||12===e}function G(e){return F(e)||32===e||9===e}function K(e,t){return 92===e&&(!F(t)&&0!==t)}var Y=new Array(128);$.Eof=128,$.WhiteSpace=130,$.Digit=131,$.NameStart=132,$.NonPrintable=133;for(var H=0;H<Y.length;H++)switch(!0){case G(H):Y[H]=$.WhiteSpace;break;case U(H):Y[H]=$.Digit;break;case V(H):Y[H]=$.NameStart;break;case j(H):Y[H]=$.NonPrintable;break;default:Y[H]=H||$.Eof}function $(e){return e<128?Y[e]:$.NameStart}var Q={isDigit:U,isHexDigit:function(e){return U(e)||e>=65&&e<=70||e>=97&&e<=102},isUppercaseLetter:I,isLowercaseLetter:N,isLetter:q,isNonAscii:D,isNameStart:V,isName:function(e){return V(e)||U(e)||45===e},isNonPrintable:j,isNewline:F,isWhiteSpace:G,isValidEscape:K,isIdentifierStart:function(e,t,n){return 45===e?V(t)||45===t||K(t,n):!!V(e)||92===e&&K(e,t)},isNumberStart:function(e,t,n){return 43===e||45===e?U(t)?2:46===t&&U(n)?3:0:46===e?U(t)?2:0:U(e)?1:0},isBOM:function(e){return 65279===e||65534===e?1:0},charCodeCategory:$},Z=Q.isDigit,X=Q.isHexDigit,J=Q.isUppercaseLetter,ee=Q.isName,te=Q.isWhiteSpace,ne=Q.isValidEscape;function re(e,t){return t<e.length?e.charCodeAt(t):0}function ie(e,t,n){return 13===n&&10===re(e,t+1)?2:1}function oe(e,t,n){var r=e.charCodeAt(t);return J(r)&&(r|=32),r===n}function ae(e,t){for(;t<e.length&&Z(e.charCodeAt(t));t++);return t}function se(e,t){if(X(re(e,(t+=2)-1))){for(var n=Math.min(e.length,t+5);t<n&&X(re(e,t));t++);var r=re(e,t);te(r)&&(t+=ie(e,t,r))}return t}var le={consumeEscaped:se,consumeName:function(e,t){for(;t<e.length;t++){var n=e.charCodeAt(t);if(!ee(n)){if(!ne(n,re(e,t+1)))break;t=se(e,t)-1}}return t},consumeNumber:function(e,t){var n=e.charCodeAt(t);if(43!==n&&45!==n||(n=e.charCodeAt(t+=1)),Z(n)&&(t=ae(e,t+1),n=e.charCodeAt(t)),46===n&&Z(e.charCodeAt(t+1))&&(n=e.charCodeAt(t+=2),t=ae(e,t)),oe(e,t,101)){var r=0;45!==(n=e.charCodeAt(t+1))&&43!==n||(r=1,n=e.charCodeAt(t+2)),Z(n)&&(t=ae(e,t+1+r+1))}return t},consumeBadUrlRemnants:function(e,t){for(;t<e.length;t++){var n=e.charCodeAt(t);if(41===n){t++;break}ne(n,re(e,t+1))&&(t=se(e,t))}return t},cmpChar:oe,cmpStr:function(e,t,n,r){if(n-t!==r.length)return!1;if(t<0||n>e.length)return!1;for(var i=t;i<n;i++){var o=e.charCodeAt(i),a=r.charCodeAt(i-t);if(J(o)&&(o|=32),o!==a)return!1}return!0},getNewlineLength:ie,findWhiteSpaceStart:function(e,t){for(;t>=0&&te(e.charCodeAt(t));t--);return t+1},findWhiteSpaceEnd:function(e,t){for(;t<e.length&&te(e.charCodeAt(t));t++);return t}},ue=M.TYPE,ce=M.NAME,de=le.cmpStr,pe=ue.EOF,me=ue.WhiteSpace,he=ue.Comment,fe=16777215,ge=24,ye=function(){this.offsetAndType=null,this.balance=null,this.reset()};ye.prototype={reset:function(){this.eof=!1,this.tokenIndex=-1,this.tokenType=0,this.tokenStart=this.firstCharOffset,this.tokenEnd=this.firstCharOffset},lookupType:function(e){return(e+=this.tokenIndex)<this.tokenCount?this.offsetAndType[e]>>ge:pe},lookupOffset:function(e){return(e+=this.tokenIndex)<this.tokenCount?this.offsetAndType[e-1]&fe:this.source.length},lookupValue:function(e,t){return(e+=this.tokenIndex)<this.tokenCount&&de(this.source,this.offsetAndType[e-1]&fe,this.offsetAndType[e]&fe,t)},getTokenStart:function(e){return e===this.tokenIndex?this.tokenStart:e>0?e<this.tokenCount?this.offsetAndType[e-1]&fe:this.offsetAndType[this.tokenCount]&fe:this.firstCharOffset},getRawLength:function(e,t){var n,r=e,i=this.offsetAndType[Math.max(r-1,0)]&fe;e:for(;r<this.tokenCount&&!((n=this.balance[r])<e);r++)switch(t(this.offsetAndType[r]>>ge,this.source,i)){case 1:break e;case 2:r++;break e;default:this.balance[n]===r&&(r=n),i=this.offsetAndType[r]&fe}return r-this.tokenIndex},isBalanceEdge:function(e){return this.balance[this.tokenIndex]<e},isDelim:function(e,t){return t?this.lookupType(t)===ue.Delim&&this.source.charCodeAt(this.lookupOffset(t))===e:this.tokenType===ue.Delim&&this.source.charCodeAt(this.tokenStart)===e},getTokenValue:function(){return this.source.substring(this.tokenStart,this.tokenEnd)},getTokenLength:function(){return this.tokenEnd-this.tokenStart},substrToCursor:function(e){return this.source.substring(e,this.tokenStart)},skipWS:function(){for(var e=this.tokenIndex,t=0;e<this.tokenCount&&this.offsetAndType[e]>>ge===me;e++,t++);t>0&&this.skip(t)},skipSC:function(){for(;this.tokenType===me||this.tokenType===he;)this.next()},skip:function(e){var t=this.tokenIndex+e;t<this.tokenCount?(this.tokenIndex=t,this.tokenStart=this.offsetAndType[t-1]&fe,t=this.offsetAndType[t],this.tokenType=t>>ge,this.tokenEnd=t&fe):(this.tokenIndex=this.tokenCount,this.next())},next:function(){var e=this.tokenIndex+1;e<this.tokenCount?(this.tokenIndex=e,this.tokenStart=this.tokenEnd,e=this.offsetAndType[e],this.tokenType=e>>ge,this.tokenEnd=e&fe):(this.tokenIndex=this.tokenCount,this.eof=!0,this.tokenType=pe,this.tokenStart=this.tokenEnd=this.source.length)},forEachToken(e){for(var t=0,n=this.firstCharOffset;t<this.tokenCount;t++){var r=n,i=this.offsetAndType[t],o=i&fe;n=o,e(i>>ge,r,o,t)}},dump(){var e=new Array(this.tokenCount);return this.forEachToken(((t,n,r,i)=>{e[i]={idx:i,type:ce[t],chunk:this.source.substring(n,r),balance:this.balance[i]}})),e}};var ve=ye;function be(e){return e}function Se(e,t,n,r){var i,o;switch(e.type){case"Group":i=function(e,t,n,r){var i=" "===e.combinator||r?e.combinator:" "+e.combinator+" ",o=e.terms.map((function(e){return Se(e,t,n,r)})).join(i);return(e.explicit||n)&&(o=(r||","===o[0]?"[":"[ ")+o+(r?"]":" ]")),o}(e,t,n,r)+(e.disallowEmpty?"!":"");break;case"Multiplier":return Se(e.term,t,n,r)+t(0===(o=e).min&&0===o.max?"*":0===o.min&&1===o.max?"?":1===o.min&&0===o.max?o.comma?"#":"+":1===o.min&&1===o.max?"":(o.comma?"#":"")+(o.min===o.max?"{"+o.min+"}":"{"+o.min+","+(0!==o.max?o.max:"")+"}"),e);case"Type":i="<"+e.name+(e.opts?t(function(e){switch(e.type){case"Range":return" ["+(null===e.min?"-∞":e.min)+","+(null===e.max?"∞":e.max)+"]";default:throw new Error("Unknown node type `"+e.type+"`")}}(e.opts),e.opts):"")+">";break;case"Property":i="<'"+e.name+"'>";break;case"Keyword":i=e.name;break;case"AtKeyword":i="@"+e.name;break;case"Function":i=e.name+"(";break;case"String":case"Token":i=e.value;break;case"Comma":i=",";break;default:throw new Error("Unknown node type `"+e.type+"`")}return t(i,e)}var xe=function(e,t){var n=be,r=!1,i=!1;return"function"==typeof t?n=t:t&&(r=Boolean(t.forceBraces),i=Boolean(t.compact),"function"==typeof t.decorate&&(n=t.decorate)),Se(e,n,r,i)};const we=_,Ce=xe,ke={offset:0,line:1,column:1};function Oe(e,t){const n=e&&e.loc&&e.loc[t];return n?"line"in n?Te(n):n:null}function Te({offset:e,line:t,column:n},r){const i={offset:e,line:t,column:n};if(r){const e=r.split(/\n|\r\n?|\f/);i.offset+=r.length,i.line+=e.length-1,i.column=1===e.length?i.column+r.length:e.pop().length+1}return i}var Ee=function(e,t){const n=we("SyntaxReferenceError",e+(t?" `"+t+"`":""));return n.reference=t,n},Ae=function(e,t,n,r){const i=we("SyntaxMatchError",e),{css:o,mismatchOffset:a,mismatchLength:s,start:l,end:u}=function(e,t){const n=e.tokens,r=e.longestMatch,i=r<n.length&&n[r].node||null,o=i!==t?i:null;let a,s,l=0,u=0,c=0,d="";for(let e=0;e<n.length;e++){const t=n[e].value;e===r&&(u=t.length,l=d.length),null!==o&&n[e].node===o&&(e<=r?c++:c=0),d+=t}return r===n.length||c>1?(a=Oe(o||t,"end")||Te(ke,d),s=Te(a)):(a=Oe(o,"start")||Te(Oe(t,"start")||ke,d.slice(0,l)),s=Oe(o,"end")||Te(a,d.substr(l,u))),{css:d,mismatchOffset:l,mismatchLength:u,start:a,end:s}}(r,n);return i.rawMessage=e,i.syntax=t?Ce(t):"<generic>",i.css=o,i.mismatchOffset=a,i.mismatchLength=s,i.message=e+"\n syntax: "+i.syntax+"\n value: "+(o||"<empty string>")+"\n --------"+new Array(i.mismatchOffset+1).join("-")+"^",Object.assign(i,l),i.loc={source:n&&n.loc&&n.loc.source||"<unknown>",start:l,end:u},i},_e=Object.prototype.hasOwnProperty,ze=Object.create(null),Re=Object.create(null);function Le(e,t){return t=t||0,e.length-t>=2&&45===e.charCodeAt(t)&&45===e.charCodeAt(t+1)}function Pe(e,t){if(t=t||0,e.length-t>=3&&45===e.charCodeAt(t)&&45!==e.charCodeAt(t+1)){var n=e.indexOf("-",t+2);if(-1!==n)return e.substring(t,n+1)}return""}var Be={keyword:function(e){if(_e.call(ze,e))return ze[e];var t=e.toLowerCase();if(_e.call(ze,t))return ze[e]=ze[t];var n=Le(t,0),r=n?"":Pe(t,0);return ze[e]=Object.freeze({basename:t.substr(r.length),name:t,vendor:r,prefix:r,custom:n})},property:function(e){if(_e.call(Re,e))return Re[e];var t=e,n=e[0];"/"===n?n="/"===e[1]?"//":"/":"_"!==n&&"*"!==n&&"$"!==n&&"#"!==n&&"+"!==n&&"&"!==n&&(n="");var r=Le(t,n.length);if(!r&&(t=t.toLowerCase(),_e.call(Re,t)))return Re[e]=Re[t];var i=r?"":Pe(t,n.length),o=t.substr(0,n.length+i.length);return Re[e]=Object.freeze({basename:t.substr(o.length),name:t.substr(n.length),hack:n,vendor:i,prefix:o,custom:r})},isCustomProperty:Le,vendorPrefix:Pe},We="undefined"!=typeof Uint32Array?Uint32Array:Array,Me=function(e,t){return null===e||e.length<t?new We(Math.max(t+1024,16384)):e},Ue=ve,Ie=Me,Ne=M,qe=Ne.TYPE,De=Q,Ve=De.isNewline,je=De.isName,Fe=De.isValidEscape,Ge=De.isNumberStart,Ke=De.isIdentifierStart,Ye=De.charCodeCategory,He=De.isBOM,$e=le,Qe=$e.cmpStr,Ze=$e.getNewlineLength,Xe=$e.findWhiteSpaceEnd,Je=$e.consumeEscaped,et=$e.consumeName,tt=$e.consumeNumber,nt=$e.consumeBadUrlRemnants,rt=16777215,it=24;function ot(e,t){function n(t){return t<a?e.charCodeAt(t):0}function r(){return d=tt(e,d),Ke(n(d),n(d+1),n(d+2))?(g=qe.Dimension,void(d=et(e,d))):37===n(d)?(g=qe.Percentage,void d++):void(g=qe.Number)}function i(){const t=d;return d=et(e,d),Qe(e,t,d,"url")&&40===n(d)?34===n(d=Xe(e,d+1))||39===n(d)?(g=qe.Function,void(d=t+4)):void function(){for(g=qe.Url,d=Xe(e,d);d<e.length;d++){var t=e.charCodeAt(d);switch(Ye(t)){case 41:return void d++;case Ye.Eof:return;case Ye.WhiteSpace:return 41===n(d=Xe(e,d))||d>=e.length?void(d<e.length&&d++):(d=nt(e,d),void(g=qe.BadUrl));case 34:case 39:case 40:case Ye.NonPrintable:return d=nt(e,d),void(g=qe.BadUrl);case 92:if(Fe(t,n(d+1))){d=Je(e,d)-1;break}return d=nt(e,d),void(g=qe.BadUrl)}}}():40===n(d)?(g=qe.Function,void d++):void(g=qe.Ident)}function o(t){for(t||(t=n(d++)),g=qe.String;d<e.length;d++){var r=e.charCodeAt(d);switch(Ye(r)){case t:return void d++;case Ye.Eof:return;case Ye.WhiteSpace:if(Ve(r))return d+=Ze(e,d,r),void(g=qe.BadString);break;case 92:if(d===e.length-1)break;var i=n(d+1);Ve(i)?d+=Ze(e,d+1,i):Fe(r,i)&&(d=Je(e,d)-1)}}}t||(t=new Ue);for(var a=(e=String(e||"")).length,s=Ie(t.offsetAndType,a+1),l=Ie(t.balance,a+1),u=0,c=He(n(0)),d=c,p=0,m=0,h=0;d<a;){var f=e.charCodeAt(d),g=0;switch(l[u]=a,Ye(f)){case Ye.WhiteSpace:g=qe.WhiteSpace,d=Xe(e,d+1);break;case 34:o();break;case 35:je(n(d+1))||Fe(n(d+1),n(d+2))?(g=qe.Hash,d=et(e,d+1)):(g=qe.Delim,d++);break;case 39:o();break;case 40:g=qe.LeftParenthesis,d++;break;case 41:g=qe.RightParenthesis,d++;break;case 43:Ge(f,n(d+1),n(d+2))?r():(g=qe.Delim,d++);break;case 44:g=qe.Comma,d++;break;case 45:Ge(f,n(d+1),n(d+2))?r():45===n(d+1)&&62===n(d+2)?(g=qe.CDC,d+=3):Ke(f,n(d+1),n(d+2))?i():(g=qe.Delim,d++);break;case 46:Ge(f,n(d+1),n(d+2))?r():(g=qe.Delim,d++);break;case 47:42===n(d+1)?(g=qe.Comment,1===(d=e.indexOf("*/",d+2)+2)&&(d=e.length)):(g=qe.Delim,d++);break;case 58:g=qe.Colon,d++;break;case 59:g=qe.Semicolon,d++;break;case 60:33===n(d+1)&&45===n(d+2)&&45===n(d+3)?(g=qe.CDO,d+=4):(g=qe.Delim,d++);break;case 64:Ke(n(d+1),n(d+2),n(d+3))?(g=qe.AtKeyword,d=et(e,d+1)):(g=qe.Delim,d++);break;case 91:g=qe.LeftSquareBracket,d++;break;case 92:Fe(f,n(d+1))?i():(g=qe.Delim,d++);break;case 93:g=qe.RightSquareBracket,d++;break;case 123:g=qe.LeftCurlyBracket,d++;break;case 125:g=qe.RightCurlyBracket,d++;break;case Ye.Digit:r();break;case Ye.NameStart:i();break;case Ye.Eof:break;default:g=qe.Delim,d++}switch(g){case p:for(p=(m=l[h=m&rt])>>it,l[u]=h,l[h++]=u;h<u;h++)l[h]===a&&(l[h]=u);break;case qe.LeftParenthesis:case qe.Function:l[u]=m,m=(p=qe.RightParenthesis)<<it|u;break;case qe.LeftSquareBracket:l[u]=m,m=(p=qe.RightSquareBracket)<<it|u;break;case qe.LeftCurlyBracket:l[u]=m,m=(p=qe.RightCurlyBracket)<<it|u}s[u++]=g<<it|d}for(s[u]=qe.EOF<<it|d,l[u]=a,l[a]=a;0!==m;)m=l[h=m&rt],l[h]=a;return t.source=e,t.firstCharOffset=c,t.offsetAndType=s,t.tokenCount=u,t.balance=l,t.reset(),t.next(),t}Object.keys(Ne).forEach((function(e){ot[e]=Ne[e]})),Object.keys(De).forEach((function(e){ot[e]=De[e]})),Object.keys($e).forEach((function(e){ot[e]=$e[e]}));var at=ot,st=at.isDigit,lt=at.cmpChar,ut=at.TYPE,ct=ut.Delim,dt=ut.WhiteSpace,pt=ut.Comment,mt=ut.Ident,ht=ut.Number,ft=ut.Dimension,gt=45,yt=!0;function vt(e,t){return null!==e&&e.type===ct&&e.value.charCodeAt(0)===t}function bt(e,t,n){for(;null!==e&&(e.type===dt||e.type===pt);)e=n(++t);return t}function St(e,t,n,r){if(!e)return 0;var i=e.value.charCodeAt(t);if(43===i||i===gt){if(n)return 0;t++}for(;t<e.value.length;t++)if(!st(e.value.charCodeAt(t)))return 0;return r+1}function xt(e,t,n){var r=!1,i=bt(e,t,n);if(null===(e=n(i)))return t;if(e.type!==ht){if(!vt(e,43)&&!vt(e,gt))return t;if(r=!0,i=bt(n(++i),i,n),null===(e=n(i))&&e.type!==ht)return 0}if(!r){var o=e.value.charCodeAt(0);if(43!==o&&o!==gt)return 0}return St(e,r?0:1,r,i)}var wt=at.isHexDigit,Ct=at.cmpChar,kt=at.TYPE,Ot=kt.Ident,Tt=kt.Delim,Et=kt.Number,At=kt.Dimension;function _t(e,t){return null!==e&&e.type===Tt&&e.value.charCodeAt(0)===t}function zt(e,t){return e.value.charCodeAt(0)===t}function Rt(e,t,n){for(var r=t,i=0;r<e.value.length;r++){var o=e.value.charCodeAt(r);if(45===o&&n&&0!==i)return Rt(e,t+i+1,!1)>0?6:0;if(!wt(o))return 0;if(++i>6)return 0}return i}function Lt(e,t,n){if(!e)return 0;for(;_t(n(t),63);){if(++e>6)return 0;t++}return t}var Pt=at,Bt=Pt.isIdentifierStart,Wt=Pt.isHexDigit,Mt=Pt.isDigit,Ut=Pt.cmpStr,It=Pt.consumeNumber,Nt=Pt.TYPE,qt=function(e,t){var n=0;if(!e)return 0;if(e.type===ht)return St(e,0,false,n);if(e.type===mt&&e.value.charCodeAt(0)===gt){if(!lt(e.value,1,110))return 0;switch(e.value.length){case 2:return xt(t(++n),n,t);case 3:return e.value.charCodeAt(2)!==gt?0:(n=bt(t(++n),n,t),St(e=t(n),0,yt,n));default:return e.value.charCodeAt(2)!==gt?0:St(e,3,yt,n)}}else if(e.type===mt||vt(e,43)&&t(n+1).type===mt){if(e.type!==mt&&(e=t(++n)),null===e||!lt(e.value,0,110))return 0;switch(e.value.length){case 1:return xt(t(++n),n,t);case 2:return e.value.charCodeAt(1)!==gt?0:(n=bt(t(++n),n,t),St(e=t(n),0,yt,n));default:return e.value.charCodeAt(1)!==gt?0:St(e,2,yt,n)}}else if(e.type===ft){for(var r=e.value.charCodeAt(0),i=43===r||r===gt?1:0,o=i;o<e.value.length&&st(e.value.charCodeAt(o));o++);return o===i?0:lt(e.value,o,110)?o+1===e.value.length?xt(t(++n),n,t):e.value.charCodeAt(o+1)!==gt?0:o+2===e.value.length?(n=bt(t(++n),n,t),St(e=t(n),0,yt,n)):St(e,o+2,yt,n):0}return 0},Dt=function(e,t){var n=0;if(null===e||e.type!==Ot||!Ct(e.value,0,117))return 0;if(null===(e=t(++n)))return 0;if(_t(e,43))return null===(e=t(++n))?0:e.type===Ot?Lt(Rt(e,0,!0),++n,t):_t(e,63)?Lt(1,++n,t):0;if(e.type===Et){if(!zt(e,43))return 0;var r=Rt(e,1,!0);return 0===r?0:null===(e=t(++n))?n:e.type===At||e.type===Et?zt(e,45)&&Rt(e,1,!1)?n+1:0:Lt(r,n,t)}return e.type===At&&zt(e,43)?Lt(Rt(e,1,!0),++n,t):0},Vt=["unset","initial","inherit"],jt=["calc(","-moz-calc(","-webkit-calc("];function Ft(e,t){return t<e.length?e.charCodeAt(t):0}function Gt(e,t){return Ut(e,0,e.length,t)}function Kt(e,t){for(var n=0;n<t.length;n++)if(Gt(e,t[n]))return!0;return!1}function Yt(e,t){return t===e.length-2&&(92===e.charCodeAt(t)&&Mt(e.charCodeAt(t+1)))}function Ht(e,t,n){if(e&&"Range"===e.type){var r=Number(void 0!==n&&n!==t.length?t.substr(0,n):t);if(isNaN(r))return!0;if(null!==e.min&&r<e.min)return!0;if(null!==e.max&&r>e.max)return!0}return!1}function $t(e,t){var n=e.index,r=0;do{if(r++,e.balance<=n)break}while(e=t(r));return r}function Qt(e){return function(t,n,r){return null===t?0:t.type===Nt.Function&&Kt(t.value,jt)?$t(t,n):e(t,n,r)}}function Zt(e){return function(t){return null===t||t.type!==e?0:1}}function Xt(e){return function(t,n,r){if(null===t||t.type!==Nt.Dimension)return 0;var i=It(t.value,0);if(null!==e){var o=t.value.indexOf("\\",i),a=-1!==o&&Yt(t.value,o)?t.value.substring(i,o):t.value.substr(i);if(!1===e.hasOwnProperty(a.toLowerCase()))return 0}return Ht(r,t.value,i)?0:1}}function Jt(e){return"function"!=typeof e&&(e=function(){return 0}),function(t,n,r){return null!==t&&t.type===Nt.Number&&0===Number(t.value)?1:e(t,n,r)}}var en={"ident-token":Zt(Nt.Ident),"function-token":Zt(Nt.Function),"at-keyword-token":Zt(Nt.AtKeyword),"hash-token":Zt(Nt.Hash),"string-token":Zt(Nt.String),"bad-string-token":Zt(Nt.BadString),"url-token":Zt(Nt.Url),"bad-url-token":Zt(Nt.BadUrl),"delim-token":Zt(Nt.Delim),"number-token":Zt(Nt.Number),"percentage-token":Zt(Nt.Percentage),"dimension-token":Zt(Nt.Dimension),"whitespace-token":Zt(Nt.WhiteSpace),"CDO-token":Zt(Nt.CDO),"CDC-token":Zt(Nt.CDC),"colon-token":Zt(Nt.Colon),"semicolon-token":Zt(Nt.Semicolon),"comma-token":Zt(Nt.Comma),"[-token":Zt(Nt.LeftSquareBracket),"]-token":Zt(Nt.RightSquareBracket),"(-token":Zt(Nt.LeftParenthesis),")-token":Zt(Nt.RightParenthesis),"{-token":Zt(Nt.LeftCurlyBracket),"}-token":Zt(Nt.RightCurlyBracket),string:Zt(Nt.String),ident:Zt(Nt.Ident),"custom-ident":function(e){if(null===e||e.type!==Nt.Ident)return 0;var t=e.value.toLowerCase();return Kt(t,Vt)||Gt(t,"default")?0:1},"custom-property-name":function(e){return null===e||e.type!==Nt.Ident||45!==Ft(e.value,0)||45!==Ft(e.value,1)?0:1},"hex-color":function(e){if(null===e||e.type!==Nt.Hash)return 0;var t=e.value.length;if(4!==t&&5!==t&&7!==t&&9!==t)return 0;for(var n=1;n<t;n++)if(!Wt(e.value.charCodeAt(n)))return 0;return 1},"id-selector":function(e){return null===e||e.type!==Nt.Hash?0:Bt(Ft(e.value,1),Ft(e.value,2),Ft(e.value,3))?1:0},"an-plus-b":qt,urange:Dt,"declaration-value":function(e,t){if(!e)return 0;var n=0,r=0,i=e.index;e:do{switch(e.type){case Nt.BadString:case Nt.BadUrl:break e;case Nt.RightCurlyBracket:case Nt.RightParenthesis:case Nt.RightSquareBracket:if(e.balance>e.index||e.balance<i)break e;r--;break;case Nt.Semicolon:if(0===r)break e;break;case Nt.Delim:if("!"===e.value&&0===r)break e;break;case Nt.Function:case Nt.LeftParenthesis:case Nt.LeftSquareBracket:case Nt.LeftCurlyBracket:r++}if(n++,e.balance<=i)break}while(e=t(n));return n},"any-value":function(e,t){if(!e)return 0;var n=e.index,r=0;e:do{switch(e.type){case Nt.BadString:case Nt.BadUrl:break e;case Nt.RightCurlyBracket:case Nt.RightParenthesis:case Nt.RightSquareBracket:if(e.balance>e.index||e.balance<n)break e}if(r++,e.balance<=n)break}while(e=t(r));return r},dimension:Qt(Xt(null)),angle:Qt(Xt({deg:!0,grad:!0,rad:!0,turn:!0})),decibel:Qt(Xt({db:!0})),frequency:Qt(Xt({hz:!0,khz:!0})),flex:Qt(Xt({fr:!0})),length:Qt(Jt(Xt({px:!0,mm:!0,cm:!0,in:!0,pt:!0,pc:!0,q:!0,em:!0,ex:!0,ch:!0,rem:!0,vh:!0,vw:!0,vmin:!0,vmax:!0,vm:!0}))),resolution:Qt(Xt({dpi:!0,dpcm:!0,dppx:!0,x:!0})),semitones:Qt(Xt({st:!0})),time:Qt(Xt({s:!0,ms:!0})),percentage:Qt((function(e,t,n){return null===e||e.type!==Nt.Percentage||Ht(n,e.value,e.value.length-1)?0:1})),zero:Jt(),number:Qt((function(e,t,n){if(null===e)return 0;var r=It(e.value,0);return r===e.value.length||Yt(e.value,r)?Ht(n,e.value,r)?0:1:0})),integer:Qt((function(e,t,n){if(null===e||e.type!==Nt.Number)return 0;for(var r=43===e.value.charCodeAt(0)||45===e.value.charCodeAt(0)?1:0;r<e.value.length;r++)if(!Mt(e.value.charCodeAt(r)))return 0;return Ht(n,e.value,r)?0:1})),"-ms-legacy-expression":function(e){return e+="(",function(t,n){return null!==t&&Gt(t.value,e)?$t(t,n):0}}("expression")},tn=_,nn=function(e,t,n){var r=tn("SyntaxError",e);return r.input=t,r.offset=n,r.rawMessage=e,r.message=r.rawMessage+"\n "+r.input+"\n--"+new Array((r.offset||r.input.length)+1).join("-")+"^",r},rn=nn,on=function(e){this.str=e,this.pos=0};on.prototype={charCodeAt:function(e){return e<this.str.length?this.str.charCodeAt(e):0},charCode:function(){return this.charCodeAt(this.pos)},nextCharCode:function(){return this.charCodeAt(this.pos+1)},nextNonWsCode:function(e){return this.charCodeAt(this.findWsEnd(e))},findWsEnd:function(e){for(;e<this.str.length;e++){var t=this.str.charCodeAt(e);if(13!==t&&10!==t&&12!==t&&32!==t&&9!==t)break}return e},substringToPos:function(e){return this.str.substring(this.pos,this.pos=e)},eat:function(e){this.charCode()!==e&&this.error("Expect `"+String.fromCharCode(e)+"`"),this.pos++},peek:function(){return this.pos<this.str.length?this.str.charAt(this.pos++):""},error:function(e){throw new rn(e,this.str,this.pos)}};var an=on,sn=123,ln=function(e){for(var t="function"==typeof Uint32Array?new Uint32Array(128):new Array(128),n=0;n<128;n++)t[n]=e(String.fromCharCode(n))?1:0;return t}((function(e){return/[a-zA-Z0-9\-]/.test(e)})),un={" ":1,"&&":2,"||":3,"|":4};function cn(e){return e.substringToPos(e.findWsEnd(e.pos))}function dn(e){for(var t=e.pos;t<e.str.length;t++){var n=e.str.charCodeAt(t);if(n>=128||0===ln[n])break}return e.pos===t&&e.error("Expect a keyword"),e.substringToPos(t)}function pn(e){for(var t=e.pos;t<e.str.length;t++){var n=e.str.charCodeAt(t);if(n<48||n>57)break}return e.pos===t&&e.error("Expect a number"),e.substringToPos(t)}function mn(e){var t=e.str.indexOf("'",e.pos+1);return-1===t&&(e.pos=e.str.length,e.error("Expect an apostrophe")),e.substringToPos(t+1)}function hn(e){var t,n=null;return e.eat(sn),t=pn(e),44===e.charCode()?(e.pos++,125!==e.charCode()&&(n=pn(e))):n=t,e.eat(125),{min:Number(t),max:n?Number(n):0}}function fn(e,t){var n=function(e){var t=null,n=!1;switch(e.charCode()){case 42:e.pos++,t={min:0,max:0};break;case 43:e.pos++,t={min:1,max:0};break;case 63:e.pos++,t={min:0,max:1};break;case 35:e.pos++,n=!0,t=e.charCode()===sn?hn(e):{min:1,max:0};break;case sn:t=hn(e);break;default:return null}return{type:"Multiplier",comma:n,min:t.min,max:t.max,term:null}}(e);return null!==n?(n.term=t,n):t}function gn(e){var t=e.peek();return""===t?null:{type:"Token",value:t}}function yn(e){var t,n=null;return e.eat(60),t=dn(e),40===e.charCode()&&41===e.nextCharCode()&&(e.pos+=2,t+="()"),91===e.charCodeAt(e.findWsEnd(e.pos))&&(cn(e),n=function(e){var t=null,n=null,r=1;return e.eat(91),45===e.charCode()&&(e.peek(),r=-1),-1==r&&8734===e.charCode()?e.peek():t=r*Number(pn(e)),cn(e),e.eat(44),cn(e),8734===e.charCode()?e.peek():(r=1,45===e.charCode()&&(e.peek(),r=-1),n=r*Number(pn(e))),e.eat(93),null===t&&null===n?null:{type:"Range",min:t,max:n}}(e)),e.eat(62),fn(e,{type:"Type",name:t,opts:n})}function vn(e,t){function n(e,t){return{type:"Group",terms:e,combinator:t,disallowEmpty:!1,explicit:!1}}for(t=Object.keys(t).sort((function(e,t){return un[e]-un[t]}));t.length>0;){for(var r=t.shift(),i=0,o=0;i<e.length;i++){var a=e[i];"Combinator"===a.type&&(a.value===r?(-1===o&&(o=i-1),e.splice(i,1),i--):(-1!==o&&i-o>1&&(e.splice(o,i-o,n(e.slice(o,i),r)),i=o+1),o=-1))}-1!==o&&t.length&&e.splice(o,i-o,n(e.slice(o,i),r))}return r}function bn(e){for(var t,n=[],r={},i=null,o=e.pos;t=Sn(e);)"Spaces"!==t.type&&("Combinator"===t.type?(null!==i&&"Combinator"!==i.type||(e.pos=o,e.error("Unexpected combinator")),r[t.value]=!0):null!==i&&"Combinator"!==i.type&&(r[" "]=!0,n.push({type:"Combinator",value:" "})),n.push(t),i=t,o=e.pos);return null!==i&&"Combinator"===i.type&&(e.pos-=o,e.error("Unexpected combinator")),{type:"Group",terms:n,combinator:vn(n,r)||" ",disallowEmpty:!1,explicit:!1}}function Sn(e){var t=e.charCode();if(t<128&&1===ln[t])return function(e){var t;return t=dn(e),40===e.charCode()?(e.pos++,{type:"Function",name:t}):fn(e,{type:"Keyword",name:t})}(e);switch(t){case 93:break;case 91:return fn(e,function(e){var t;return e.eat(91),t=bn(e),e.eat(93),t.explicit=!0,33===e.charCode()&&(e.pos++,t.disallowEmpty=!0),t}(e));case 60:return 39===e.nextCharCode()?function(e){var t;return e.eat(60),e.eat(39),t=dn(e),e.eat(39),e.eat(62),fn(e,{type:"Property",name:t})}(e):yn(e);case 124:return{type:"Combinator",value:e.substringToPos(124===e.nextCharCode()?e.pos+2:e.pos+1)};case 38:return e.pos++,e.eat(38),{type:"Combinator",value:"&&"};case 44:return e.pos++,{type:"Comma"};case 39:return fn(e,{type:"String",value:mn(e)});case 32:case 9:case 10:case 13:case 12:return{type:"Spaces",value:cn(e)};case 64:return(t=e.nextCharCode())<128&&1===ln[t]?(e.pos++,{type:"AtKeyword",name:dn(e)}):gn(e);case 42:case 43:case 63:case 35:case 33:break;case sn:if((t=e.nextCharCode())<48||t>57)return gn(e);break;default:return gn(e)}}function xn(e){var t=new an(e),n=bn(t);return t.pos!==e.length&&t.error("Unexpected input"),1===n.terms.length&&"Group"===n.terms[0].type&&(n=n.terms[0]),n}xn("[a&&<b>#|<'c'>*||e() f{2} /,(% g#{1,2} h{2,})]!");var wn=xn,Cn=function(){};function kn(e){return"function"==typeof e?e:Cn}var On=function(e,t,n){var r=Cn,i=Cn;if("function"==typeof t?r=t:t&&(r=kn(t.enter),i=kn(t.leave)),r===Cn&&i===Cn)throw new Error("Neither `enter` nor `leave` walker handler is set or both aren't a function");!function e(t){switch(r.call(n,t),t.type){case"Group":t.terms.forEach(e);break;case"Multiplier":e(t.term);break;case"Type":case"Property":case"Keyword":case"AtKeyword":case"Function":case"String":case"Token":case"Comma":break;default:throw new Error("Unknown type: "+t.type)}i.call(n,t)}(e)},Tn=at,En=new ve,An={decorator:function(e){var t=null,n={len:0,node:null},r=[n],i="";return{children:e.children,node:function(n){var r=t;t=n,e.node.call(this,n),t=r},chunk:function(e){i+=e,n.node!==t?r.push({len:e.length,node:t}):n.len+=e.length},result:function(){return _n(i,r)}}}};function _n(e,t){var n=[],r=0,i=0,o=t?t[i].node:null;for(Tn(e,En);!En.eof;){if(t)for(;i<t.length&&r+t[i].len<=En.tokenStart;)r+=t[i++].len,o=t[i].node;n.push({type:En.tokenType,value:En.getTokenValue(),index:En.tokenIndex,balance:En.balance[En.tokenIndex],node:o}),En.next()}return n}var zn=wn,Rn={type:"Match"},Ln={type:"Mismatch"},Pn={type:"DisallowEmpty"};function Bn(e,t,n){return t===Rn&&n===Ln||e===Rn&&t===Rn&&n===Rn?e:("If"===e.type&&e.else===Ln&&t===Rn&&(t=e.then,e=e.match),{type:"If",match:e,then:t,else:n})}function Wn(e){return e.length>2&&40===e.charCodeAt(e.length-2)&&41===e.charCodeAt(e.length-1)}function Mn(e){return"Keyword"===e.type||"AtKeyword"===e.type||"Function"===e.type||"Type"===e.type&&Wn(e.name)}function Un(e,t,n){switch(e){case" ":for(var r=Rn,i=t.length-1;i>=0;i--){r=Bn(s=t[i],r,Ln)}return r;case"|":r=Ln;var o=null;for(i=t.length-1;i>=0;i--){if(Mn(s=t[i])&&(null===o&&i>0&&Mn(t[i-1])&&(r=Bn({type:"Enum",map:o=Object.create(null)},Rn,r)),null!==o)){var a=(Wn(s.name)?s.name.slice(0,-1):s.name).toLowerCase();if(a in o==!1){o[a]=s;continue}}o=null,r=Bn(s,Rn,r)}return r;case"&&":if(t.length>5)return{type:"MatchOnce",terms:t,all:!0};for(r=Ln,i=t.length-1;i>=0;i--){var s=t[i];l=t.length>1?Un(e,t.filter((function(e){return e!==s})),!1):Rn,r=Bn(s,l,r)}return r;case"||":if(t.length>5)return{type:"MatchOnce",terms:t,all:!1};for(r=n?Rn:Ln,i=t.length-1;i>=0;i--){var l;s=t[i];l=t.length>1?Un(e,t.filter((function(e){return e!==s})),!0):Rn,r=Bn(s,l,r)}return r}}function In(e){if("function"==typeof e)return{type:"Generic",fn:e};switch(e.type){case"Group":var t=Un(e.combinator,e.terms.map(In),!1);return e.disallowEmpty&&(t=Bn(t,Pn,Ln)),t;case"Multiplier":return function(e){var t=Rn,n=In(e.term);if(0===e.max)n=Bn(n,Pn,Ln),(t=Bn(n,null,Ln)).then=Bn(Rn,Rn,t),e.comma&&(t.then.else=Bn({type:"Comma",syntax:e},t,Ln));else for(var r=e.min||1;r<=e.max;r++)e.comma&&t!==Rn&&(t=Bn({type:"Comma",syntax:e},t,Ln)),t=Bn(n,Bn(Rn,Rn,t),Ln);if(0===e.min)t=Bn(Rn,Rn,t);else for(r=0;r<e.min-1;r++)e.comma&&t!==Rn&&(t=Bn({type:"Comma",syntax:e},t,Ln)),t=Bn(n,t,Ln);return t}(e);case"Type":case"Property":return{type:e.type,name:e.name,syntax:e};case"Keyword":return{type:e.type,name:e.name.toLowerCase(),syntax:e};case"AtKeyword":return{type:e.type,name:"@"+e.name.toLowerCase(),syntax:e};case"Function":return{type:e.type,name:e.name.toLowerCase()+"(",syntax:e};case"String":return 3===e.value.length?{type:"Token",value:e.value.charAt(1),syntax:e}:{type:e.type,value:e.value.substr(1,e.value.length-2).replace(/\\'/g,"'"),syntax:e};case"Token":return{type:e.type,value:e.value,syntax:e};case"Comma":return{type:e.type,syntax:e};default:throw new Error("Unknown node type:",e.type)}}var Nn={MATCH:Rn,MISMATCH:Ln,DISALLOW_EMPTY:Pn,buildMatchGraph:function(e,t){return"string"==typeof e&&(e=zn(e)),{type:"MatchGraph",match:In(e),syntax:t||null,source:e}}},qn=Object.prototype.hasOwnProperty,Dn=Nn.MATCH,Vn=Nn.MISMATCH,jn=Nn.DISALLOW_EMPTY,Fn=M.TYPE,Gn="Match";function Kn(e){for(var t=null,n=null,r=e;null!==r;)n=r.prev,r.prev=t,t=r,r=n;return t}function Yn(e,t){if(e.length!==t.length)return!1;for(var n=0;n<e.length;n++){var r=e.charCodeAt(n);if(r>=65&&r<=90&&(r|=32),r!==t.charCodeAt(n))return!1}return!0}function Hn(e){return null===e||(e.type===Fn.Comma||e.type===Fn.Function||e.type===Fn.LeftParenthesis||e.type===Fn.LeftSquareBracket||e.type===Fn.LeftCurlyBracket||function(e){return e.type===Fn.Delim&&"?"!==e.value}(e))}function $n(e){return null===e||(e.type===Fn.RightParenthesis||e.type===Fn.RightSquareBracket||e.type===Fn.RightCurlyBracket||e.type===Fn.Delim)}function Qn(e,t,n){function r(){do{y++,g=y<e.length?e[y]:null}while(null!==g&&(g.type===Fn.WhiteSpace||g.type===Fn.Comment))}function i(t){var n=y+t;return n<e.length?e[n]:null}function o(e,t){return{nextState:e,matchStack:b,syntaxStack:c,thenStack:d,tokenIndex:y,prev:t}}function a(e){d={nextState:e,matchStack:b,syntaxStack:c,prev:d}}function s(e){p=o(e,p)}function l(){b={type:1,syntax:t.syntax,token:g,prev:b},r(),m=null,y>v&&(v=y)}function u(){b=2===b.type?b.prev:{type:3,syntax:c.syntax,token:b.token,prev:b},c=c.prev}var c=null,d=null,p=null,m=null,h=0,f=null,g=null,y=-1,v=0,b={type:0,syntax:null,token:null,prev:null};for(r();null===f&&++h<15e3;)switch(t.type){case"Match":if(null===d){if(null!==g&&(y!==e.length-1||"\\0"!==g.value&&"\\9"!==g.value)){t=Vn;break}f=Gn;break}if((t=d.nextState)===jn){if(d.matchStack===b){t=Vn;break}t=Dn}for(;d.syntaxStack!==c;)u();d=d.prev;break;case"Mismatch":if(null!==m&&!1!==m)(null===p||y>p.tokenIndex)&&(p=m,m=!1);else if(null===p){f="Mismatch";break}t=p.nextState,d=p.thenStack,c=p.syntaxStack,b=p.matchStack,y=p.tokenIndex,g=y<e.length?e[y]:null,p=p.prev;break;case"MatchGraph":t=t.match;break;case"If":t.else!==Vn&&s(t.else),t.then!==Dn&&a(t.then),t=t.match;break;case"MatchOnce":t={type:"MatchOnceBuffer",syntax:t,index:0,mask:0};break;case"MatchOnceBuffer":var S=t.syntax.terms;if(t.index===S.length){if(0===t.mask||t.syntax.all){t=Vn;break}t=Dn;break}if(t.mask===(1<<S.length)-1){t=Dn;break}for(;t.index<S.length;t.index++){var x=1<<t.index;if(0==(t.mask&x)){s(t),a({type:"AddMatchOnce",syntax:t.syntax,mask:t.mask|x}),t=S[t.index++];break}}break;case"AddMatchOnce":t={type:"MatchOnceBuffer",syntax:t.syntax,index:0,mask:t.mask};break;case"Enum":if(null!==g)if(-1!==(T=g.value.toLowerCase()).indexOf("\\")&&(T=T.replace(/\\[09].*$/,"")),qn.call(t.map,T)){t=t.map[T];break}t=Vn;break;case"Generic":var w=null!==c?c.opts:null,C=y+Math.floor(t.fn(g,i,w));if(!isNaN(C)&&C>y){for(;y<C;)l();t=Dn}else t=Vn;break;case"Type":case"Property":var k="Type"===t.type?"types":"properties",O=qn.call(n,k)?n[k][t.name]:null;if(!O||!O.match)throw new Error("Bad syntax reference: "+("Type"===t.type?"<"+t.name+">":"<'"+t.name+"'>"));if(!1!==m&&null!==g&&"Type"===t.type)if("custom-ident"===t.name&&g.type===Fn.Ident||"length"===t.name&&"0"===g.value){null===m&&(m=o(t,p)),t=Vn;break}c={syntax:t.syntax,opts:t.syntax.opts||null!==c&&c.opts||null,prev:c},b={type:2,syntax:t.syntax,token:b.token,prev:b},t=O.match;break;case"Keyword":var T=t.name;if(null!==g){var E=g.value;if(-1!==E.indexOf("\\")&&(E=E.replace(/\\[09].*$/,"")),Yn(E,T)){l(),t=Dn;break}}t=Vn;break;case"AtKeyword":case"Function":if(null!==g&&Yn(g.value,t.name)){l(),t=Dn;break}t=Vn;break;case"Token":if(null!==g&&g.value===t.value){l(),t=Dn;break}t=Vn;break;case"Comma":null!==g&&g.type===Fn.Comma?Hn(b.token)?t=Vn:(l(),t=$n(g)?Vn:Dn):t=Hn(b.token)||$n(g)?Dn:Vn;break;case"String":var A="";for(C=y;C<e.length&&A.length<t.value.length;C++)A+=e[C].value;if(Yn(A,t.value)){for(;y<C;)l();t=Dn}else t=Vn;break;default:throw new Error("Unknown node type: "+t.type)}switch(h,f){case null:console.warn("[csstree-match] BREAK after 15000 iterations"),f="Maximum iteration number exceeded (please fill an issue on https://github.com/csstree/csstree/issues)",b=null;break;case Gn:for(;null!==c;)u();break;default:b=null}return{tokens:e,reason:f,iterations:h,match:b,longestMatch:v}}var Zn=function(e,t,n){var r=Qn(e,t,n||{});if(null===r.match)return r;var i=r.match,o=r.match={syntax:t.syntax||null,match:[]},a=[o];for(i=Kn(i).prev;null!==i;){switch(i.type){case 2:o.match.push(o={syntax:i.syntax,match:[]}),a.push(o);break;case 3:a.pop(),o=a[a.length-1];break;default:o.match.push({syntax:i.syntax||null,token:i.token.value,node:i.token.node})}i=i.prev}return r};function Xn(e){function t(e){return null!==e&&("Type"===e.type||"Property"===e.type||"Keyword"===e.type)}var n=null;return null!==this.matched&&function r(i){if(Array.isArray(i.match)){for(var o=0;o<i.match.length;o++)if(r(i.match[o]))return t(i.syntax)&&n.unshift(i.syntax),!0}else if(i.node===e)return n=t(i.syntax)?[i.syntax]:[],!0;return!1}(this.matched),n}function Jn(e,t,n){var r=Xn.call(e,t);return null!==r&&r.some(n)}var er={getTrace:Xn,isType:function(e,t){return Jn(this,e,(function(e){return"Type"===e.type&&e.name===t}))},isProperty:function(e,t){return Jn(this,e,(function(e){return"Property"===e.type&&e.name===t}))},isKeyword:function(e){return Jn(this,e,(function(e){return"Keyword"===e.type}))}},tr=A;function nr(e){return"node"in e?e.node:nr(e.match[0])}function rr(e){return"node"in e?e.node:rr(e.match[e.match.length-1])}var ir={matchFragments:function(e,t,n,r,i){var o=[];return null!==n.matched&&function n(a){if(null!==a.syntax&&a.syntax.type===r&&a.syntax.name===i){var s=nr(a),l=rr(a);e.syntax.walk(t,(function(e,t,n){if(e===s){var r=new tr;do{if(r.appendData(t.data),t.data===l)break;t=t.next}while(null!==t);o.push({parent:n,nodes:r})}}))}Array.isArray(a.match)&&a.match.forEach(n)}(n.matched),o}},or=A,ar=Object.prototype.hasOwnProperty;function sr(e){return"number"==typeof e&&isFinite(e)&&Math.floor(e)===e&&e>=0}function lr(e){return Boolean(e)&&sr(e.offset)&&sr(e.line)&&sr(e.column)}function ur(e,t){return function(n,r){if(!n||n.constructor!==Object)return r(n,"Type of node should be an Object");for(var i in n){var o=!0;if(!1!==ar.call(n,i)){if("type"===i)n.type!==e&&r(n,"Wrong node type `"+n.type+"`, expected `"+e+"`");else if("loc"===i){if(null===n.loc)continue;if(n.loc&&n.loc.constructor===Object)if("string"!=typeof n.loc.source)i+=".source";else if(lr(n.loc.start)){if(lr(n.loc.end))continue;i+=".end"}else i+=".start";o=!1}else if(t.hasOwnProperty(i)){var a=0;for(o=!1;!o&&a<t[i].length;a++){var s=t[i][a];switch(s){case String:o="string"==typeof n[i];break;case Boolean:o="boolean"==typeof n[i];break;case null:o=null===n[i];break;default:"string"==typeof s?o=n[i]&&n[i].type===s:Array.isArray(s)&&(o=n[i]instanceof or)}}}else r(n,"Unknown field `"+i+"` for "+e+" node type");o||r(n,"Bad value for `"+e+"."+i+"`")}}for(var i in t)ar.call(t,i)&&!1===ar.call(n,i)&&r(n,"Field `"+e+"."+i+"` is missed")}}function cr(e,t){var n=t.structure,r={type:String,loc:!0},i={type:'"'+e+'"'};for(var o in n)if(!1!==ar.call(n,o)){for(var a=[],s=r[o]=Array.isArray(n[o])?n[o].slice():[n[o]],l=0;l<s.length;l++){var u=s[l];if(u===String||u===Boolean)a.push(u.name);else if(null===u)a.push("null");else if("string"==typeof u)a.push("<"+u+">");else{if(!Array.isArray(u))throw new Error("Wrong value `"+u+"` in `"+e+"."+o+"` structure definition");a.push("List")}}i[o]=a.join(" | ")}return{docs:i,check:ur(e,r)}}var dr=Ee,pr=Ae,mr=Be,hr=en,fr=wn,gr=xe,yr=On,vr=function(e,t){return"string"==typeof e?_n(e,null):t.generate(e,An)},br=Nn.buildMatchGraph,Sr=Zn,xr=er,wr=ir,Cr=function(e){var t={};if(e.node)for(var n in e.node)if(ar.call(e.node,n)){var r=e.node[n];if(!r.structure)throw new Error("Missed `structure` field in `"+n+"` node type definition");t[n]=cr(n,r)}return t},kr=br("inherit | initial | unset"),Or=br("inherit | initial | unset | <-ms-legacy-expression>");function Tr(e,t,n){var r={};for(var i in e)e[i].syntax&&(r[i]=n?e[i].syntax:gr(e[i].syntax,{compact:t}));return r}function Er(e,t,n){const r={};for(const[i,o]of Object.entries(e))r[i]={prelude:o.prelude&&(n?o.prelude.syntax:gr(o.prelude.syntax,{compact:t})),descriptors:o.descriptors&&Tr(o.descriptors,t,n)};return r}function Ar(e,t,n){return{matched:e,iterations:n,error:t,getTrace:xr.getTrace,isType:xr.isType,isProperty:xr.isProperty,isKeyword:xr.isKeyword}}function _r(e,t,n,r){var i,o=vr(n,e.syntax);return function(e){for(var t=0;t<e.length;t++)if("var("===e[t].value.toLowerCase())return!0;return!1}(o)?Ar(null,new Error("Matching for a tree with var() is not supported")):(r&&(i=Sr(o,e.valueCommonSyntax,e)),r&&i.match||(i=Sr(o,t.match,e)).match?Ar(i.match,null,i.iterations):Ar(null,new pr(i.reason,t.syntax,n,i),i.iterations))}var zr=function(e,t,n){if(this.valueCommonSyntax=kr,this.syntax=t,this.generic=!1,this.atrules={},this.properties={},this.types={},this.structure=n||Cr(e),e){if(e.types)for(var r in e.types)this.addType_(r,e.types[r]);if(e.generic)for(var r in this.generic=!0,hr)this.addType_(r,hr[r]);if(e.atrules)for(var r in e.atrules)this.addAtrule_(r,e.atrules[r]);if(e.properties)for(var r in e.properties)this.addProperty_(r,e.properties[r])}};zr.prototype={structure:{},checkStructure:function(e){function t(e,t){r.push({node:e,message:t})}var n=this.structure,r=[];return this.syntax.walk(e,(function(e){n.hasOwnProperty(e.type)?n[e.type].check(e,t):t(e,"Unknown node type `"+e.type+"`")})),!!r.length&&r},createDescriptor:function(e,t,n,r=null){var i={type:t,name:n},o={type:t,name:n,parent:r,syntax:null,match:null};return"function"==typeof e?o.match=br(e,i):("string"==typeof e?Object.defineProperty(o,"syntax",{get:function(){return Object.defineProperty(o,"syntax",{value:fr(e)}),o.syntax}}):o.syntax=e,Object.defineProperty(o,"match",{get:function(){return Object.defineProperty(o,"match",{value:br(o.syntax,i)}),o.match}})),o},addAtrule_:function(e,t){t&&(this.atrules[e]={type:"Atrule",name:e,prelude:t.prelude?this.createDescriptor(t.prelude,"AtrulePrelude",e):null,descriptors:t.descriptors?Object.keys(t.descriptors).reduce(((n,r)=>(n[r]=this.createDescriptor(t.descriptors[r],"AtruleDescriptor",r,e),n)),{}):null})},addProperty_:function(e,t){t&&(this.properties[e]=this.createDescriptor(t,"Property",e))},addType_:function(e,t){t&&(this.types[e]=this.createDescriptor(t,"Type",e),t===hr["-ms-legacy-expression"]&&(this.valueCommonSyntax=Or))},checkAtruleName:function(e){if(!this.getAtrule(e))return new dr("Unknown at-rule","@"+e)},checkAtrulePrelude:function(e,t){let n=this.checkAtruleName(e);if(n)return n;var r=this.getAtrule(e);return!r.prelude&&t?new SyntaxError("At-rule `@"+e+"` should not contain a prelude"):r.prelude&&!t?new SyntaxError("At-rule `@"+e+"` should contain a prelude"):void 0},checkAtruleDescriptorName:function(e,t){let n=this.checkAtruleName(e);if(n)return n;var r=this.getAtrule(e),i=mr.keyword(t);return r.descriptors?r.descriptors[i.name]||r.descriptors[i.basename]?void 0:new dr("Unknown at-rule descriptor",t):new SyntaxError("At-rule `@"+e+"` has no known descriptors")},checkPropertyName:function(e){return mr.property(e).custom?new Error("Lexer matching doesn't applicable for custom properties"):this.getProperty(e)?void 0:new dr("Unknown property",e)},matchAtrulePrelude:function(e,t){var n=this.checkAtrulePrelude(e,t);return n?Ar(null,n):t?_r(this,this.getAtrule(e).prelude,t,!1):Ar(null,null)},matchAtruleDescriptor:function(e,t,n){var r=this.checkAtruleDescriptorName(e,t);if(r)return Ar(null,r);var i=this.getAtrule(e),o=mr.keyword(t);return _r(this,i.descriptors[o.name]||i.descriptors[o.basename],n,!1)},matchDeclaration:function(e){return"Declaration"!==e.type?Ar(null,new Error("Not a Declaration node")):this.matchProperty(e.property,e.value)},matchProperty:function(e,t){var n=this.checkPropertyName(e);return n?Ar(null,n):_r(this,this.getProperty(e),t,!0)},matchType:function(e,t){var n=this.getType(e);return n?_r(this,n,t,!1):Ar(null,new dr("Unknown type",e))},match:function(e,t){return"string"==typeof e||e&&e.type?("string"!=typeof e&&e.match||(e=this.createDescriptor(e,"Type","anonymous")),_r(this,e,t,!1)):Ar(null,new dr("Bad syntax"))},findValueFragments:function(e,t,n,r){return wr.matchFragments(this,t,this.matchProperty(e,t),n,r)},findDeclarationValueFragments:function(e,t,n){return wr.matchFragments(this,e.value,this.matchDeclaration(e),t,n)},findAllFragments:function(e,t,n){var r=[];return this.syntax.walk(e,{visit:"Declaration",enter:function(e){r.push.apply(r,this.findDeclarationValueFragments(e,t,n))}.bind(this)}),r},getAtrule:function(e,t=!0){var n=mr.keyword(e);return(n.vendor&&t?this.atrules[n.name]||this.atrules[n.basename]:this.atrules[n.name])||null},getAtrulePrelude:function(e,t=!0){const n=this.getAtrule(e,t);return n&&n.prelude||null},getAtruleDescriptor:function(e,t){return this.atrules.hasOwnProperty(e)&&this.atrules.declarators&&this.atrules[e].declarators[t]||null},getProperty:function(e,t=!0){var n=mr.property(e);return(n.vendor&&t?this.properties[n.name]||this.properties[n.basename]:this.properties[n.name])||null},getType:function(e){return this.types.hasOwnProperty(e)?this.types[e]:null},validate:function(){function e(r,i,o,a){if(o.hasOwnProperty(i))return o[i];o[i]=!1,null!==a.syntax&&yr(a.syntax,(function(a){if("Type"===a.type||"Property"===a.type){var s="Type"===a.type?r.types:r.properties,l="Type"===a.type?t:n;s.hasOwnProperty(a.name)&&!e(r,a.name,l,s[a.name])||(o[i]=!0)}}),this)}var t={},n={};for(var r in this.types)e(this,r,t,this.types[r]);for(var r in this.properties)e(this,r,n,this.properties[r]);return t=Object.keys(t).filter((function(e){return t[e]})),n=Object.keys(n).filter((function(e){return n[e]})),t.length||n.length?{types:t,properties:n}:null},dump:function(e,t){return{generic:this.generic,types:Tr(this.types,!t,e),properties:Tr(this.properties,!t,e),atrules:Er(this.atrules,!t,e)}},toString:function(){return JSON.stringify(this.dump())}};var Rr=zr,Lr={SyntaxError:nn,parse:wn,generate:xe,walk:On},Pr=Me,Br=at.isBOM;var Wr=function(){this.lines=null,this.columns=null,this.linesAndColumnsComputed=!1};Wr.prototype={setSource:function(e,t,n,r){this.source=e,this.startOffset=void 0===t?0:t,this.startLine=void 0===n?1:n,this.startColumn=void 0===r?1:r,this.linesAndColumnsComputed=!1},ensureLinesAndColumnsComputed:function(){this.linesAndColumnsComputed||(!function(e,t){for(var n=t.length,r=Pr(e.lines,n),i=e.startLine,o=Pr(e.columns,n),a=e.startColumn,s=t.length>0?Br(t.charCodeAt(0)):0;s<n;s++){var l=t.charCodeAt(s);r[s]=i,o[s]=a++,10!==l&&13!==l&&12!==l||(13===l&&s+1<n&&10===t.charCodeAt(s+1)&&(r[++s]=i,o[s]=a),i++,a=1)}r[s]=i,o[s]=a,e.lines=r,e.columns=o}(this,this.source),this.linesAndColumnsComputed=!0)},getLocation:function(e,t){return this.ensureLinesAndColumnsComputed(),{source:t,offset:this.startOffset+e,line:this.lines[e],column:this.columns[e]}},getLocationRange:function(e,t,n){return this.ensureLinesAndColumnsComputed(),{source:n,start:{offset:this.startOffset+e,line:this.lines[e],column:this.columns[e]},end:{offset:this.startOffset+t,line:this.lines[t],column:this.columns[t]}}}};var Mr=Wr,Ur=at.TYPE,Ir=Ur.WhiteSpace,Nr=Ur.Comment,qr=Mr,Dr=P,Vr=ve,jr=A,Fr=at,Gr=M,{findWhiteSpaceStart:Kr,cmpStr:Yr}=le,Hr=function(e){var t=this.createList(),n=null,r={recognizer:e,space:null,ignoreWS:!1,ignoreWSAfter:!1};for(this.scanner.skipSC();!this.scanner.eof;){switch(this.scanner.tokenType){case Nr:this.scanner.next();continue;case Ir:r.ignoreWS?this.scanner.next():r.space=this.WhiteSpace();continue}if(void 0===(n=e.getNode.call(this,r)))break;null!==r.space&&(t.push(r.space),r.space=null),t.push(n),r.ignoreWSAfter?(r.ignoreWSAfter=!1,r.ignoreWS=!0):r.ignoreWS=!1}return t},$r=function(){},Qr=Gr.TYPE,Zr=Gr.NAME,Xr=Qr.WhiteSpace,Jr=Qr.Comment,ei=Qr.Ident,ti=Qr.Function,ni=Qr.Url,ri=Qr.Hash,ii=Qr.Percentage,oi=Qr.Number;function ai(e){return function(){return this[e]()}}var si={},li={},ui={},ci="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split("");ui.encode=function(e){if(0<=e&&e<ci.length)return ci[e];throw new TypeError("Must be between 0 and 63: "+e)},ui.decode=function(e){return 65<=e&&e<=90?e-65:97<=e&&e<=122?e-97+26:48<=e&&e<=57?e-48+52:43==e?62:47==e?63:-1};var di=ui;li.encode=function(e){var t,n="",r=function(e){return e<0?1+(-e<<1):0+(e<<1)}(e);do{t=31&r,(r>>>=5)>0&&(t|=32),n+=di.encode(t)}while(r>0);return n},li.decode=function(e,t,n){var r,i,o,a,s=e.length,l=0,u=0;do{if(t>=s)throw new Error("Expected more digits in base 64 VLQ value.");if(-1===(i=di.decode(e.charCodeAt(t++))))throw new Error("Invalid base64 digit: "+e.charAt(t-1));r=!!(32&i),l+=(i&=31)<<u,u+=5}while(r);n.value=(a=(o=l)>>1,1==(1&o)?-a:a),n.rest=t};var pi={};!function(e){e.getArg=function(e,t,n){if(t in e)return e[t];if(3===arguments.length)return n;throw new Error('"'+t+'" is a required argument.')};var t=/^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/,n=/^data:.+\,.+$/;function r(e){var n=e.match(t);return n?{scheme:n[1],auth:n[2],host:n[3],port:n[4],path:n[5]}:null}function i(e){var t="";return e.scheme&&(t+=e.scheme+":"),t+="//",e.auth&&(t+=e.auth+"@"),e.host&&(t+=e.host),e.port&&(t+=":"+e.port),e.path&&(t+=e.path),t}function o(t){var n=t,o=r(t);if(o){if(!o.path)return t;n=o.path}for(var a,s=e.isAbsolute(n),l=n.split(/\/+/),u=0,c=l.length-1;c>=0;c--)"."===(a=l[c])?l.splice(c,1):".."===a?u++:u>0&&(""===a?(l.splice(c+1,u),u=0):(l.splice(c,2),u--));return""===(n=l.join("/"))&&(n=s?"/":"."),o?(o.path=n,i(o)):n}function a(e,t){""===e&&(e="."),""===t&&(t=".");var a=r(t),s=r(e);if(s&&(e=s.path||"/"),a&&!a.scheme)return s&&(a.scheme=s.scheme),i(a);if(a||t.match(n))return t;if(s&&!s.host&&!s.path)return s.host=t,i(s);var l="/"===t.charAt(0)?t:o(e.replace(/\/+$/,"")+"/"+t);return s?(s.path=l,i(s)):l}e.urlParse=r,e.urlGenerate=i,e.normalize=o,e.join=a,e.isAbsolute=function(e){return"/"===e.charAt(0)||t.test(e)},e.relative=function(e,t){""===e&&(e="."),e=e.replace(/\/$/,"");for(var n=0;0!==t.indexOf(e+"/");){var r=e.lastIndexOf("/");if(r<0)return t;if((e=e.slice(0,r)).match(/^([^\/]+:\/)?\/*$/))return t;++n}return Array(n+1).join("../")+t.substr(e.length+1)};var s=!("__proto__"in Object.create(null));function l(e){return e}function u(e){if(!e)return!1;var t=e.length;if(t<9)return!1;if(95!==e.charCodeAt(t-1)||95!==e.charCodeAt(t-2)||111!==e.charCodeAt(t-3)||116!==e.charCodeAt(t-4)||111!==e.charCodeAt(t-5)||114!==e.charCodeAt(t-6)||112!==e.charCodeAt(t-7)||95!==e.charCodeAt(t-8)||95!==e.charCodeAt(t-9))return!1;for(var n=t-10;n>=0;n--)if(36!==e.charCodeAt(n))return!1;return!0}function c(e,t){return e===t?0:null===e?1:null===t?-1:e>t?1:-1}e.toSetString=s?l:function(e){return u(e)?"$"+e:e},e.fromSetString=s?l:function(e){return u(e)?e.slice(1):e},e.compareByOriginalPositions=function(e,t,n){var r=c(e.source,t.source);return 0!==r||0!==(r=e.originalLine-t.originalLine)||0!==(r=e.originalColumn-t.originalColumn)||n||0!==(r=e.generatedColumn-t.generatedColumn)||0!==(r=e.generatedLine-t.generatedLine)?r:c(e.name,t.name)},e.compareByGeneratedPositionsDeflated=function(e,t,n){var r=e.generatedLine-t.generatedLine;return 0!==r||0!==(r=e.generatedColumn-t.generatedColumn)||n||0!==(r=c(e.source,t.source))||0!==(r=e.originalLine-t.originalLine)||0!==(r=e.originalColumn-t.originalColumn)?r:c(e.name,t.name)},e.compareByGeneratedPositionsInflated=function(e,t){var n=e.generatedLine-t.generatedLine;return 0!==n||0!==(n=e.generatedColumn-t.generatedColumn)||0!==(n=c(e.source,t.source))||0!==(n=e.originalLine-t.originalLine)||0!==(n=e.originalColumn-t.originalColumn)?n:c(e.name,t.name)},e.parseSourceMapInput=function(e){return JSON.parse(e.replace(/^\)]}'[^\n]*\n/,""))},e.computeSourceURL=function(e,t,n){if(t=t||"",e&&("/"!==e[e.length-1]&&"/"!==t[0]&&(e+="/"),t=e+t),n){var s=r(n);if(!s)throw new Error("sourceMapURL could not be parsed");if(s.path){var l=s.path.lastIndexOf("/");l>=0&&(s.path=s.path.substring(0,l+1))}t=a(i(s),t)}return o(t)}}(pi);var mi={},hi=pi,fi=Object.prototype.hasOwnProperty,gi="undefined"!=typeof Map;function yi(){this._array=[],this._set=gi?new Map:Object.create(null)}yi.fromArray=function(e,t){for(var n=new yi,r=0,i=e.length;r<i;r++)n.add(e[r],t);return n},yi.prototype.size=function(){return gi?this._set.size:Object.getOwnPropertyNames(this._set).length},yi.prototype.add=function(e,t){var n=gi?e:hi.toSetString(e),r=gi?this.has(e):fi.call(this._set,n),i=this._array.length;r&&!t||this._array.push(e),r||(gi?this._set.set(e,i):this._set[n]=i)},yi.prototype.has=function(e){if(gi)return this._set.has(e);var t=hi.toSetString(e);return fi.call(this._set,t)},yi.prototype.indexOf=function(e){if(gi){var t=this._set.get(e);if(t>=0)return t}else{var n=hi.toSetString(e);if(fi.call(this._set,n))return this._set[n]}throw new Error('"'+e+'" is not in the set.')},yi.prototype.at=function(e){if(e>=0&&e<this._array.length)return this._array[e];throw new Error("No element indexed by "+e)},yi.prototype.toArray=function(){return this._array.slice()},mi.ArraySet=yi;var vi={},bi=pi;function Si(){this._array=[],this._sorted=!0,this._last={generatedLine:-1,generatedColumn:0}}Si.prototype.unsortedForEach=function(e,t){this._array.forEach(e,t)},Si.prototype.add=function(e){var t,n,r,i,o,a;t=this._last,n=e,r=t.generatedLine,i=n.generatedLine,o=t.generatedColumn,a=n.generatedColumn,i>r||i==r&&a>=o||bi.compareByGeneratedPositionsInflated(t,n)<=0?(this._last=e,this._array.push(e)):(this._sorted=!1,this._array.push(e))},Si.prototype.toArray=function(){return this._sorted||(this._array.sort(bi.compareByGeneratedPositionsInflated),this._sorted=!0),this._array},vi.MappingList=Si;var xi=li,wi=pi,Ci=mi.ArraySet,ki=vi.MappingList;function Oi(e){e||(e={}),this._file=wi.getArg(e,"file",null),this._sourceRoot=wi.getArg(e,"sourceRoot",null),this._skipValidation=wi.getArg(e,"skipValidation",!1),this._sources=new Ci,this._names=new Ci,this._mappings=new ki,this._sourcesContents=null}Oi.prototype._version=3,Oi.fromSourceMap=function(e){var t=e.sourceRoot,n=new Oi({file:e.file,sourceRoot:t});return e.eachMapping((function(e){var r={generated:{line:e.generatedLine,column:e.generatedColumn}};null!=e.source&&(r.source=e.source,null!=t&&(r.source=wi.relative(t,r.source)),r.original={line:e.originalLine,column:e.originalColumn},null!=e.name&&(r.name=e.name)),n.addMapping(r)})),e.sources.forEach((function(r){var i=r;null!==t&&(i=wi.relative(t,r)),n._sources.has(i)||n._sources.add(i);var o=e.sourceContentFor(r);null!=o&&n.setSourceContent(r,o)})),n},Oi.prototype.addMapping=function(e){var t=wi.getArg(e,"generated"),n=wi.getArg(e,"original",null),r=wi.getArg(e,"source",null),i=wi.getArg(e,"name",null);this._skipValidation||this._validateMapping(t,n,r,i),null!=r&&(r=String(r),this._sources.has(r)||this._sources.add(r)),null!=i&&(i=String(i),this._names.has(i)||this._names.add(i)),this._mappings.add({generatedLine:t.line,generatedColumn:t.column,originalLine:null!=n&&n.line,originalColumn:null!=n&&n.column,source:r,name:i})},Oi.prototype.setSourceContent=function(e,t){var n=e;null!=this._sourceRoot&&(n=wi.relative(this._sourceRoot,n)),null!=t?(this._sourcesContents||(this._sourcesContents=Object.create(null)),this._sourcesContents[wi.toSetString(n)]=t):this._sourcesContents&&(delete this._sourcesContents[wi.toSetString(n)],0===Object.keys(this._sourcesContents).length&&(this._sourcesContents=null))},Oi.prototype.applySourceMap=function(e,t,n){var r=t;if(null==t){if(null==e.file)throw new Error('SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map\'s "file" property. Both were omitted.');r=e.file}var i=this._sourceRoot;null!=i&&(r=wi.relative(i,r));var o=new Ci,a=new Ci;this._mappings.unsortedForEach((function(t){if(t.source===r&&null!=t.originalLine){var s=e.originalPositionFor({line:t.originalLine,column:t.originalColumn});null!=s.source&&(t.source=s.source,null!=n&&(t.source=wi.join(n,t.source)),null!=i&&(t.source=wi.relative(i,t.source)),t.originalLine=s.line,t.originalColumn=s.column,null!=s.name&&(t.name=s.name))}var l=t.source;null==l||o.has(l)||o.add(l);var u=t.name;null==u||a.has(u)||a.add(u)}),this),this._sources=o,this._names=a,e.sources.forEach((function(t){var r=e.sourceContentFor(t);null!=r&&(null!=n&&(t=wi.join(n,t)),null!=i&&(t=wi.relative(i,t)),this.setSourceContent(t,r))}),this)},Oi.prototype._validateMapping=function(e,t,n,r){if(t&&"number"!=typeof t.line&&"number"!=typeof t.column)throw new Error("original.line and original.column are not numbers -- you probably meant to omit the original mapping entirely and only map the generated position. If so, pass null for the original mapping instead of an object with empty or null values.");if((!(e&&"line"in e&&"column"in e&&e.line>0&&e.column>=0)||t||n||r)&&!(e&&"line"in e&&"column"in e&&t&&"line"in t&&"column"in t&&e.line>0&&e.column>=0&&t.line>0&&t.column>=0&&n))throw new Error("Invalid mapping: "+JSON.stringify({generated:e,source:n,original:t,name:r}))},Oi.prototype._serializeMappings=function(){for(var e,t,n,r,i=0,o=1,a=0,s=0,l=0,u=0,c="",d=this._mappings.toArray(),p=0,m=d.length;p<m;p++){if(e="",(t=d[p]).generatedLine!==o)for(i=0;t.generatedLine!==o;)e+=";",o++;else if(p>0){if(!wi.compareByGeneratedPositionsInflated(t,d[p-1]))continue;e+=","}e+=xi.encode(t.generatedColumn-i),i=t.generatedColumn,null!=t.source&&(r=this._sources.indexOf(t.source),e+=xi.encode(r-u),u=r,e+=xi.encode(t.originalLine-1-s),s=t.originalLine-1,e+=xi.encode(t.originalColumn-a),a=t.originalColumn,null!=t.name&&(n=this._names.indexOf(t.name),e+=xi.encode(n-l),l=n)),c+=e}return c},Oi.prototype._generateSourcesContent=function(e,t){return e.map((function(e){if(!this._sourcesContents)return null;null!=t&&(e=wi.relative(t,e));var n=wi.toSetString(e);return Object.prototype.hasOwnProperty.call(this._sourcesContents,n)?this._sourcesContents[n]:null}),this)},Oi.prototype.toJSON=function(){var e={version:this._version,sources:this._sources.toArray(),names:this._names.toArray(),mappings:this._serializeMappings()};return null!=this._file&&(e.file=this._file),null!=this._sourceRoot&&(e.sourceRoot=this._sourceRoot),this._sourcesContents&&(e.sourcesContent=this._generateSourcesContent(e.sources,e.sourceRoot)),e},Oi.prototype.toString=function(){return JSON.stringify(this.toJSON())},si.SourceMapGenerator=Oi;var Ti=si.SourceMapGenerator,Ei={Atrule:!0,Selector:!0,Declaration:!0},Ai=function(e){var t=new Ti,n=1,r=0,i={line:1,column:0},o={line:0,column:0},a=!1,s={line:1,column:0},l={generated:s},u=e.node;e.node=function(e){if(e.loc&&e.loc.start&&Ei.hasOwnProperty(e.type)){var c=e.loc.start.line,d=e.loc.start.column-1;o.line===c&&o.column===d||(o.line=c,o.column=d,i.line=n,i.column=r,a&&(a=!1,i.line===s.line&&i.column===s.column||t.addMapping(l)),a=!0,t.addMapping({source:e.loc.source,original:o,generated:i}))}u.call(this,e),a&&Ei.hasOwnProperty(e.type)&&(s.line=n,s.column=r)};var c=e.chunk;e.chunk=function(e){for(var t=0;t<e.length;t++)10===e.charCodeAt(t)?(n++,r=0):r++;c(e)};var d=e.result;return e.result=function(){return a&&t.addMapping(l),{css:d(),map:t}},e},_i=Object.prototype.hasOwnProperty;function zi(e,t){var n=e.children,r=null;"function"!=typeof t?n.forEach(this.node,this):n.forEach((function(e){null!==r&&t.call(this,r),this.node(e),r=e}),this)}var Ri=A,Li=Object.prototype.hasOwnProperty,Pi=function(){};function Bi(e){return"function"==typeof e?e:Pi}function Wi(e,t){return function(n,r,i){n.type===t&&e.call(this,n,r,i)}}function Mi(e,t){var n=t.structure,r=[];for(var i in n)if(!1!==Li.call(n,i)){var o=n[i],a={name:i,type:!1,nullable:!1};Array.isArray(n[i])||(o=[n[i]]);for(var s=0;s<o.length;s++){var l=o[s];null===l?a.nullable=!0:"string"==typeof l?a.type="node":Array.isArray(l)&&(a.type="list")}a.type&&r.push(a)}return r.length?{context:t.walkContext,fields:r}:null}function Ui(e,t){var n=e.fields.slice(),r=e.context,i="string"==typeof r;return t&&n.reverse(),function(e,o,a,s){var l;i&&(l=o[r],o[r]=e);for(var u=0;u<n.length;u++){var c=n[u],d=e[c.name];if(!c.nullable||d)if("list"===c.type){if(t?d.reduceRight(s,!1):d.reduce(s,!1))return!0}else if(a(d))return!0}i&&(o[r]=l)}}function Ii(e){return{Atrule:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block},Rule:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block},Declaration:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block,DeclarationList:e.DeclarationList}}}var Ni=A;const qi=Object.prototype.hasOwnProperty,Di={generic:!0,types:Gi,atrules:{prelude:Ki,descriptors:Ki},properties:Gi,parseContext:function(e,t){return Object.assign(e,t)},scope:function e(t,n){for(const r in n)qi.call(n,r)&&(Vi(t[r])?e(t[r],ji(n[r])):t[r]=ji(n[r]));return t},atrule:["parse"],pseudo:["parse"],node:["name","structure","parse","generate","walkContext"]};function Vi(e){return e&&e.constructor===Object}function ji(e){return Vi(e)?Object.assign({},e):e}function Fi(e,t){return"string"==typeof t&&/^\s*\|/.test(t)?"string"==typeof e?e+t:t.replace(/^\s*\|\s*/,""):t||null}function Gi(e,t){if("string"==typeof t)return Fi(e,t);const n=Object.assign({},e);for(let r in t)qi.call(t,r)&&(n[r]=Fi(qi.call(e,r)?e[r]:void 0,t[r]));return n}function Ki(e,t){const n=Gi(e,t);return!Vi(n)||Object.keys(n).length?n:null}function Yi(e,t,n){for(const r in n)if(!1!==qi.call(n,r))if(!0===n[r])r in t&&qi.call(t,r)&&(e[r]=ji(t[r]));else if(n[r])if("function"==typeof n[r]){const i=n[r];e[r]=i({},e[r]),e[r]=i(e[r]||{},t[r])}else if(Vi(n[r])){const i={};for(let t in e[r])i[t]=Yi({},e[r][t],n[r]);for(let e in t[r])i[e]=Yi(i[e]||{},t[r][e],n[r]);e[r]=i}else if(Array.isArray(n[r])){const i={},o=n[r].reduce((function(e,t){return e[t]=!0,e}),{});for(const[t,n]of Object.entries(e[r]||{}))i[t]={},n&&Yi(i[t],n,o);for(const e in t[r])qi.call(t[r],e)&&(i[e]||(i[e]={}),t[r]&&t[r][e]&&Yi(i[e],t[r][e],o));e[r]=i}return e}var Hi=A,$i=P,Qi=ve,Zi=Rr,Xi=Lr,Ji=at,eo=function(e){var t={scanner:new Vr,locationMap:new qr,filename:"<unknown>",needPositions:!1,onParseError:$r,onParseErrorThrow:!1,parseAtrulePrelude:!0,parseRulePrelude:!0,parseValue:!0,parseCustomProperty:!1,readSequence:Hr,createList:function(){return new jr},createSingleNodeList:function(e){return(new jr).appendData(e)},getFirstListNode:function(e){return e&&e.first()},getLastListNode:function(e){return e.last()},parseWithFallback:function(e,t){var n=this.scanner.tokenIndex;try{return e.call(this)}catch(e){if(this.onParseErrorThrow)throw e;var r=t.call(this,n);return this.onParseErrorThrow=!0,this.onParseError(e,r),this.onParseErrorThrow=!1,r}},lookupNonWSType:function(e){do{var t=this.scanner.lookupType(e++);if(t!==Xr)return t}while(0!==t);return 0},eat:function(e){if(this.scanner.tokenType!==e){var t=this.scanner.tokenStart,n=Zr[e]+" is expected";switch(e){case ei:this.scanner.tokenType===ti||this.scanner.tokenType===ni?(t=this.scanner.tokenEnd-1,n="Identifier is expected but function found"):n="Identifier is expected";break;case ri:this.scanner.isDelim(35)&&(this.scanner.next(),t++,n="Name is expected");break;case ii:this.scanner.tokenType===oi&&(t=this.scanner.tokenEnd,n="Percent sign is expected");break;default:this.scanner.source.charCodeAt(this.scanner.tokenStart)===e&&(t+=1)}this.error(n,t)}this.scanner.next()},consume:function(e){var t=this.scanner.getTokenValue();return this.eat(e),t},consumeFunctionName:function(){var e=this.scanner.source.substring(this.scanner.tokenStart,this.scanner.tokenEnd-1);return this.eat(ti),e},getLocation:function(e,t){return this.needPositions?this.locationMap.getLocationRange(e,t,this.filename):null},getLocationFromList:function(e){if(this.needPositions){var t=this.getFirstListNode(e),n=this.getLastListNode(e);return this.locationMap.getLocationRange(null!==t?t.loc.start.offset-this.locationMap.startOffset:this.scanner.tokenStart,null!==n?n.loc.end.offset-this.locationMap.startOffset:this.scanner.tokenStart,this.filename)}return null},error:function(e,t){var n=void 0!==t&&t<this.scanner.source.length?this.locationMap.getLocation(t):this.scanner.eof?this.locationMap.getLocation(Kr(this.scanner.source,this.scanner.source.length-1)):this.locationMap.getLocation(this.scanner.tokenStart);throw new Dr(e||"Unexpected input",this.scanner.source,n.offset,n.line,n.column)}};for(var n in e=function(e){var t={context:{},scope:{},atrule:{},pseudo:{}};if(e.parseContext)for(var n in e.parseContext)switch(typeof e.parseContext[n]){case"function":t.context[n]=e.parseContext[n];break;case"string":t.context[n]=ai(e.parseContext[n])}if(e.scope)for(var n in e.scope)t.scope[n]=e.scope[n];if(e.atrule)for(var n in e.atrule){var r=e.atrule[n];r.parse&&(t.atrule[n]=r.parse)}if(e.pseudo)for(var n in e.pseudo){var i=e.pseudo[n];i.parse&&(t.pseudo[n]=i.parse)}if(e.node)for(var n in e.node)t[n]=e.node[n].parse;return t}(e||{}))t[n]=e[n];return function(e,n){var r,i=(n=n||{}).context||"default",o=n.onComment;if(Fr(e,t.scanner),t.locationMap.setSource(e,n.offset,n.line,n.column),t.filename=n.filename||"<unknown>",t.needPositions=Boolean(n.positions),t.onParseError="function"==typeof n.onParseError?n.onParseError:$r,t.onParseErrorThrow=!1,t.parseAtrulePrelude=!("parseAtrulePrelude"in n)||Boolean(n.parseAtrulePrelude),t.parseRulePrelude=!("parseRulePrelude"in n)||Boolean(n.parseRulePrelude),t.parseValue=!("parseValue"in n)||Boolean(n.parseValue),t.parseCustomProperty="parseCustomProperty"in n&&Boolean(n.parseCustomProperty),!t.context.hasOwnProperty(i))throw new Error("Unknown context `"+i+"`");return"function"==typeof o&&t.scanner.forEachToken(((n,r,i)=>{if(n===Jr){const n=t.getLocation(r,i),a=Yr(e,i-2,i,"*/")?e.slice(r+2,i-2):e.slice(r+2,i);o(a,n)}})),r=t.context[i].call(t,n),t.scanner.eof||t.error(),r}},to=function(e){function t(e){if(!_i.call(n,e.type))throw new Error("Unknown node type: "+e.type);n[e.type].call(this,e)}var n={};if(e.node)for(var r in e.node)n[r]=e.node[r].generate;return function(e,n){var r="",i={children:zi,node:t,chunk:function(e){r+=e},result:function(){return r}};return n&&("function"==typeof n.decorator&&(i=n.decorator(i)),n.sourceMap&&(i=Ai(i))),i.node(e),i.result()}},no=function(e){return{fromPlainObject:function(t){return e(t,{enter:function(e){e.children&&e.children instanceof Ri==!1&&(e.children=(new Ri).fromArray(e.children))}}),t},toPlainObject:function(t){return e(t,{leave:function(e){e.children&&e.children instanceof Ri&&(e.children=e.children.toArray())}}),t}}},ro=function(e){var t=function(e){var t={};for(var n in e.node)if(Li.call(e.node,n)){var r=e.node[n];if(!r.structure)throw new Error("Missed `structure` field in `"+n+"` node type definition");t[n]=Mi(0,r)}return t}(e),n={},r={},i=Symbol("break-walk"),o=Symbol("skip-node");for(var a in t)Li.call(t,a)&&null!==t[a]&&(n[a]=Ui(t[a],!1),r[a]=Ui(t[a],!0));var s=Ii(n),l=Ii(r),u=function(e,a){function u(e,t,n){var r=d.call(h,e,t,n);return r===i||r!==o&&(!(!m.hasOwnProperty(e.type)||!m[e.type](e,h,u,c))||p.call(h,e,t,n)===i)}var c=(e,t,n,r)=>e||u(t,n,r),d=Pi,p=Pi,m=n,h={break:i,skip:o,root:e,stylesheet:null,atrule:null,atrulePrelude:null,rule:null,selector:null,block:null,declaration:null,function:null};if("function"==typeof a)d=a;else if(a&&(d=Bi(a.enter),p=Bi(a.leave),a.reverse&&(m=r),a.visit)){if(s.hasOwnProperty(a.visit))m=a.reverse?l[a.visit]:s[a.visit];else if(!t.hasOwnProperty(a.visit))throw new Error("Bad value `"+a.visit+"` for `visit` option (should be: "+Object.keys(t).join(", ")+")");d=Wi(d,a.visit),p=Wi(p,a.visit)}if(d===Pi&&p===Pi)throw new Error("Neither `enter` nor `leave` walker handler is set or both aren't a function");u(e)};return u.break=i,u.skip=o,u.find=function(e,t){var n=null;return u(e,(function(e,r,o){if(t.call(this,e,r,o))return n=e,i})),n},u.findLast=function(e,t){var n=null;return u(e,{reverse:!0,enter:function(e,r,o){if(t.call(this,e,r,o))return n=e,i}}),n},u.findAll=function(e,t){var n=[];return u(e,(function(e,r,i){t.call(this,e,r,i)&&n.push(e)})),n},u},io=function e(t){var n={};for(var r in t){var i=t[r];i&&(Array.isArray(i)||i instanceof Ni?i=i.map(e):i.constructor===Object&&(i=e(i))),n[r]=i}return n},oo=Be,ao=(e,t)=>Yi(e,t,Di);function so(e){var t=eo(e),n=ro(e),r=to(e),i=no(n),o={List:Hi,SyntaxError:$i,TokenStream:Qi,Lexer:Zi,vendorPrefix:oo.vendorPrefix,keyword:oo.keyword,property:oo.property,isCustomProperty:oo.isCustomProperty,definitionSyntax:Xi,lexer:null,createLexer:function(e){return new Zi(e,o,o.lexer.structure)},tokenize:Ji,parse:t,walk:n,generate:r,find:n.find,findLast:n.findLast,findAll:n.findAll,clone:io,fromPlainObject:i.fromPlainObject,toPlainObject:i.toPlainObject,createSyntax:function(e){return so(ao({},e))},fork:function(t){var n=ao({},e);return so("function"==typeof t?t(n,Object.assign):ao(n,t))}};return o.lexer=new Zi({generic:!0,types:e.types,atrules:e.atrules,properties:e.properties,node:e.node},o),o}w.create=function(e){return so(ao({},e))};const lo={"@charset":{syntax:'@charset "<charset>";',groups:["CSS Charsets"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@charset"},"@counter-style":{syntax:"@counter-style <counter-style-name> {\n [ system: <counter-system>; ] ||\n [ symbols: <counter-symbols>; ] ||\n [ additive-symbols: <additive-symbols>; ] ||\n [ negative: <negative-symbol>; ] ||\n [ prefix: <prefix>; ] ||\n [ suffix: <suffix>; ] ||\n [ range: <range>; ] ||\n [ pad: <padding>; ] ||\n [ speak-as: <speak-as>; ] ||\n [ fallback: <counter-style-name>; ]\n}",interfaces:["CSSCounterStyleRule"],groups:["CSS Counter Styles"],descriptors:{"additive-symbols":{syntax:"[ <integer> && <symbol> ]#",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},fallback:{syntax:"<counter-style-name>",media:"all",initial:"decimal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},negative:{syntax:"<symbol> <symbol>?",media:"all",initial:'"-" hyphen-minus',percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},pad:{syntax:"<integer> && <symbol>",media:"all",initial:'0 ""',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},prefix:{syntax:"<symbol>",media:"all",initial:'""',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},range:{syntax:"[ [ <integer> | infinite ]{2} ]# | auto",media:"all",initial:"auto",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"speak-as":{syntax:"auto | bullets | numbers | words | spell-out | <counter-style-name>",media:"all",initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},suffix:{syntax:"<symbol>",media:"all",initial:'". "',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},symbols:{syntax:"<symbol>+",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},system:{syntax:"cyclic | numeric | alphabetic | symbolic | additive | [ fixed <integer>? ] | [ extends <counter-style-name> ]",media:"all",initial:"symbolic",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@counter-style"},"@document":{syntax:"@document [ <url> | url-prefix(<string>) | domain(<string>) | media-document(<string>) | regexp(<string>) ]# {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule"],groups:["CSS Conditional Rules"],status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@document"},"@font-face":{syntax:"@font-face {\n [ font-family: <family-name>; ] ||\n [ src: <src>; ] ||\n [ unicode-range: <unicode-range>; ] ||\n [ font-variant: <font-variant>; ] ||\n [ font-feature-settings: <font-feature-settings>; ] ||\n [ font-variation-settings: <font-variation-settings>; ] ||\n [ font-stretch: <font-stretch>; ] ||\n [ font-weight: <font-weight>; ] ||\n [ font-style: <font-style>; ]\n}",interfaces:["CSSFontFaceRule"],groups:["CSS Fonts"],descriptors:{"font-display":{syntax:"[ auto | block | swap | fallback | optional ]",media:"visual",percentages:"no",initial:"auto",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"font-family":{syntax:"<family-name>",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-feature-settings":{syntax:"normal | <feature-tag-value>#",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"font-variation-settings":{syntax:"normal | [ <string> <number> ]#",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"font-stretch":{syntax:"<font-stretch-absolute>{1,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-style":{syntax:"normal | italic | oblique <angle>{0,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-weight":{syntax:"<font-weight-absolute>{1,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-variant":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> || stylistic(<feature-value-name>) || historical-forms || styleset(<feature-value-name>#) || character-variant(<feature-value-name>#) || swash(<feature-value-name>) || ornaments(<feature-value-name>) || annotation(<feature-value-name>) || [ small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps ] || <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero || <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},src:{syntax:"[ <url> [ format( <string># ) ]? | local( <family-name> ) ]#",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"unicode-range":{syntax:"<unicode-range>#",media:"all",initial:"U+0-10FFFF",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@font-face"},"@font-feature-values":{syntax:"@font-feature-values <family-name># {\n <feature-value-block-list>\n}",interfaces:["CSSFontFeatureValuesRule"],groups:["CSS Fonts"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@font-feature-values"},"@import":{syntax:"@import [ <string> | <url> ] [ <media-query-list> ]?;",groups:["Media Queries"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@import"},"@keyframes":{syntax:"@keyframes <keyframes-name> {\n <keyframe-block-list>\n}",interfaces:["CSSKeyframeRule","CSSKeyframesRule"],groups:["CSS Animations"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@keyframes"},"@media":{syntax:"@media <media-query-list> {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule","CSSMediaRule","CSSCustomMediaRule"],groups:["CSS Conditional Rules","Media Queries"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@media"},"@namespace":{syntax:"@namespace <namespace-prefix>? [ <string> | <url> ];",groups:["CSS Namespaces"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@namespace"},"@page":{syntax:"@page <page-selector-list> {\n <page-body>\n}",interfaces:["CSSPageRule"],groups:["CSS Pages"],descriptors:{bleed:{syntax:"auto | <length>",media:["visual","paged"],initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},marks:{syntax:"none | [ crop || cross ]",media:["visual","paged"],initial:"none",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},size:{syntax:"<length>{1,2} | auto | [ <page-size> || [ portrait | landscape ] ]",media:["visual","paged"],initial:"auto",percentages:"no",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"orderOfAppearance",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@page"},"@property":{syntax:"@property <custom-property-name> {\n <declaration-list>\n}",interfaces:["CSS","CSSPropertyRule"],groups:["CSS Houdini"],descriptors:{syntax:{syntax:"<string>",media:"all",percentages:"no",initial:"n/a (required)",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},inherits:{syntax:"true | false",media:"all",percentages:"no",initial:"auto",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"initial-value":{syntax:"<string>",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"experimental"}},status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@property"},"@supports":{syntax:"@supports <supports-condition> {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule","CSSSupportsRule"],groups:["CSS Conditional Rules"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@supports"},"@viewport":{syntax:"@viewport {\n <group-rule-body>\n}",interfaces:["CSSViewportRule"],groups:["CSS Device Adaptation"],descriptors:{height:{syntax:"<viewport-length>{1,2}",media:["visual","continuous"],initial:["min-height","max-height"],percentages:["min-height","max-height"],computed:["min-height","max-height"],order:"orderOfAppearance",status:"standard"},"max-height":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToHeightOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"max-width":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToWidthOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"max-zoom":{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"},"min-height":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToHeightOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"min-width":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToWidthOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"min-zoom":{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"},orientation:{syntax:"auto | portrait | landscape",media:["visual","continuous"],initial:"auto",percentages:"referToSizeOfBoundingBox",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"user-zoom":{syntax:"zoom | fixed",media:["visual","continuous"],initial:"zoom",percentages:"referToSizeOfBoundingBox",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"viewport-fit":{syntax:"auto | contain | cover",media:["visual","continuous"],initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},width:{syntax:"<viewport-length>{1,2}",media:["visual","continuous"],initial:["min-width","max-width"],percentages:["min-width","max-width"],computed:["min-width","max-width"],order:"orderOfAppearance",status:"standard"},zoom:{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@viewport"}},uo={"--*":{syntax:"<declaration-value>",media:"all",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Variables"],initial:"seeProse",appliesto:"allElements",computed:"asSpecifiedWithVarsSubstituted",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/--*"},"-ms-accelerator":{syntax:"false | true",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"false",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-accelerator"},"-ms-block-progression":{syntax:"tb | rl | bt | lr",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"tb",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-block-progression"},"-ms-content-zoom-chaining":{syntax:"none | chained",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-chaining"},"-ms-content-zooming":{syntax:"none | zoom",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"zoomForTheTopLevelNoneForTheRest",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zooming"},"-ms-content-zoom-limit":{syntax:"<'-ms-content-zoom-limit-min'> <'-ms-content-zoom-limit-max'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],groups:["Microsoft Extensions"],initial:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit"},"-ms-content-zoom-limit-max":{syntax:"<percentage>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"maxZoomFactor",groups:["Microsoft Extensions"],initial:"400%",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit-max"},"-ms-content-zoom-limit-min":{syntax:"<percentage>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"minZoomFactor",groups:["Microsoft Extensions"],initial:"100%",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit-min"},"-ms-content-zoom-snap":{syntax:"<'-ms-content-zoom-snap-type'> || <'-ms-content-zoom-snap-points'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-content-zoom-snap-type","-ms-content-zoom-snap-points"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-content-zoom-snap-type","-ms-content-zoom-snap-points"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap"},"-ms-content-zoom-snap-points":{syntax:"snapInterval( <percentage>, <percentage> ) | snapList( <percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0%, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap-points"},"-ms-content-zoom-snap-type":{syntax:"none | proximity | mandatory",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap-type"},"-ms-filter":{syntax:"<string>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:'""',appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-filter"},"-ms-flow-from":{syntax:"[ none | <custom-ident> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-flow-from"},"-ms-flow-into":{syntax:"[ none | <custom-ident> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"iframeElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-flow-into"},"-ms-grid-columns":{syntax:"none | <track-list> | <auto-track-list>",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-grid-columns"},"-ms-grid-rows":{syntax:"none | <track-list> | <auto-track-list>",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-grid-rows"},"-ms-high-contrast-adjust":{syntax:"auto | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-high-contrast-adjust"},"-ms-hyphenate-limit-chars":{syntax:"auto | <integer>{1,3}",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-chars"},"-ms-hyphenate-limit-lines":{syntax:"no-limit | <integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"no-limit",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-lines"},"-ms-hyphenate-limit-zone":{syntax:"<percentage> | <length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"referToLineBoxWidth",groups:["Microsoft Extensions"],initial:"0",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-zone"},"-ms-ime-align":{syntax:"auto | after",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-ime-align"},"-ms-overflow-style":{syntax:"auto | none | scrollbar | -ms-autohiding-scrollbar",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-overflow-style"},"-ms-scrollbar-3dlight-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-3dlight-color"},"-ms-scrollbar-arrow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ButtonText",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-arrow-color"},"-ms-scrollbar-base-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-base-color"},"-ms-scrollbar-darkshadow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDDarkShadow",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-darkshadow-color"},"-ms-scrollbar-face-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDFace",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-face-color"},"-ms-scrollbar-highlight-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDHighlight",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-highlight-color"},"-ms-scrollbar-shadow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDDarkShadow",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-shadow-color"},"-ms-scrollbar-track-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"Scrollbar",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-track-color"},"-ms-scroll-chaining":{syntax:"chained | none",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"chained",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-chaining"},"-ms-scroll-limit":{syntax:"<'-ms-scroll-limit-x-min'> <'-ms-scroll-limit-y-min'> <'-ms-scroll-limit-x-max'> <'-ms-scroll-limit-y-max'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-limit-x-min","-ms-scroll-limit-y-min","-ms-scroll-limit-x-max","-ms-scroll-limit-y-max"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-limit-x-min","-ms-scroll-limit-y-min","-ms-scroll-limit-x-max","-ms-scroll-limit-y-max"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit"},"-ms-scroll-limit-x-max":{syntax:"auto | <length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-x-max"},"-ms-scroll-limit-x-min":{syntax:"<length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-x-min"},"-ms-scroll-limit-y-max":{syntax:"auto | <length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-y-max"},"-ms-scroll-limit-y-min":{syntax:"<length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-y-min"},"-ms-scroll-rails":{syntax:"none | railed",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"railed",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-rails"},"-ms-scroll-snap-points-x":{syntax:"snapInterval( <length-percentage>, <length-percentage> ) | snapList( <length-percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0px, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-points-x"},"-ms-scroll-snap-points-y":{syntax:"snapInterval( <length-percentage>, <length-percentage> ) | snapList( <length-percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0px, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-points-y"},"-ms-scroll-snap-type":{syntax:"none | proximity | mandatory",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-type"},"-ms-scroll-snap-x":{syntax:"<'-ms-scroll-snap-type'> <'-ms-scroll-snap-points-x'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-snap-type","-ms-scroll-snap-points-x"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-snap-type","-ms-scroll-snap-points-x"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-x"},"-ms-scroll-snap-y":{syntax:"<'-ms-scroll-snap-type'> <'-ms-scroll-snap-points-y'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-snap-type","-ms-scroll-snap-points-y"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-snap-type","-ms-scroll-snap-points-y"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-y"},"-ms-scroll-translation":{syntax:"none | vertical-to-horizontal",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-translation"},"-ms-text-autospace":{syntax:"none | ideograph-alpha | ideograph-numeric | ideograph-parenthesis | ideograph-space",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-text-autospace"},"-ms-touch-select":{syntax:"grippers | none",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"grippers",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-touch-select"},"-ms-user-select":{syntax:"none | element | text",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"text",appliesto:"nonReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-user-select"},"-ms-wrap-flow":{syntax:"auto | both | start | end | maximum | clear",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-flow"},"-ms-wrap-margin":{syntax:"<length>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"exclusionElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-margin"},"-ms-wrap-through":{syntax:"wrap | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"wrap",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-through"},"-moz-appearance":{syntax:"none | button | button-arrow-down | button-arrow-next | button-arrow-previous | button-arrow-up | button-bevel | button-focus | caret | checkbox | checkbox-container | checkbox-label | checkmenuitem | dualbutton | groupbox | listbox | listitem | menuarrow | menubar | menucheckbox | menuimage | menuitem | menuitemtext | menulist | menulist-button | menulist-text | menulist-textfield | menupopup | menuradio | menuseparator | meterbar | meterchunk | progressbar | progressbar-vertical | progresschunk | progresschunk-vertical | radio | radio-container | radio-label | radiomenuitem | range | range-thumb | resizer | resizerpanel | scale-horizontal | scalethumbend | scalethumb-horizontal | scalethumbstart | scalethumbtick | scalethumb-vertical | scale-vertical | scrollbarbutton-down | scrollbarbutton-left | scrollbarbutton-right | scrollbarbutton-up | scrollbarthumb-horizontal | scrollbarthumb-vertical | scrollbartrack-horizontal | scrollbartrack-vertical | searchfield | separator | sheet | spinner | spinner-downbutton | spinner-textfield | spinner-upbutton | splitter | statusbar | statusbarpanel | tab | tabpanel | tabpanels | tab-scroll-arrow-back | tab-scroll-arrow-forward | textfield | textfield-multiline | toolbar | toolbarbutton | toolbarbutton-dropdown | toolbargripper | toolbox | tooltip | treeheader | treeheadercell | treeheadersortarrow | treeitem | treeline | treetwisty | treetwistyopen | treeview | -moz-mac-unified-toolbar | -moz-win-borderless-glass | -moz-win-browsertabbar-toolbox | -moz-win-communicationstext | -moz-win-communications-toolbox | -moz-win-exclude-glass | -moz-win-glass | -moz-win-mediatext | -moz-win-media-toolbox | -moz-window-button-box | -moz-window-button-box-maximized | -moz-window-button-close | -moz-window-button-maximize | -moz-window-button-minimize | -moz-window-button-restore | -moz-window-frame-bottom | -moz-window-frame-left | -moz-window-frame-right | -moz-window-titlebar | -moz-window-titlebar-maximized",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"noneButOverriddenInUserAgentCSS",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"-moz-binding":{syntax:"<url> | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElementsExceptGeneratedContentOrPseudoElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-binding"},"-moz-border-bottom-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-bottom-colors"},"-moz-border-left-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-left-colors"},"-moz-border-right-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-right-colors"},"-moz-border-top-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-top-colors"},"-moz-context-properties":{syntax:"none | [ fill | fill-opacity | stroke | stroke-opacity ]#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElementsThatCanReferenceImages",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-context-properties"},"-moz-float-edge":{syntax:"border-box | content-box | margin-box | padding-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"content-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-float-edge"},"-moz-force-broken-image-icon":{syntax:"<integer [0,1]>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"0",appliesto:"images",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-force-broken-image-icon"},"-moz-image-region":{syntax:"<shape> | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"auto",appliesto:"xulImageElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-image-region"},"-moz-orient":{syntax:"inline | block | horizontal | vertical",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"inline",appliesto:"anyElementEffectOnProgressAndMeter",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-orient"},"-moz-outline-radius":{syntax:"<outline-radius>{1,4} [ / <outline-radius>{1,4} ]?",media:"visual",inherited:!1,animationType:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],percentages:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],groups:["Mozilla Extensions"],initial:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],appliesto:"allElements",computed:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius"},"-moz-outline-radius-bottomleft":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-bottomleft"},"-moz-outline-radius-bottomright":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-bottomright"},"-moz-outline-radius-topleft":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-topleft"},"-moz-outline-radius-topright":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-topright"},"-moz-stack-sizing":{syntax:"ignore | stretch-to-fit",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"stretch-to-fit",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-stack-sizing"},"-moz-text-blink":{syntax:"none | blink",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-text-blink"},"-moz-user-focus":{syntax:"ignore | normal | select-after | select-before | select-menu | select-same | select-all | none",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-focus"},"-moz-user-input":{syntax:"auto | none | enabled | disabled",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-input"},"-moz-user-modify":{syntax:"read-only | read-write | write-only",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"read-only",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-modify"},"-moz-window-dragging":{syntax:"drag | no-drag",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"drag",appliesto:"allElementsCreatingNativeWindows",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-window-dragging"},"-moz-window-shadow":{syntax:"default | menu | tooltip | sheet | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"default",appliesto:"allElementsCreatingNativeWindows",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-window-shadow"},"-webkit-appearance":{syntax:"none | button | button-bevel | caret | checkbox | default-button | inner-spin-button | listbox | listitem | media-controls-background | media-controls-fullscreen-background | media-current-time-display | media-enter-fullscreen-button | media-exit-fullscreen-button | media-fullscreen-button | media-mute-button | media-overlay-play-button | media-play-button | media-seek-back-button | media-seek-forward-button | media-slider | media-sliderthumb | media-time-remaining-display | media-toggle-closed-captions-button | media-volume-slider | media-volume-slider-container | media-volume-sliderthumb | menulist | menulist-button | menulist-text | menulist-textfield | meter | progress-bar | progress-bar-value | push-button | radio | searchfield | searchfield-cancel-button | searchfield-decoration | searchfield-results-button | searchfield-results-decoration | slider-horizontal | slider-vertical | sliderthumb-horizontal | sliderthumb-vertical | square-button | textarea | textfield | -apple-pay-button",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"noneButOverriddenInUserAgentCSS",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"-webkit-border-before":{syntax:"<'border-width'> || <'border-style'> || <'color'>",media:"visual",inherited:!0,animationType:"discrete",percentages:["-webkit-border-before-width"],groups:["WebKit Extensions"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","color"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-border-before"},"-webkit-border-before-color":{syntax:"<'color'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard"},"-webkit-border-before-style":{syntax:"<'border-style'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard"},"-webkit-border-before-width":{syntax:"<'border-width'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["WebKit Extensions"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"nonstandard"},"-webkit-box-reflect":{syntax:"[ above | below | right | left ]? <length>? <image>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-box-reflect"},"-webkit-line-clamp":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["WebKit Extensions","CSS Overflow"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-line-clamp"},"-webkit-mask":{syntax:"[ <mask-reference> || <position> [ / <bg-size> ]? || <repeat-style> || [ <box> | border | padding | content | text ] || [ <box> | border | padding | content ] ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:["-webkit-mask-image","-webkit-mask-repeat","-webkit-mask-attachment","-webkit-mask-position","-webkit-mask-origin","-webkit-mask-clip"],appliesto:"allElements",computed:["-webkit-mask-image","-webkit-mask-repeat","-webkit-mask-attachment","-webkit-mask-position","-webkit-mask-origin","-webkit-mask-clip"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask"},"-webkit-mask-attachment":{syntax:"<attachment>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"scroll",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-attachment"},"-webkit-mask-clip":{syntax:"[ <box> | border | padding | content | text ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"border",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-clip"},"-webkit-mask-composite":{syntax:"<composite-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"source-over",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-composite"},"-webkit-mask-image":{syntax:"<mask-reference>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"absoluteURIOrNone",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-image"},"-webkit-mask-origin":{syntax:"[ <box> | border | padding | content ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"padding",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-origin"},"-webkit-mask-position":{syntax:"<position>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0% 0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-position"},"-webkit-mask-position-x":{syntax:"[ <length-percentage> | left | center | right ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-position-x"},"-webkit-mask-position-y":{syntax:"[ <length-percentage> | top | center | bottom ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-position-y"},"-webkit-mask-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-repeat"},"-webkit-mask-repeat-x":{syntax:"repeat | no-repeat | space | round",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-repeat-x"},"-webkit-mask-repeat-y":{syntax:"repeat | no-repeat | space | round",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-repeat-y"},"-webkit-mask-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"relativeToBackgroundPositioningArea",groups:["WebKit Extensions"],initial:"auto auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-size"},"-webkit-overflow-scrolling":{syntax:"auto | touch",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-overflow-scrolling"},"-webkit-tap-highlight-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"black",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-tap-highlight-color"},"-webkit-text-fill-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-fill-color"},"-webkit-text-stroke":{syntax:"<length> || <color>",media:"visual",inherited:!0,animationType:["-webkit-text-stroke-width","-webkit-text-stroke-color"],percentages:"no",groups:["WebKit Extensions"],initial:["-webkit-text-stroke-width","-webkit-text-stroke-color"],appliesto:"allElements",computed:["-webkit-text-stroke-width","-webkit-text-stroke-color"],order:"canonicalOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke"},"-webkit-text-stroke-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke-color"},"-webkit-text-stroke-width":{syntax:"<length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"0",appliesto:"allElements",computed:"absoluteLength",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke-width"},"-webkit-touch-callout":{syntax:"default | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"default",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-touch-callout"},"-webkit-user-modify":{syntax:"read-only | read-write | read-write-plaintext-only",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"read-only",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard"},"align-content":{syntax:"normal | <baseline-position> | <content-distribution> | <overflow-position>? <content-position>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multilineFlexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-content"},"align-items":{syntax:"normal | stretch | <baseline-position> | [ <overflow-position>? <self-position> ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-items"},"align-self":{syntax:"auto | normal | stretch | <baseline-position> | <overflow-position>? <self-position>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"auto",appliesto:"flexItemsGridItemsAndAbsolutelyPositionedBoxes",computed:"autoOnAbsolutelyPositionedElementsValueOfAlignItemsOnParent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-self"},"align-tracks":{syntax:"[ normal | <baseline-position> | <content-distribution> | <overflow-position>? <content-position> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"normal",appliesto:"gridContainersWithMasonryLayoutInTheirBlockAxis",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-tracks"},all:{syntax:"initial | inherit | unset | revert",media:"noPracticalMedia",inherited:!1,animationType:"eachOfShorthandPropertiesExceptUnicodeBiDiAndDirection",percentages:"no",groups:["CSS Miscellaneous"],initial:"noPracticalInitialValue",appliesto:"allElements",computed:"asSpecifiedAppliesToEachProperty",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/all"},animation:{syntax:"<single-animation>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:["animation-name","animation-duration","animation-timing-function","animation-delay","animation-iteration-count","animation-direction","animation-fill-mode","animation-play-state"],appliesto:"allElementsAndPseudos",computed:["animation-name","animation-duration","animation-timing-function","animation-delay","animation-direction","animation-iteration-count","animation-fill-mode","animation-play-state"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation"},"animation-delay":{syntax:"<time>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-delay"},"animation-direction":{syntax:"<single-animation-direction>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"normal",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-direction"},"animation-duration":{syntax:"<time>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-duration"},"animation-fill-mode":{syntax:"<single-animation-fill-mode>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"none",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-fill-mode"},"animation-iteration-count":{syntax:"<single-animation-iteration-count>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"1",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-iteration-count"},"animation-name":{syntax:"[ none | <keyframes-name> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"none",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-name"},"animation-play-state":{syntax:"<single-animation-play-state>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"running",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-play-state"},"animation-timing-function":{syntax:"<timing-function>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"ease",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-timing-function"},appearance:{syntax:"none | auto | textfield | menulist-button | <compat-auto>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"aspect-ratio":{syntax:"auto | <ratio>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElementsExceptInlineBoxesAndInternalRubyOrTableBoxes",computed:"asSpecified",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/aspect-ratio"},azimuth:{syntax:"<angle> | [ [ left-side | far-left | left | center-left | center | center-right | right | far-right | right-side ] || behind ] | leftwards | rightwards",media:"aural",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Speech"],initial:"center",appliesto:"allElements",computed:"normalizedAngle",order:"orderOfAppearance",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/azimuth"},"backdrop-filter":{syntax:"none | <filter-function-list>",media:"visual",inherited:!1,animationType:"filterList",percentages:"no",groups:["Filter Effects"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/backdrop-filter"},"backface-visibility":{syntax:"visible | hidden",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"visible",appliesto:"transformableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/backface-visibility"},background:{syntax:"[ <bg-layer> , ]* <final-bg-layer>",media:"visual",inherited:!1,animationType:["background-color","background-image","background-clip","background-position","background-size","background-repeat","background-attachment"],percentages:["background-position","background-size"],groups:["CSS Backgrounds and Borders"],initial:["background-image","background-position","background-size","background-repeat","background-origin","background-clip","background-attachment","background-color"],appliesto:"allElements",computed:["background-image","background-position","background-size","background-repeat","background-origin","background-clip","background-attachment","background-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background"},"background-attachment":{syntax:"<attachment>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"scroll",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-attachment"},"background-blend-mode":{syntax:"<blend-mode>#",media:"none",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"normal",appliesto:"allElementsSVGContainerGraphicsAndGraphicsReferencingElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-blend-mode"},"background-clip":{syntax:"<box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"border-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-clip"},"background-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"transparent",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-color"},"background-image":{syntax:"<bg-image>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-image"},"background-origin":{syntax:"<box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"padding-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-origin"},"background-position":{syntax:"<bg-position>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToSizeOfBackgroundPositioningAreaMinusBackgroundImageSize",groups:["CSS Backgrounds and Borders"],initial:"0% 0%",appliesto:"allElements",computed:"listEachItemTwoKeywordsOriginOffsets",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position"},"background-position-x":{syntax:"[ center | [ [ left | right | x-start | x-end ]? <length-percentage>? ]! ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToWidthOfBackgroundPositioningAreaMinusBackgroundImageHeight",groups:["CSS Backgrounds and Borders"],initial:"left",appliesto:"allElements",computed:"listEachItemConsistingOfAbsoluteLengthPercentageAndOrigin",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position-x"},"background-position-y":{syntax:"[ center | [ [ top | bottom | y-start | y-end ]? <length-percentage>? ]! ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToHeightOfBackgroundPositioningAreaMinusBackgroundImageHeight",groups:["CSS Backgrounds and Borders"],initial:"top",appliesto:"allElements",computed:"listEachItemConsistingOfAbsoluteLengthPercentageAndOrigin",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position-y"},"background-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"repeat",appliesto:"allElements",computed:"listEachItemHasTwoKeywordsOnePerDimension",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-repeat"},"background-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"relativeToBackgroundPositioningArea",groups:["CSS Backgrounds and Borders"],initial:"auto auto",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-size"},"block-overflow":{syntax:"clip | ellipsis | <string>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"clip",appliesto:"blockContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"block-size":{syntax:"<'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"sameAsWidthAndHeight",computed:"sameAsWidthAndHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/block-size"},border:{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-color","border-style","border-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-width","border-style","border-color"],appliesto:"allElements",computed:["border-width","border-style","border-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border"},"border-block":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block"},"border-block-color":{syntax:"<'border-top-color'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-color"},"border-block-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-style"},"border-block-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-width"},"border-block-end":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-block-end-color","border-block-end-style","border-block-end-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end"},"border-block-end-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-color"},"border-block-end-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-style"},"border-block-end-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-width"},"border-block-start":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-block-start-color","border-block-start-style","border-block-start-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-block-start-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start"},"border-block-start-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-color"},"border-block-start-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-style"},"border-block-start-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-width"},"border-bottom":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-bottom-color","border-bottom-style","border-bottom-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-bottom-width","border-bottom-style","border-bottom-color"],appliesto:"allElements",computed:["border-bottom-width","border-bottom-style","border-bottom-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom"},"border-bottom-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-color"},"border-bottom-left-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-left-radius"},"border-bottom-right-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-right-radius"},"border-bottom-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-style"},"border-bottom-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderBottomStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-width"},"border-collapse":{syntax:"collapse | separate",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"separate",appliesto:"tableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-collapse"},"border-color":{syntax:"<color>{1,4}",media:"visual",inherited:!1,animationType:["border-bottom-color","border-left-color","border-right-color","border-top-color"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-color","border-right-color","border-bottom-color","border-left-color"],appliesto:"allElements",computed:["border-bottom-color","border-left-color","border-right-color","border-top-color"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-color"},"border-end-end-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-end-end-radius"},"border-end-start-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-end-start-radius"},"border-image":{syntax:"<'border-image-source'> || <'border-image-slice'> [ / <'border-image-width'> | / <'border-image-width'>? / <'border-image-outset'> ]? || <'border-image-repeat'>",media:"visual",inherited:!1,animationType:"discrete",percentages:["border-image-slice","border-image-width"],groups:["CSS Backgrounds and Borders"],initial:["border-image-source","border-image-slice","border-image-width","border-image-outset","border-image-repeat"],appliesto:"allElementsExceptTableElementsWhenCollapse",computed:["border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image"},"border-image-outset":{syntax:"[ <length> | <number> ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-outset"},"border-image-repeat":{syntax:"[ stretch | repeat | round | space ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"stretch",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-repeat"},"border-image-slice":{syntax:"<number-percentage>{1,4} && fill?",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToSizeOfBorderImage",groups:["CSS Backgrounds and Borders"],initial:"100%",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"oneToFourPercentagesOrAbsoluteLengthsPlusFill",order:"percentagesOrLengthsFollowedByFill",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-slice"},"border-image-source":{syntax:"none | <image>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"noneOrImageWithAbsoluteURI",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-source"},"border-image-width":{syntax:"[ <length-percentage> | <number> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToWidthOrHeightOfBorderImageArea",groups:["CSS Backgrounds and Borders"],initial:"1",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-width"},"border-inline":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline"},"border-inline-end":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-inline-end-color","border-inline-end-style","border-inline-end-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-inline-end-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end"},"border-inline-color":{syntax:"<'border-top-color'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-color"},"border-inline-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-style"},"border-inline-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-width"},"border-inline-end-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-color"},"border-inline-end-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-style"},"border-inline-end-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-width"},"border-inline-start":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-inline-start-color","border-inline-start-style","border-inline-start-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-inline-start-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start"},"border-inline-start-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-color"},"border-inline-start-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-style"},"border-inline-start-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-width"},"border-left":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-left-color","border-left-style","border-left-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-left-width","border-left-style","border-left-color"],appliesto:"allElements",computed:["border-left-width","border-left-style","border-left-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left"},"border-left-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-color"},"border-left-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-style"},"border-left-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderLeftStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-width"},"border-radius":{syntax:"<length-percentage>{1,4} [ / <length-percentage>{1,4} ]?",media:"visual",inherited:!1,animationType:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:["border-bottom-left-radius","border-bottom-right-radius","border-top-left-radius","border-top-right-radius"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-radius"},"border-right":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-right-color","border-right-style","border-right-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-right-width","border-right-style","border-right-color"],appliesto:"allElements",computed:["border-right-width","border-right-style","border-right-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right"},"border-right-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-color"},"border-right-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-style"},"border-right-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderRightStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-width"},"border-spacing":{syntax:"<length> <length>?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"0",appliesto:"tableElements",computed:"twoAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-spacing"},"border-start-end-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-start-end-radius"},"border-start-start-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-start-start-radius"},"border-style":{syntax:"<line-style>{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-style","border-right-style","border-bottom-style","border-left-style"],appliesto:"allElements",computed:["border-bottom-style","border-left-style","border-right-style","border-top-style"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-style"},"border-top":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-top-color","border-top-style","border-top-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top"},"border-top-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-color"},"border-top-left-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-left-radius"},"border-top-right-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-right-radius"},"border-top-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-style"},"border-top-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderTopStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-width"},"border-width":{syntax:"<line-width>{1,4}",media:"visual",inherited:!1,animationType:["border-bottom-width","border-left-width","border-right-width","border-top-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-width","border-right-width","border-bottom-width","border-left-width"],appliesto:"allElements",computed:["border-bottom-width","border-left-width","border-right-width","border-top-width"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-width"},bottom:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToContainingBlockHeight",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/bottom"},"box-align":{syntax:"start | center | end | baseline | stretch",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"stretch",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-align"},"box-decoration-break":{syntax:"slice | clone",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"slice",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-decoration-break"},"box-direction":{syntax:"normal | reverse | inherit",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"normal",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-direction"},"box-flex":{syntax:"<number>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"0",appliesto:"directChildrenOfElementsWithDisplayMozBoxMozInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-flex"},"box-flex-group":{syntax:"<integer>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"1",appliesto:"inFlowChildrenOfBoxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-flex-group"},"box-lines":{syntax:"single | multiple",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"single",appliesto:"boxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-lines"},"box-ordinal-group":{syntax:"<integer>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"1",appliesto:"childrenOfBoxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-ordinal-group"},"box-orient":{syntax:"horizontal | vertical | inline-axis | block-axis | inherit",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"inlineAxisHorizontalInXUL",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-orient"},"box-pack":{syntax:"start | center | end | justify",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"start",appliesto:"elementsWithDisplayMozBoxMozInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-pack"},"box-shadow":{syntax:"none | <shadow>#",media:"visual",inherited:!1,animationType:"shadowList",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"absoluteLengthsSpecifiedColorAsSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-shadow"},"box-sizing":{syntax:"content-box | border-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"content-box",appliesto:"allElementsAcceptingWidthOrHeight",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-sizing"},"break-after":{syntax:"auto | avoid | always | all | avoid-page | page | left | right | recto | verso | avoid-column | column | avoid-region | region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-after"},"break-before":{syntax:"auto | avoid | always | all | avoid-page | page | left | right | recto | verso | avoid-column | column | avoid-region | region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-before"},"break-inside":{syntax:"auto | avoid | avoid-page | avoid-column | avoid-region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-inside"},"caption-side":{syntax:"top | bottom | block-start | block-end | inline-start | inline-end",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"top",appliesto:"tableCaptionElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/caption-side"},"caret-color":{syntax:"auto | <color>",media:"interactive",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asAutoOrColor",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/caret-color"},clear:{syntax:"none | left | right | both | inline-start | inline-end",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"none",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clear"},clip:{syntax:"<shape> | auto",media:"visual",inherited:!1,animationType:"rectangle",percentages:"no",groups:["CSS Masking"],initial:"auto",appliesto:"absolutelyPositionedElements",computed:"autoOrRectangle",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clip"},"clip-path":{syntax:"<clip-source> | [ <basic-shape> || <geometry-box> ] | none",media:"visual",inherited:!1,animationType:"basicShapeOtherwiseNo",percentages:"referToReferenceBoxWhenSpecifiedOtherwiseBorderBox",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clip-path"},color:{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Color"],initial:"variesFromBrowserToBrowser",appliesto:"allElements",computed:"translucentValuesRGBAOtherwiseRGB",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/color"},"color-adjust":{syntax:"economy | exact",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Color"],initial:"economy",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/color-adjust"},"column-count":{syntax:"<integer> | auto",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Columns"],initial:"auto",appliesto:"blockContainersExceptTableWrappers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-count"},"column-fill":{syntax:"auto | balance | balance-all",media:"visualInContinuousMediaNoEffectInOverflowColumns",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"balance",appliesto:"multicolElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-fill"},"column-gap":{syntax:"normal | <length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfContentArea",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multiColumnElementsFlexContainersGridContainers",computed:"asSpecifiedWithLengthsAbsoluteAndNormalComputingToZeroExceptMultiColumn",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-gap"},"column-rule":{syntax:"<'column-rule-width'> || <'column-rule-style'> || <'column-rule-color'>",media:"visual",inherited:!1,animationType:["column-rule-color","column-rule-style","column-rule-width"],percentages:"no",groups:["CSS Columns"],initial:["column-rule-width","column-rule-style","column-rule-color"],appliesto:"multicolElements",computed:["column-rule-color","column-rule-style","column-rule-width"],order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule"},"column-rule-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Columns"],initial:"currentcolor",appliesto:"multicolElements",computed:"computedColor",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-color"},"column-rule-style":{syntax:"<'border-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"none",appliesto:"multicolElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-style"},"column-rule-width":{syntax:"<'border-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Columns"],initial:"medium",appliesto:"multicolElements",computed:"absoluteLength0IfColumnRuleStyleNoneOrHidden",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-width"},"column-span":{syntax:"none | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"none",appliesto:"inFlowBlockLevelElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-span"},"column-width":{syntax:"<length> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Columns"],initial:"auto",appliesto:"blockContainersExceptTableWrappers",computed:"absoluteLengthZeroOrLarger",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-width"},columns:{syntax:"<'column-width'> || <'column-count'>",media:"visual",inherited:!1,animationType:["column-width","column-count"],percentages:"no",groups:["CSS Columns"],initial:["column-width","column-count"],appliesto:"blockContainersExceptTableWrappers",computed:["column-width","column-count"],order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/columns"},contain:{syntax:"none | strict | content | [ size || layout || style || paint ]",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Containment"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/contain"},content:{syntax:"normal | none | [ <content-replacement> | <content-list> ] [/ <string> ]?",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Generated Content"],initial:"normal",appliesto:"beforeAndAfterPseudos",computed:"normalOnElementsForPseudosNoneAbsoluteURIStringOrAsSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/content"},"counter-increment":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-increment"},"counter-reset":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-reset"},"counter-set":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-set"},cursor:{syntax:"[ [ <url> [ <x> <y> ]? , ]* [ auto | default | none | context-menu | help | pointer | progress | wait | cell | crosshair | text | vertical-text | alias | copy | move | no-drop | not-allowed | e-resize | n-resize | ne-resize | nw-resize | s-resize | se-resize | sw-resize | w-resize | ew-resize | ns-resize | nesw-resize | nwse-resize | col-resize | row-resize | all-scroll | zoom-in | zoom-out | grab | grabbing ] ]",media:["visual","interactive"],inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/cursor"},direction:{syntax:"ltr | rtl",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"ltr",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/direction"},display:{syntax:"[ <display-outside> || <display-inside> ] | <display-listitem> | <display-internal> | <display-box> | <display-legacy>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Display"],initial:"inline",appliesto:"allElements",computed:"asSpecifiedExceptPositionedFloatingAndRootElementsKeywordMaybeDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/display"},"empty-cells":{syntax:"show | hide",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"show",appliesto:"tableCellElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/empty-cells"},filter:{syntax:"none | <filter-function-list>",media:"visual",inherited:!1,animationType:"filterList",percentages:"no",groups:["Filter Effects"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/filter"},flex:{syntax:"none | [ <'flex-grow'> <'flex-shrink'>? || <'flex-basis'> ]",media:"visual",inherited:!1,animationType:["flex-grow","flex-shrink","flex-basis"],percentages:"no",groups:["CSS Flexible Box Layout"],initial:["flex-grow","flex-shrink","flex-basis"],appliesto:"flexItemsAndInFlowPseudos",computed:["flex-grow","flex-shrink","flex-basis"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex"},"flex-basis":{syntax:"content | <'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToFlexContainersInnerMainSize",groups:["CSS Flexible Box Layout"],initial:"auto",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"lengthOrPercentageBeforeKeywordIfBothPresent",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-basis"},"flex-direction":{syntax:"row | row-reverse | column | column-reverse",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"row",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-direction"},"flex-flow":{syntax:"<'flex-direction'> || <'flex-wrap'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:["flex-direction","flex-wrap"],appliesto:"flexContainers",computed:["flex-direction","flex-wrap"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-flow"},"flex-grow":{syntax:"<number>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"0",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-grow"},"flex-shrink":{syntax:"<number>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"1",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-shrink"},"flex-wrap":{syntax:"nowrap | wrap | wrap-reverse",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"nowrap",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-wrap"},float:{syntax:"left | right | none | inline-start | inline-end",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"none",appliesto:"allElementsNoEffectIfDisplayNone",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/float"},font:{syntax:"[ [ <'font-style'> || <font-variant-css21> || <'font-weight'> || <'font-stretch'> ]? <'font-size'> [ / <'line-height'> ]? <'font-family'> ] | caption | icon | menu | message-box | small-caption | status-bar",media:"visual",inherited:!0,animationType:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],percentages:["font-size","line-height"],groups:["CSS Fonts"],initial:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],appliesto:"allElements",computed:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font"},"font-family":{syntax:"[ <family-name> | <generic-family> ]#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-family"},"font-feature-settings":{syntax:"normal | <feature-tag-value>#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-feature-settings"},"font-kerning":{syntax:"auto | normal | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-kerning"},"font-language-override":{syntax:"normal | <string>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-language-override"},"font-optical-sizing":{syntax:"auto | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-optical-sizing"},"font-variation-settings":{syntax:"normal | [ <string> <number> ]#",media:"visual",inherited:!0,animationType:"transform",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variation-settings"},"font-size":{syntax:"<absolute-size> | <relative-size> | <length-percentage>",media:"visual",inherited:!0,animationType:"length",percentages:"referToParentElementsFontSize",groups:["CSS Fonts"],initial:"medium",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-size"},"font-size-adjust":{syntax:"none | <number>",media:"visual",inherited:!0,animationType:"number",percentages:"no",groups:["CSS Fonts"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-size-adjust"},"font-smooth":{syntax:"auto | never | always | <absolute-size> | <length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-smooth"},"font-stretch":{syntax:"<font-stretch-absolute>",media:"visual",inherited:!0,animationType:"fontStretch",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-stretch"},"font-style":{syntax:"normal | italic | oblique <angle>?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-style"},"font-synthesis":{syntax:"none | [ weight || style ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"weight style",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-synthesis"},"font-variant":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> || stylistic( <feature-value-name> ) || historical-forms || styleset( <feature-value-name># ) || character-variant( <feature-value-name># ) || swash( <feature-value-name> ) || ornaments( <feature-value-name> ) || annotation( <feature-value-name> ) || [ small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps ] || <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero || <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant"},"font-variant-alternates":{syntax:"normal | [ stylistic( <feature-value-name> ) || historical-forms || styleset( <feature-value-name># ) || character-variant( <feature-value-name># ) || swash( <feature-value-name> ) || ornaments( <feature-value-name> ) || annotation( <feature-value-name> ) ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-alternates"},"font-variant-caps":{syntax:"normal | small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-caps"},"font-variant-east-asian":{syntax:"normal | [ <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-east-asian"},"font-variant-ligatures":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-ligatures"},"font-variant-numeric":{syntax:"normal | [ <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-numeric"},"font-variant-position":{syntax:"normal | sub | super",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-position"},"font-weight":{syntax:"<font-weight-absolute> | bolder | lighter",media:"visual",inherited:!0,animationType:"fontWeight",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"keywordOrNumericalValueBolderLighterTransformedToRealValue",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-weight"},gap:{syntax:"<'row-gap'> <'column-gap'>?",media:"visual",inherited:!1,animationType:["row-gap","column-gap"],percentages:"no",groups:["CSS Box Alignment"],initial:["row-gap","column-gap"],appliesto:"multiColumnElementsFlexContainersGridContainers",computed:["row-gap","column-gap"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/gap"},grid:{syntax:"<'grid-template'> | <'grid-template-rows'> / [ auto-flow && dense? ] <'grid-auto-columns'>? | [ auto-flow && dense? ] <'grid-auto-rows'>? / <'grid-template-columns'>",media:"visual",inherited:!1,animationType:"discrete",percentages:["grid-template-rows","grid-template-columns","grid-auto-rows","grid-auto-columns"],groups:["CSS Grid Layout"],initial:["grid-template-rows","grid-template-columns","grid-template-areas","grid-auto-rows","grid-auto-columns","grid-auto-flow","grid-column-gap","grid-row-gap","column-gap","row-gap"],appliesto:"gridContainers",computed:["grid-template-rows","grid-template-columns","grid-template-areas","grid-auto-rows","grid-auto-columns","grid-auto-flow","grid-column-gap","grid-row-gap","column-gap","row-gap"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid"},"grid-area":{syntax:"<grid-line> [ / <grid-line> ]{0,3}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-start","grid-column-start","grid-row-end","grid-column-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-row-start","grid-column-start","grid-row-end","grid-column-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-area"},"grid-auto-columns":{syntax:"<track-size>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-columns"},"grid-auto-flow":{syntax:"[ row | column ] || dense",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"row",appliesto:"gridContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-flow"},"grid-auto-rows":{syntax:"<track-size>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-rows"},"grid-column":{syntax:"<grid-line> [ / <grid-line> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-column-start","grid-column-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-column-start","grid-column-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column"},"grid-column-end":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column-end"},"grid-column-gap":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"0",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-gap"},"grid-column-start":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column-start"},"grid-gap":{syntax:"<'grid-row-gap'> <'grid-column-gap'>?",media:"visual",inherited:!1,animationType:["grid-row-gap","grid-column-gap"],percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-gap","grid-column-gap"],appliesto:"gridContainers",computed:["grid-row-gap","grid-column-gap"],order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/gap"},"grid-row":{syntax:"<grid-line> [ / <grid-line> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-start","grid-row-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-row-start","grid-row-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row"},"grid-row-end":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row-end"},"grid-row-gap":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"0",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/row-gap"},"grid-row-start":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row-start"},"grid-template":{syntax:"none | [ <'grid-template-rows'> / <'grid-template-columns'> ] | [ <line-names>? <string> <track-size>? <line-names>? ]+ [ / <explicit-track-list> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:["grid-template-columns","grid-template-rows"],groups:["CSS Grid Layout"],initial:["grid-template-columns","grid-template-rows","grid-template-areas"],appliesto:"gridContainers",computed:["grid-template-columns","grid-template-rows","grid-template-areas"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template"},"grid-template-areas":{syntax:"none | <string>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-areas"},"grid-template-columns":{syntax:"none | <track-list> | <auto-track-list> | subgrid <line-name-list>?",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-columns"},"grid-template-rows":{syntax:"none | <track-list> | <auto-track-list> | subgrid <line-name-list>?",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-rows"},"hanging-punctuation":{syntax:"none | [ first || [ force-end | allow-end ] || last ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/hanging-punctuation"},height:{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentagesRelativeToContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAutoOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/height"},hyphens:{syntax:"none | manual | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"manual",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/hyphens"},"image-orientation":{syntax:"from-image | <angle> | [ <angle>? flip ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"from-image",appliesto:"allElements",computed:"angleRoundedToNextQuarter",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/image-orientation"},"image-rendering":{syntax:"auto | crisp-edges | pixelated",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/image-rendering"},"image-resolution":{syntax:"[ from-image || <resolution> ] && snap?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"1dppx",appliesto:"allElements",computed:"asSpecifiedWithExceptionOfResolution",order:"uniqueOrder",status:"experimental"},"ime-mode":{syntax:"auto | normal | active | inactive | disabled",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"textFields",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ime-mode"},"initial-letter":{syntax:"normal | [ <number> <integer>? ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Inline"],initial:"normal",appliesto:"firstLetterPseudoElementsAndInlineLevelFirstChildren",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/initial-letter"},"initial-letter-align":{syntax:"[ auto | alphabetic | hanging | ideographic ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Inline"],initial:"auto",appliesto:"firstLetterPseudoElementsAndInlineLevelFirstChildren",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/initial-letter-align"},"inline-size":{syntax:"<'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"sameAsWidthAndHeight",computed:"sameAsWidthAndHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inline-size"},inset:{syntax:"<'top'>{1,4}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset"},"inset-block":{syntax:"<'top'>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block"},"inset-block-end":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block-end"},"inset-block-start":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block-start"},"inset-inline":{syntax:"<'top'>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline"},"inset-inline-end":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline-end"},"inset-inline-start":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline-start"},isolation:{syntax:"auto | isolate",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"auto",appliesto:"allElementsSVGContainerGraphicsAndGraphicsReferencingElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/isolation"},"justify-content":{syntax:"normal | <content-distribution> | <overflow-position>? [ <content-position> | left | right ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-content"},"justify-items":{syntax:"normal | stretch | <baseline-position> | <overflow-position>? [ <self-position> | left | right ] | legacy | legacy && [ left | right | center ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"legacy",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-items"},"justify-self":{syntax:"auto | normal | stretch | <baseline-position> | <overflow-position>? [ <self-position> | left | right ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"auto",appliesto:"blockLevelBoxesAndAbsolutelyPositionedBoxesAndGridItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-self"},"justify-tracks":{syntax:"[ normal | <content-distribution> | <overflow-position>? [ <content-position> | left | right ] ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"normal",appliesto:"gridContainersWithMasonryLayoutInTheirInlineAxis",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-tracks"},left:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/left"},"letter-spacing":{syntax:"normal | <length>",media:"visual",inherited:!0,animationType:"length",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"optimumValueOfAbsoluteLengthOrNormal",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/letter-spacing"},"line-break":{syntax:"auto | loose | normal | strict | anywhere",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-break"},"line-clamp":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Overflow"],initial:"none",appliesto:"blockContainersExceptMultiColumnContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"line-height":{syntax:"normal | <number> | <length> | <percentage>",media:"visual",inherited:!0,animationType:"numberOrLength",percentages:"referToElementFontSize",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"absoluteLengthOrAsSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-height"},"line-height-step":{syntax:"<length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"0",appliesto:"blockContainers",computed:"absoluteLength",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-height-step"},"list-style":{syntax:"<'list-style-type'> || <'list-style-position'> || <'list-style-image'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:["list-style-type","list-style-position","list-style-image"],appliesto:"listItems",computed:["list-style-image","list-style-position","list-style-type"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style"},"list-style-image":{syntax:"<url> | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"none",appliesto:"listItems",computed:"noneOrImageWithAbsoluteURI",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-image"},"list-style-position":{syntax:"inside | outside",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"outside",appliesto:"listItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-position"},"list-style-type":{syntax:"<counter-style> | <string> | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"disc",appliesto:"listItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-type"},margin:{syntax:"[ <length> | <percentage> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:["margin-bottom","margin-left","margin-right","margin-top"],appliesto:"allElementsExceptTableDisplayTypes",computed:["margin-bottom","margin-left","margin-right","margin-top"],order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin"},"margin-block":{syntax:"<'margin-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block"},"margin-block-end":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block-end"},"margin-block-start":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block-start"},"margin-bottom":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-bottom"},"margin-inline":{syntax:"<'margin-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline"},"margin-inline-end":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline-end"},"margin-inline-start":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline-start"},"margin-left":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-left"},"margin-right":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-right"},"margin-top":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-top"},"margin-trim":{syntax:"none | in-flow | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"none",appliesto:"blockContainersAndMultiColumnContainers",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line"],status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-trim"},mask:{syntax:"<mask-layer>#",media:"visual",inherited:!1,animationType:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],percentages:["mask-position"],groups:["CSS Masking"],initial:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],appliesto:"allElementsSVGContainerElements",computed:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask"},"mask-border":{syntax:"<'mask-border-source'> || <'mask-border-slice'> [ / <'mask-border-width'>? [ / <'mask-border-outset'> ]? ]? || <'mask-border-repeat'> || <'mask-border-mode'>",media:"visual",inherited:!1,animationType:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],percentages:["mask-border-slice","mask-border-width"],groups:["CSS Masking"],initial:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],appliesto:"allElementsSVGContainerElements",computed:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border"},"mask-border-mode":{syntax:"luminance | alpha",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"alpha",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-mode"},"mask-border-outset":{syntax:"[ <length> | <number> ]{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"0",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-outset"},"mask-border-repeat":{syntax:"[ stretch | repeat | round | space ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"stretch",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-repeat"},"mask-border-slice":{syntax:"<number-percentage>{1,4} fill?",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfMaskBorderImage",groups:["CSS Masking"],initial:"0",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-slice"},"mask-border-source":{syntax:"none | <image>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-source"},"mask-border-width":{syntax:"[ <length-percentage> | <number> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"relativeToMaskBorderImageArea",groups:["CSS Masking"],initial:"auto",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-width"},"mask-clip":{syntax:"[ <geometry-box> | no-clip ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"border-box",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-clip"},"mask-composite":{syntax:"<compositing-operator>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"add",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-composite"},"mask-image":{syntax:"<mask-reference>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-image"},"mask-mode":{syntax:"<masking-mode>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"match-source",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-mode"},"mask-origin":{syntax:"<geometry-box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"border-box",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-origin"},"mask-position":{syntax:"<position>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToSizeOfMaskPaintingArea",groups:["CSS Masking"],initial:"center",appliesto:"allElementsSVGContainerElements",computed:"consistsOfTwoKeywordsForOriginAndOffsets",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-position"},"mask-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"no-repeat",appliesto:"allElementsSVGContainerElements",computed:"consistsOfTwoDimensionKeywords",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-repeat"},"mask-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"no",groups:["CSS Masking"],initial:"auto",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-size"},"mask-type":{syntax:"luminance | alpha",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"luminance",appliesto:"maskElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-type"},"masonry-auto-flow":{syntax:"[ pack | next ] || [ definite-first | ordered ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"pack",appliesto:"gridContainersWithMasonryLayout",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/masonry-auto-flow"},"math-style":{syntax:"normal | compact",media:"visual",inherited:!0,animationType:"notAnimatable",percentages:"no",groups:["MathML"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/math-style"},"max-block-size":{syntax:"<'max-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMaxWidthAndMaxHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-block-size"},"max-height":{syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentagesNone",groups:["CSS Box Model"],initial:"none",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAsSpecifiedAbsoluteLengthOrNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-height"},"max-inline-size":{syntax:"<'max-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMaxWidthAndMaxHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-inline-size"},"max-lines":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Overflow"],initial:"none",appliesto:"blockContainersExceptMultiColumnContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"max-width":{syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"none",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAsSpecifiedAbsoluteLengthOrNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-width"},"min-block-size":{syntax:"<'min-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMinWidthAndMinHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-block-size"},"min-height":{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentages0",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-height"},"min-inline-size":{syntax:"<'min-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMinWidthAndMinHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-inline-size"},"min-width":{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-width"},"mix-blend-mode":{syntax:"<blend-mode>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mix-blend-mode"},"object-fit":{syntax:"fill | contain | cover | none | scale-down",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"fill",appliesto:"replacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/object-fit"},"object-position":{syntax:"<position>",media:"visual",inherited:!0,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToWidthAndHeightOfElement",groups:["CSS Images"],initial:"50% 50%",appliesto:"replacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/object-position"},offset:{syntax:"[ <'offset-position'>? [ <'offset-path'> [ <'offset-distance'> || <'offset-rotate'> ]? ]? ]! [ / <'offset-anchor'> ]?",media:"visual",inherited:!1,animationType:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],percentages:["offset-position","offset-distance","offset-anchor"],groups:["CSS Motion Path"],initial:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],appliesto:"transformableElements",computed:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset"},"offset-anchor":{syntax:"auto | <position>",media:"visual",inherited:!1,animationType:"position",percentages:"relativeToWidthAndHeight",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"standard"},"offset-distance":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToTotalPathLength",groups:["CSS Motion Path"],initial:"0",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-distance"},"offset-path":{syntax:"none | ray( [ <angle> && <size> && contain? ] ) | <path()> | <url> | [ <basic-shape> || <geometry-box> ]",media:"visual",inherited:!1,animationType:"angleOrBasicShapeOrPath",percentages:"no",groups:["CSS Motion Path"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-path"},"offset-position":{syntax:"auto | <position>",media:"visual",inherited:!1,animationType:"position",percentages:"referToSizeOfContainingBlock",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"experimental"},"offset-rotate":{syntax:"[ auto | reverse ] || <angle>",media:"visual",inherited:!1,animationType:"angleOrBasicShapeOrPath",percentages:"no",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-rotate"},opacity:{syntax:"<alpha-value>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Color"],initial:"1.0",appliesto:"allElements",computed:"specifiedValueClipped0To1",order:"uniqueOrder",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/opacity"},order:{syntax:"<integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"0",appliesto:"flexItemsGridItemsAbsolutelyPositionedContainerChildren",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/order"},orphans:{syntax:"<integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"2",appliesto:"blockContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/orphans"},outline:{syntax:"[ <'outline-color'> || <'outline-style'> || <'outline-width'> ]",media:["visual","interactive"],inherited:!1,animationType:["outline-color","outline-width","outline-style"],percentages:"no",groups:["CSS Basic User Interface"],initial:["outline-color","outline-style","outline-width"],appliesto:"allElements",computed:["outline-color","outline-width","outline-style"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline"},"outline-color":{syntax:"<color> | invert",media:["visual","interactive"],inherited:!1,animationType:"color",percentages:"no",groups:["CSS Basic User Interface"],initial:"invertOrCurrentColor",appliesto:"allElements",computed:"invertForTranslucentColorRGBAOtherwiseRGB",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-color"},"outline-offset":{syntax:"<length>",media:["visual","interactive"],inherited:!1,animationType:"length",percentages:"no",groups:["CSS Basic User Interface"],initial:"0",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-offset"},"outline-style":{syntax:"auto | <'border-style'>",media:["visual","interactive"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-style"},"outline-width":{syntax:"<line-width>",media:["visual","interactive"],inherited:!1,animationType:"length",percentages:"no",groups:["CSS Basic User Interface"],initial:"medium",appliesto:"allElements",computed:"absoluteLength0ForNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-width"},overflow:{syntax:"[ visible | hidden | clip | scroll | auto ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:["overflow-x","overflow-y"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow"},"overflow-anchor":{syntax:"auto | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Anchoring"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard"},"overflow-block":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"perGrammar",status:"standard"},"overflow-clip-box":{syntax:"padding-box | content-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"padding-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Mozilla/CSS/overflow-clip-box"},"overflow-inline":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"perGrammar",status:"standard"},"overflow-wrap":{syntax:"normal | break-word | anywhere",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"nonReplacedInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-wrap"},"overflow-x":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-x"},"overflow-y":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-y"},"overscroll-behavior":{syntax:"[ contain | none | auto ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior"},"overscroll-behavior-block":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-block"},"overscroll-behavior-inline":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-inline"},"overscroll-behavior-x":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-x"},"overscroll-behavior-y":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-y"},padding:{syntax:"[ <length> | <percentage> ]{1,4}",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:["padding-bottom","padding-left","padding-right","padding-top"],appliesto:"allElementsExceptInternalTableDisplayTypes",computed:["padding-bottom","padding-left","padding-right","padding-top"],order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding"},"padding-block":{syntax:"<'padding-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block"},"padding-block-end":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block-end"},"padding-block-start":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block-start"},"padding-bottom":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-bottom"},"padding-inline":{syntax:"<'padding-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline"},"padding-inline-end":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline-end"},"padding-inline-start":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline-start"},"padding-left":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-left"},"padding-right":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-right"},"padding-top":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-top"},"page-break-after":{syntax:"auto | always | avoid | left | right | recto | verso",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-after"},"page-break-before":{syntax:"auto | always | avoid | left | right | recto | verso",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-before"},"page-break-inside":{syntax:"auto | avoid",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-inside"},"paint-order":{syntax:"normal | [ fill || stroke || markers ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"textElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/paint-order"},perspective:{syntax:"none | <length>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"absoluteLengthOrNone",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/perspective"},"perspective-origin":{syntax:"<position>",media:"visual",inherited:!1,animationType:"simpleListOfLpc",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"50% 50%",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"oneOrTwoValuesLengthAbsoluteKeywordsPercentages",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/perspective-origin"},"place-content":{syntax:"<'align-content'> <'justify-content'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multilineFlexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-content"},"place-items":{syntax:"<'align-items'> <'justify-items'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:["align-items","justify-items"],appliesto:"allElements",computed:["align-items","justify-items"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-items"},"place-self":{syntax:"<'align-self'> <'justify-self'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:["align-self","justify-self"],appliesto:"blockLevelBoxesAndAbsolutelyPositionedBoxesAndGridItems",computed:["align-self","justify-self"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-self"},"pointer-events":{syntax:"auto | none | visiblePainted | visibleFill | visibleStroke | visible | painted | fill | stroke | all | inherit",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Pointer Events"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/pointer-events"},position:{syntax:"static | relative | absolute | sticky | fixed",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"static",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/position"},quotes:{syntax:"none | auto | [ <string> <string> ]+",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Generated Content"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/quotes"},resize:{syntax:"none | both | horizontal | vertical | block | inline",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"none",appliesto:"elementsWithOverflowNotVisibleAndReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/resize"},right:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/right"},rotate:{syntax:"none | <angle> | [ x | y | z | <number>{3} ] && <angle>",media:"visual",inherited:!1,animationType:"transform",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/rotate"},"row-gap":{syntax:"normal | <length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfContentArea",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multiColumnElementsFlexContainersGridContainers",computed:"asSpecifiedWithLengthsAbsoluteAndNormalComputingToZeroExceptMultiColumn",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/row-gap"},"ruby-align":{syntax:"start | center | space-between | space-around",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"space-around",appliesto:"rubyBasesAnnotationsBaseAnnotationContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ruby-align"},"ruby-merge":{syntax:"separate | collapse | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"separate",appliesto:"rubyAnnotationsContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"ruby-position":{syntax:"over | under | inter-character",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"over",appliesto:"rubyAnnotationsContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ruby-position"},scale:{syntax:"none | <number>{1,3}",media:"visual",inherited:!1,animationType:"transform",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scale"},"scrollbar-color":{syntax:"auto | dark | light | <color>{2}",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Scrollbars"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-color"},"scrollbar-gutter":{syntax:"auto | [ stable | always ] && both? && force?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-gutter"},"scrollbar-width":{syntax:"auto | thin | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scrollbars"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-width"},"scroll-behavior":{syntax:"auto | smooth",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSSOM View"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-behavior"},"scroll-margin":{syntax:"<length>{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin"},"scroll-margin-block":{syntax:"<length>{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block"},"scroll-margin-block-start":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block-start"},"scroll-margin-block-end":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block-end"},"scroll-margin-bottom":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-bottom"},"scroll-margin-inline":{syntax:"<length>{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline"},"scroll-margin-inline-start":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline-start"},"scroll-margin-inline-end":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline-end"},"scroll-margin-left":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-left"},"scroll-margin-right":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-right"},"scroll-margin-top":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-top"},"scroll-padding":{syntax:"[ auto | <length-percentage> ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding"},"scroll-padding-block":{syntax:"[ auto | <length-percentage> ]{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block"},"scroll-padding-block-start":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block-start"},"scroll-padding-block-end":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block-end"},"scroll-padding-bottom":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-bottom"},"scroll-padding-inline":{syntax:"[ auto | <length-percentage> ]{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline"},"scroll-padding-inline-start":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline-start"},"scroll-padding-inline-end":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline-end"},"scroll-padding-left":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-left"},"scroll-padding-right":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-right"},"scroll-padding-top":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-top"},"scroll-snap-align":{syntax:"[ none | start | end | center ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-align"},"scroll-snap-coordinate":{syntax:"none | <position>#",media:"interactive",inherited:!1,animationType:"position",percentages:"referToBorderBox",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-coordinate"},"scroll-snap-destination":{syntax:"<position>",media:"interactive",inherited:!1,animationType:"position",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"0px 0px",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-destination"},"scroll-snap-points-x":{syntax:"none | repeat( <length-percentage> )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-points-x"},"scroll-snap-points-y":{syntax:"none | repeat( <length-percentage> )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-points-y"},"scroll-snap-stop":{syntax:"normal | always",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-stop"},"scroll-snap-type":{syntax:"none | [ x | y | block | inline | both ] [ mandatory | proximity ]?",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type"},"scroll-snap-type-x":{syntax:"none | mandatory | proximity",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type-x"},"scroll-snap-type-y":{syntax:"none | mandatory | proximity",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type-y"},"shape-image-threshold":{syntax:"<alpha-value>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Shapes"],initial:"0.0",appliesto:"floats",computed:"specifiedValueNumberClipped0To1",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-image-threshold"},"shape-margin":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Shapes"],initial:"0",appliesto:"floats",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-margin"},"shape-outside":{syntax:"none | <shape-box> || <basic-shape> | <image>",media:"visual",inherited:!1,animationType:"basicShapeOtherwiseNo",percentages:"no",groups:["CSS Shapes"],initial:"none",appliesto:"floats",computed:"asDefinedForBasicShapeWithAbsoluteURIOtherwiseAsSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-outside"},"tab-size":{syntax:"<integer> | <length>",media:"visual",inherited:!0,animationType:"length",percentages:"no",groups:["CSS Text"],initial:"8",appliesto:"blockContainers",computed:"specifiedIntegerOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/tab-size"},"table-layout":{syntax:"auto | fixed",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"auto",appliesto:"tableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/table-layout"},"text-align":{syntax:"start | end | left | right | center | justify | match-parent",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"startOrNamelessValueIfLTRRightIfRTL",appliesto:"blockContainers",computed:"asSpecifiedExceptMatchParent",order:"orderOfAppearance",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-align"},"text-align-last":{syntax:"auto | start | end | left | right | center | justify",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"blockContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-align-last"},"text-combine-upright":{syntax:"none | all | [ digits <integer>? ]",media:"visual",inherited:!0,animationType:"notAnimatable",percentages:"no",groups:["CSS Writing Modes"],initial:"none",appliesto:"nonReplacedInlineElements",computed:"keywordPlusIntegerIfDigits",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-combine-upright"},"text-decoration":{syntax:"<'text-decoration-line'> || <'text-decoration-style'> || <'text-decoration-color'> || <'text-decoration-thickness'>",media:"visual",inherited:!1,animationType:["text-decoration-color","text-decoration-style","text-decoration-line","text-decoration-thickness"],percentages:"no",groups:["CSS Text Decoration"],initial:["text-decoration-color","text-decoration-style","text-decoration-line"],appliesto:"allElements",computed:["text-decoration-line","text-decoration-style","text-decoration-color","text-decoration-thickness"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration"},"text-decoration-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Text Decoration"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-color"},"text-decoration-line":{syntax:"none | [ underline || overline || line-through || blink ] | spelling-error | grammar-error",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-line"},"text-decoration-skip":{syntax:"none | [ objects || [ spaces | [ leading-spaces || trailing-spaces ] ] || edges || box-decoration ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"objects",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-skip"},"text-decoration-skip-ink":{syntax:"auto | all | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-skip-ink"},"text-decoration-style":{syntax:"solid | double | dotted | dashed | wavy",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"solid",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-style"},"text-decoration-thickness":{syntax:"auto | from-font | <length> | <percentage> ",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToElementFontSize",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-thickness"},"text-emphasis":{syntax:"<'text-emphasis-style'> || <'text-emphasis-color'>",media:"visual",inherited:!1,animationType:["text-emphasis-color","text-emphasis-style"],percentages:"no",groups:["CSS Text Decoration"],initial:["text-emphasis-style","text-emphasis-color"],appliesto:"allElements",computed:["text-emphasis-style","text-emphasis-color"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis"},"text-emphasis-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Text Decoration"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-color"},"text-emphasis-position":{syntax:"[ over | under ] && [ right | left ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"over right",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-position"},"text-emphasis-style":{syntax:"none | [ [ filled | open ] || [ dot | circle | double-circle | triangle | sesame ] ] | <string>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-style"},"text-indent":{syntax:"<length-percentage> && hanging? && each-line?",media:"visual",inherited:!0,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Text"],initial:"0",appliesto:"blockContainers",computed:"percentageOrAbsoluteLengthPlusKeywords",order:"lengthOrPercentageBeforeKeywords",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-indent"},"text-justify":{syntax:"auto | inter-character | inter-word | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"inlineLevelAndTableCellElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-justify"},"text-orientation":{syntax:"mixed | upright | sideways",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"mixed",appliesto:"allElementsExceptTableRowGroupsRowsColumnGroupsAndColumns",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-orientation"},"text-overflow":{syntax:"[ clip | ellipsis | <string> ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"clip",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-overflow"},"text-rendering":{syntax:"auto | optimizeSpeed | optimizeLegibility | geometricPrecision",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Miscellaneous"],initial:"auto",appliesto:"textElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-rendering"},"text-shadow":{syntax:"none | <shadow-t>#",media:"visual",inherited:!0,animationType:"shadowList",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"colorPlusThreeAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-shadow"},"text-size-adjust":{syntax:"none | auto | <percentage>",media:"visual",inherited:!0,animationType:"discrete",percentages:"referToSizeOfFont",groups:["CSS Text"],initial:"autoForSmartphoneBrowsersSupportingInflation",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-size-adjust"},"text-transform":{syntax:"none | capitalize | uppercase | lowercase | full-width | full-size-kana",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-transform"},"text-underline-offset":{syntax:"auto | <length> | <percentage> ",media:"visual",inherited:!0,animationType:"byComputedValueType",percentages:"referToElementFontSize",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-underline-offset"},"text-underline-position":{syntax:"auto | from-font | [ under || [ left | right ] ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-underline-position"},top:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToContainingBlockHeight",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/top"},"touch-action":{syntax:"auto | none | [ [ pan-x | pan-left | pan-right ] || [ pan-y | pan-up | pan-down ] || pinch-zoom ] | manipulation",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Pointer Events"],initial:"auto",appliesto:"allElementsExceptNonReplacedInlineElementsTableRowsColumnsRowColumnGroups",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/touch-action"},transform:{syntax:"none | <transform-list>",media:"visual",inherited:!1,animationType:"transform",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform"},"transform-box":{syntax:"content-box | border-box | fill-box | stroke-box | view-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"view-box",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-box"},"transform-origin":{syntax:"[ <length-percentage> | left | center | right | top | bottom ] | [ [ <length-percentage> | left | center | right ] && [ <length-percentage> | top | center | bottom ] ] <length>?",media:"visual",inherited:!1,animationType:"simpleListOfLpc",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"50% 50% 0",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"oneOrTwoValuesLengthAbsoluteKeywordsPercentages",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-origin"},"transform-style":{syntax:"flat | preserve-3d",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"flat",appliesto:"transformableElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-style"},transition:{syntax:"<single-transition>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:["transition-delay","transition-duration","transition-property","transition-timing-function"],appliesto:"allElementsAndPseudos",computed:["transition-delay","transition-duration","transition-property","transition-timing-function"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition"},"transition-delay":{syntax:"<time>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-delay"},"transition-duration":{syntax:"<time>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-duration"},"transition-property":{syntax:"none | <single-transition-property>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"all",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-property"},"transition-timing-function":{syntax:"<timing-function>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"ease",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-timing-function"},translate:{syntax:"none | <length-percentage> [ <length-percentage> <length>? ]?",media:"visual",inherited:!1,animationType:"transform",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/translate"},"unicode-bidi":{syntax:"normal | embed | isolate | bidi-override | isolate-override | plaintext",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"normal",appliesto:"allElementsSomeValuesNoEffectOnNonInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/unicode-bidi"},"user-select":{syntax:"auto | text | none | contain | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/user-select"},"vertical-align":{syntax:"baseline | sub | super | text-top | text-bottom | middle | top | bottom | <percentage> | <length>",media:"visual",inherited:!1,animationType:"length",percentages:"referToLineHeight",groups:["CSS Table"],initial:"baseline",appliesto:"inlineLevelAndTableCellElements",computed:"absoluteLengthOrKeyword",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/vertical-align"},visibility:{syntax:"visible | hidden | collapse",media:"visual",inherited:!0,animationType:"visibility",percentages:"no",groups:["CSS Box Model"],initial:"visible",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/visibility"},"white-space":{syntax:"normal | pre | nowrap | pre-wrap | pre-line | break-spaces",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/white-space"},widows:{syntax:"<integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"2",appliesto:"blockContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/widows"},width:{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAutoOrAbsoluteLength",order:"lengthOrPercentageBeforeKeywordIfBothPresent",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/width"},"will-change":{syntax:"auto | <animateable-feature>#",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Will Change"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/will-change"},"word-break":{syntax:"normal | break-all | keep-all | break-word",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/word-break"},"word-spacing":{syntax:"normal | <length-percentage>",media:"visual",inherited:!0,animationType:"length",percentages:"referToWidthOfAffectedGlyph",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"optimumMinAndMaxValueOfAbsoluteLengthPercentageOrNormal",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/word-spacing"},"word-wrap":{syntax:"normal | break-word",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"nonReplacedInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-wrap"},"writing-mode":{syntax:"horizontal-tb | vertical-rl | vertical-lr | sideways-rl | sideways-lr",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"horizontal-tb",appliesto:"allElementsExceptTableRowColumnGroupsTableRowsColumns",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/writing-mode"},"z-index":{syntax:"auto | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/z-index"},zoom:{syntax:"normal | reset | <number> | <percentage>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["Microsoft Extensions"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/zoom"}},co={atrules:{charset:{prelude:"<string>"},"font-face":{descriptors:{"unicode-range":{comment:"replaces <unicode-range>, an old production name",syntax:"<urange>#"}}}},properties:{"-moz-background-clip":{comment:"deprecated syntax in old Firefox, https://developer.mozilla.org/en/docs/Web/CSS/background-clip",syntax:"padding | border"},"-moz-border-radius-bottomleft":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-left-radius",syntax:"<'border-bottom-left-radius'>"},"-moz-border-radius-bottomright":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-right-radius",syntax:"<'border-bottom-right-radius'>"},"-moz-border-radius-topleft":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-top-left-radius",syntax:"<'border-top-left-radius'>"},"-moz-border-radius-topright":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-right-radius",syntax:"<'border-bottom-right-radius'>"},"-moz-control-character-visibility":{comment:"firefox specific keywords, https://bugzilla.mozilla.org/show_bug.cgi?id=947588",syntax:"visible | hidden"},"-moz-osx-font-smoothing":{comment:"misssed old syntax https://developer.mozilla.org/en-US/docs/Web/CSS/font-smooth",syntax:"auto | grayscale"},"-moz-user-select":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/user-select",syntax:"none | text | all | -moz-none"},"-ms-flex-align":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-align",syntax:"start | end | center | baseline | stretch"},"-ms-flex-item-align":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-align",syntax:"auto | start | end | center | baseline | stretch"},"-ms-flex-line-pack":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-line-pack",syntax:"start | end | center | justify | distribute | stretch"},"-ms-flex-negative":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-shrink'>"},"-ms-flex-pack":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-pack",syntax:"start | end | center | justify | distribute"},"-ms-flex-order":{comment:"misssed old syntax implemented in IE; https://msdn.microsoft.com/en-us/library/jj127303(v=vs.85).aspx",syntax:"<integer>"},"-ms-flex-positive":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-grow'>"},"-ms-flex-preferred-size":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-basis'>"},"-ms-interpolation-mode":{comment:"https://msdn.microsoft.com/en-us/library/ff521095(v=vs.85).aspx",syntax:"nearest-neighbor | bicubic"},"-ms-grid-column-align":{comment:"add this property first since it uses as fallback for flexbox, https://msdn.microsoft.com/en-us/library/windows/apps/hh466338.aspx",syntax:"start | end | center | stretch"},"-ms-grid-row-align":{comment:"add this property first since it uses as fallback for flexbox, https://msdn.microsoft.com/en-us/library/windows/apps/hh466348.aspx",syntax:"start | end | center | stretch"},"-ms-hyphenate-limit-last":{comment:"misssed old syntax implemented in IE; https://www.w3.org/TR/css-text-4/#hyphenate-line-limits",syntax:"none | always | column | page | spread"},"-webkit-appearance":{comment:"webkit specific keywords",references:["http://css-infos.net/property/-webkit-appearance"],syntax:"none | button | button-bevel | caps-lock-indicator | caret | checkbox | default-button | inner-spin-button | listbox | listitem | media-controls-background | media-controls-fullscreen-background | media-current-time-display | media-enter-fullscreen-button | media-exit-fullscreen-button | media-fullscreen-button | media-mute-button | media-overlay-play-button | media-play-button | media-seek-back-button | media-seek-forward-button | media-slider | media-sliderthumb | media-time-remaining-display | media-toggle-closed-captions-button | media-volume-slider | media-volume-slider-container | media-volume-sliderthumb | menulist | menulist-button | menulist-text | menulist-textfield | meter | progress-bar | progress-bar-value | push-button | radio | scrollbarbutton-down | scrollbarbutton-left | scrollbarbutton-right | scrollbarbutton-up | scrollbargripper-horizontal | scrollbargripper-vertical | scrollbarthumb-horizontal | scrollbarthumb-vertical | scrollbartrack-horizontal | scrollbartrack-vertical | searchfield | searchfield-cancel-button | searchfield-decoration | searchfield-results-button | searchfield-results-decoration | slider-horizontal | slider-vertical | sliderthumb-horizontal | sliderthumb-vertical | square-button | textarea | textfield | -apple-pay-button"},"-webkit-background-clip":{comment:"https://developer.mozilla.org/en/docs/Web/CSS/background-clip",syntax:"[ <box> | border | padding | content | text ]#"},"-webkit-column-break-after":{comment:"added, http://help.dottoro.com/lcrthhhv.php",syntax:"always | auto | avoid"},"-webkit-column-break-before":{comment:"added, http://help.dottoro.com/lcxquvkf.php",syntax:"always | auto | avoid"},"-webkit-column-break-inside":{comment:"added, http://help.dottoro.com/lclhnthl.php",syntax:"always | auto | avoid"},"-webkit-font-smoothing":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/font-smooth",syntax:"auto | none | antialiased | subpixel-antialiased"},"-webkit-mask-box-image":{comment:"missed; https://developer.mozilla.org/en-US/docs/Web/CSS/-webkit-mask-box-image",syntax:"[ <url> | <gradient> | none ] [ <length-percentage>{4} <-webkit-mask-box-repeat>{2} ]?"},"-webkit-print-color-adjust":{comment:"missed",references:["https://developer.mozilla.org/en/docs/Web/CSS/-webkit-print-color-adjust"],syntax:"economy | exact"},"-webkit-text-security":{comment:"missed; http://help.dottoro.com/lcbkewgt.php",syntax:"none | circle | disc | square"},"-webkit-user-drag":{comment:"missed; http://help.dottoro.com/lcbixvwm.php",syntax:"none | element | auto"},"-webkit-user-select":{comment:"auto is supported by old webkit, https://developer.mozilla.org/en-US/docs/Web/CSS/user-select",syntax:"auto | none | text | all"},"alignment-baseline":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#AlignmentBaselineProperty"],syntax:"auto | baseline | before-edge | text-before-edge | middle | central | after-edge | text-after-edge | ideographic | alphabetic | hanging | mathematical"},"baseline-shift":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#BaselineShiftProperty"],syntax:"baseline | sub | super | <svg-length>"},behavior:{comment:"added old IE property https://msdn.microsoft.com/en-us/library/ms530723(v=vs.85).aspx",syntax:"<url>+"},"clip-rule":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/masking.html#ClipRuleProperty"],syntax:"nonzero | evenodd"},cue:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'cue-before'> <'cue-after'>?"},"cue-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<url> <decibel>? | none"},"cue-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<url> <decibel>? | none"},cursor:{comment:"added legacy keywords: hand, -webkit-grab. -webkit-grabbing, -webkit-zoom-in, -webkit-zoom-out, -moz-grab, -moz-grabbing, -moz-zoom-in, -moz-zoom-out",references:["https://www.sitepoint.com/css3-cursor-styles/"],syntax:"[ [ <url> [ <x> <y> ]? , ]* [ auto | default | none | context-menu | help | pointer | progress | wait | cell | crosshair | text | vertical-text | alias | copy | move | no-drop | not-allowed | e-resize | n-resize | ne-resize | nw-resize | s-resize | se-resize | sw-resize | w-resize | ew-resize | ns-resize | nesw-resize | nwse-resize | col-resize | row-resize | all-scroll | zoom-in | zoom-out | grab | grabbing | hand | -webkit-grab | -webkit-grabbing | -webkit-zoom-in | -webkit-zoom-out | -moz-grab | -moz-grabbing | -moz-zoom-in | -moz-zoom-out ] ]"},display:{comment:"extended with -ms-flexbox",syntax:"| <-non-standard-display>"},position:{comment:"extended with -webkit-sticky",syntax:"| -webkit-sticky"},"dominant-baseline":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#DominantBaselineProperty"],syntax:"auto | use-script | no-change | reset-size | ideographic | alphabetic | hanging | mathematical | central | middle | text-after-edge | text-before-edge"},"image-rendering":{comment:"extended with <-non-standard-image-rendering>, added SVG keywords optimizeSpeed and optimizeQuality",references:["https://developer.mozilla.org/en/docs/Web/CSS/image-rendering","https://www.w3.org/TR/SVG/painting.html#ImageRenderingProperty"],syntax:"| optimizeSpeed | optimizeQuality | <-non-standard-image-rendering>"},fill:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"<paint>"},"fill-opacity":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"<number-zero-one>"},"fill-rule":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"nonzero | evenodd"},filter:{comment:"extend with IE legacy syntaxes",syntax:"| <-ms-filter-function-list>"},"glyph-orientation-horizontal":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#GlyphOrientationHorizontalProperty"],syntax:"<angle>"},"glyph-orientation-vertical":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#GlyphOrientationVerticalProperty"],syntax:"<angle>"},kerning:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#KerningProperty"],syntax:"auto | <svg-length>"},"letter-spacing":{comment:"fix syntax <length> -> <length-percentage>",references:["https://developer.mozilla.org/en-US/docs/Web/SVG/Attribute/letter-spacing"],syntax:"normal | <length-percentage>"},marker:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-end":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-mid":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-start":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"max-width":{comment:"fix auto -> none (https://github.com/mdn/data/pull/431); extend by non-standard width keywords https://developer.mozilla.org/en-US/docs/Web/CSS/max-width",syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>) | <-non-standard-width>"},width:{comment:"per spec fit-content should be a function, however browsers are supporting it as a keyword (https://github.com/csstree/stylelint-validator/issues/29)",syntax:"| fit-content | -moz-fit-content | -webkit-fit-content"},"min-width":{comment:"extend by non-standard width keywords https://developer.mozilla.org/en-US/docs/Web/CSS/width",syntax:"auto | <length-percentage> | min-content | max-content | fit-content(<length-percentage>) | <-non-standard-width>"},overflow:{comment:"extend by vendor keywords https://developer.mozilla.org/en-US/docs/Web/CSS/overflow",syntax:"| <-non-standard-overflow>"},pause:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'pause-before'> <'pause-after'>?"},"pause-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"pause-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},rest:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'rest-before'> <'rest-after'>?"},"rest-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"rest-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"shape-rendering":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#ShapeRenderingPropert"],syntax:"auto | optimizeSpeed | crispEdges | geometricPrecision"},src:{comment:"added @font-face's src property https://developer.mozilla.org/en-US/docs/Web/CSS/@font-face/src",syntax:"[ <url> [ format( <string># ) ]? | local( <family-name> ) ]#"},speak:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"auto | none | normal"},"speak-as":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"normal | spell-out || digits || [ literal-punctuation | no-punctuation ]"},stroke:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<paint>"},"stroke-dasharray":{comment:"added SVG property; a list of comma and/or white space separated <length>s and <percentage>s",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"none | [ <svg-length>+ ]#"},"stroke-dashoffset":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<svg-length>"},"stroke-linecap":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"butt | round | square"},"stroke-linejoin":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"miter | round | bevel"},"stroke-miterlimit":{comment:"added SVG property (<miterlimit> = <number-one-or-greater>) ",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<number-one-or-greater>"},"stroke-opacity":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<number-zero-one>"},"stroke-width":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<svg-length>"},"text-anchor":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#TextAlignmentProperties"],syntax:"start | middle | end"},"unicode-bidi":{comment:"added prefixed keywords https://developer.mozilla.org/en-US/docs/Web/CSS/unicode-bidi",syntax:"| -moz-isolate | -moz-isolate-override | -moz-plaintext | -webkit-isolate | -webkit-isolate-override | -webkit-plaintext"},"unicode-range":{comment:"added missed property https://developer.mozilla.org/en-US/docs/Web/CSS/%40font-face/unicode-range",syntax:"<urange>#"},"voice-balance":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<number> | left | center | right | leftwards | rightwards"},"voice-duration":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"auto | <time>"},"voice-family":{comment:"<name> -> <family-name>, https://www.w3.org/TR/css3-speech/#property-index",syntax:"[ [ <family-name> | <generic-voice> ] , ]* [ <family-name> | <generic-voice> ] | preserve"},"voice-pitch":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<frequency> && absolute | [ [ x-low | low | medium | high | x-high ] || [ <frequency> | <semitones> | <percentage> ] ]"},"voice-range":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<frequency> && absolute | [ [ x-low | low | medium | high | x-high ] || [ <frequency> | <semitones> | <percentage> ] ]"},"voice-rate":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"[ normal | x-slow | slow | medium | fast | x-fast ] || <percentage>"},"voice-stress":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"normal | strong | moderate | none | reduced"},"voice-volume":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"silent | [ [ x-soft | soft | medium | loud | x-loud ] || <decibel> ]"},"writing-mode":{comment:"extend with SVG keywords",syntax:"| <svg-writing-mode>"}},syntaxes:{"-legacy-gradient":{comment:"added collection of legacy gradient syntaxes",syntax:"<-webkit-gradient()> | <-legacy-linear-gradient> | <-legacy-repeating-linear-gradient> | <-legacy-radial-gradient> | <-legacy-repeating-radial-gradient>"},"-legacy-linear-gradient":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"-moz-linear-gradient( <-legacy-linear-gradient-arguments> ) | -webkit-linear-gradient( <-legacy-linear-gradient-arguments> ) | -o-linear-gradient( <-legacy-linear-gradient-arguments> )"},"-legacy-repeating-linear-gradient":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"-moz-repeating-linear-gradient( <-legacy-linear-gradient-arguments> ) | -webkit-repeating-linear-gradient( <-legacy-linear-gradient-arguments> ) | -o-repeating-linear-gradient( <-legacy-linear-gradient-arguments> )"},"-legacy-linear-gradient-arguments":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"[ <angle> | <side-or-corner> ]? , <color-stop-list>"},"-legacy-radial-gradient":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"-moz-radial-gradient( <-legacy-radial-gradient-arguments> ) | -webkit-radial-gradient( <-legacy-radial-gradient-arguments> ) | -o-radial-gradient( <-legacy-radial-gradient-arguments> )"},"-legacy-repeating-radial-gradient":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"-moz-repeating-radial-gradient( <-legacy-radial-gradient-arguments> ) | -webkit-repeating-radial-gradient( <-legacy-radial-gradient-arguments> ) | -o-repeating-radial-gradient( <-legacy-radial-gradient-arguments> )"},"-legacy-radial-gradient-arguments":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"[ <position> , ]? [ [ [ <-legacy-radial-gradient-shape> || <-legacy-radial-gradient-size> ] | [ <length> | <percentage> ]{2} ] , ]? <color-stop-list>"},"-legacy-radial-gradient-size":{comment:"before a standard it contains 2 extra keywords (`contain` and `cover`) https://www.w3.org/TR/2011/WD-css3-images-20110908/#ltsize",syntax:"closest-side | closest-corner | farthest-side | farthest-corner | contain | cover"},"-legacy-radial-gradient-shape":{comment:"define to double sure it doesn't extends in future https://www.w3.org/TR/2011/WD-css3-images-20110908/#ltshape",syntax:"circle | ellipse"},"-non-standard-font":{comment:"non standard fonts",references:["https://webkit.org/blog/3709/using-the-system-font-in-web-content/"],syntax:"-apple-system-body | -apple-system-headline | -apple-system-subheadline | -apple-system-caption1 | -apple-system-caption2 | -apple-system-footnote | -apple-system-short-body | -apple-system-short-headline | -apple-system-short-subheadline | -apple-system-short-caption1 | -apple-system-short-footnote | -apple-system-tall-body"},"-non-standard-color":{comment:"non standard colors",references:["http://cssdot.ru/%D0%A1%D0%BF%D1%80%D0%B0%D0%B2%D0%BE%D1%87%D0%BD%D0%B8%D0%BA_CSS/color-i305.html","https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#Mozilla_Color_Preference_Extensions"],syntax:"-moz-ButtonDefault | -moz-ButtonHoverFace | -moz-ButtonHoverText | -moz-CellHighlight | -moz-CellHighlightText | -moz-Combobox | -moz-ComboboxText | -moz-Dialog | -moz-DialogText | -moz-dragtargetzone | -moz-EvenTreeRow | -moz-Field | -moz-FieldText | -moz-html-CellHighlight | -moz-html-CellHighlightText | -moz-mac-accentdarkestshadow | -moz-mac-accentdarkshadow | -moz-mac-accentface | -moz-mac-accentlightesthighlight | -moz-mac-accentlightshadow | -moz-mac-accentregularhighlight | -moz-mac-accentregularshadow | -moz-mac-chrome-active | -moz-mac-chrome-inactive | -moz-mac-focusring | -moz-mac-menuselect | -moz-mac-menushadow | -moz-mac-menutextselect | -moz-MenuHover | -moz-MenuHoverText | -moz-MenuBarText | -moz-MenuBarHoverText | -moz-nativehyperlinktext | -moz-OddTreeRow | -moz-win-communicationstext | -moz-win-mediatext | -moz-activehyperlinktext | -moz-default-background-color | -moz-default-color | -moz-hyperlinktext | -moz-visitedhyperlinktext | -webkit-activelink | -webkit-focus-ring-color | -webkit-link | -webkit-text"},"-non-standard-image-rendering":{comment:"non-standard keywords http://phrogz.net/tmp/canvas_image_zoom.html",syntax:"optimize-contrast | -moz-crisp-edges | -o-crisp-edges | -webkit-optimize-contrast"},"-non-standard-overflow":{comment:"non-standard keywords https://developer.mozilla.org/en-US/docs/Web/CSS/overflow",syntax:"-moz-scrollbars-none | -moz-scrollbars-horizontal | -moz-scrollbars-vertical | -moz-hidden-unscrollable"},"-non-standard-width":{comment:"non-standard keywords https://developer.mozilla.org/en-US/docs/Web/CSS/width",syntax:"fill-available | min-intrinsic | intrinsic | -moz-available | -moz-fit-content | -moz-min-content | -moz-max-content | -webkit-min-content | -webkit-max-content"},"-webkit-gradient()":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/ - TODO: simplify when after match algorithm improvement ( [, point, radius | , point] -> [, radius]? , point )",syntax:"-webkit-gradient( <-webkit-gradient-type>, <-webkit-gradient-point> [, <-webkit-gradient-point> | , <-webkit-gradient-radius>, <-webkit-gradient-point> ] [, <-webkit-gradient-radius>]? [, <-webkit-gradient-color-stop>]* )"},"-webkit-gradient-color-stop":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"from( <color> ) | color-stop( [ <number-zero-one> | <percentage> ] , <color> ) | to( <color> )"},"-webkit-gradient-point":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"[ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ]"},"-webkit-gradient-radius":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"<length> | <percentage>"},"-webkit-gradient-type":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"linear | radial"},"-webkit-mask-box-repeat":{comment:"missed; https://developer.mozilla.org/en-US/docs/Web/CSS/-webkit-mask-box-image",syntax:"repeat | stretch | round"},"-webkit-mask-clip-style":{comment:"missed; there is no enough information about `-webkit-mask-clip` property, but looks like all those keywords are working",syntax:"border | border-box | padding | padding-box | content | content-box | text"},"-ms-filter-function-list":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<-ms-filter-function>+"},"-ms-filter-function":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<-ms-filter-function-progid> | <-ms-filter-function-legacy>"},"-ms-filter-function-progid":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"'progid:' [ <ident-token> '.' ]* [ <ident-token> | <function-token> <any-value>? ) ]"},"-ms-filter-function-legacy":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<ident-token> | <function-token> <any-value>? )"},"-ms-filter":{syntax:"<string>"},age:{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"child | young | old"},"attr-name":{syntax:"<wq-name>"},"attr-fallback":{syntax:"<any-value>"},"border-radius":{comment:"missed, https://drafts.csswg.org/css-backgrounds-3/#the-border-radius",syntax:"<length-percentage>{1,2}"},bottom:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"content-list":{comment:"missed -> https://drafts.csswg.org/css-content/#typedef-content-list (document-url, <target> and leader() is omitted util stabilization)",syntax:"[ <string> | contents | <image> | <quote> | <target> | <leader()> | <attr()> | counter( <ident>, <'list-style-type'>? ) ]+"},"element()":{comment:"https://drafts.csswg.org/css-gcpm/#element-syntax & https://drafts.csswg.org/css-images-4/#element-notation",syntax:"element( <custom-ident> , [ first | start | last | first-except ]? ) | element( <id-selector> )"},"generic-voice":{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"[ <age>? <gender> <integer>? ]"},gender:{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"male | female | neutral"},"generic-family":{comment:"added -apple-system",references:["https://webkit.org/blog/3709/using-the-system-font-in-web-content/"],syntax:"| -apple-system"},gradient:{comment:"added legacy syntaxes support",syntax:"| <-legacy-gradient>"},left:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"mask-image":{comment:"missed; https://drafts.fxtf.org/css-masking-1/#the-mask-image",syntax:"<mask-reference>#"},"name-repeat":{comment:"missed, and looks like obsolete, keep it as is since other property syntaxes should be changed too; https://www.w3.org/TR/2015/WD-css-grid-1-20150917/#typedef-name-repeat",syntax:"repeat( [ <positive-integer> | auto-fill ], <line-names>+)"},"named-color":{comment:"added non standard color names",syntax:"| <-non-standard-color>"},paint:{comment:"used by SVG https://www.w3.org/TR/SVG/painting.html#SpecifyingPaint",syntax:"none | <color> | <url> [ none | <color> ]? | context-fill | context-stroke"},"page-size":{comment:"https://www.w3.org/TR/css-page-3/#typedef-page-size-page-size",syntax:"A5 | A4 | A3 | B5 | B4 | JIS-B5 | JIS-B4 | letter | legal | ledger"},ratio:{comment:"missed, https://drafts.csswg.org/mediaqueries-4/#typedef-ratio",syntax:"<integer> / <integer>"},right:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},shape:{comment:"missed spaces in function body and add backwards compatible syntax",syntax:"rect( <top>, <right>, <bottom>, <left> ) | rect( <top> <right> <bottom> <left> )"},"svg-length":{comment:"All coordinates and lengths in SVG can be specified with or without a unit identifier",references:["https://www.w3.org/TR/SVG11/coords.html#Units"],syntax:"<percentage> | <length> | <number>"},"svg-writing-mode":{comment:"SVG specific keywords (deprecated for CSS)",references:["https://developer.mozilla.org/en/docs/Web/CSS/writing-mode","https://www.w3.org/TR/SVG/text.html#WritingModeProperty"],syntax:"lr-tb | rl-tb | tb-rl | lr | rl | tb"},top:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"track-group":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"'(' [ <string>* <track-minmax> <string>* ]+ ')' [ '[' <positive-integer> ']' ]? | <track-minmax>"},"track-list-v0":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"[ <string>* <track-group> <string>* ]+ | none"},"track-minmax":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"minmax( <track-breadth> , <track-breadth> ) | auto | <track-breadth> | fit-content"},x:{comment:"missed; not sure we should add it, but no others except `cursor` is using it so it's ok for now; https://drafts.csswg.org/css-ui-3/#cursor",syntax:"<number>"},y:{comment:"missed; not sure we should add it, but no others except `cursor` is using so it's ok for now; https://drafts.csswg.org/css-ui-3/#cursor",syntax:"<number>"},declaration:{comment:"missed, restored by https://drafts.csswg.org/css-syntax",syntax:"<ident-token> : <declaration-value>? [ '!' important ]?"},"declaration-list":{comment:"missed, restored by https://drafts.csswg.org/css-syntax",syntax:"[ <declaration>? ';' ]* <declaration>?"},url:{comment:"https://drafts.csswg.org/css-values-4/#urls",syntax:"url( <string> <url-modifier>* ) | <url-token>"},"url-modifier":{comment:"https://drafts.csswg.org/css-values-4/#typedef-url-modifier",syntax:"<ident> | <function-token> <any-value> )"},"number-zero-one":{syntax:"<number [0,1]>"},"number-one-or-greater":{syntax:"<number [1,∞]>"},"positive-integer":{syntax:"<integer [0,∞]>"},"-non-standard-display":{syntax:"-ms-inline-flexbox | -ms-grid | -ms-inline-grid | -webkit-flex | -webkit-inline-flex | -webkit-box | -webkit-inline-box | -moz-inline-stack | -moz-box | -moz-inline-box"}}},po=/^\s*\|\s*/;function mo(e,t){const n={};for(const t in e)n[t]=e[t].syntax||e[t];for(const r in t)r in e?t[r].syntax?n[r]=po.test(t[r].syntax)?n[r]+" "+t[r].syntax.trim():t[r].syntax:delete n[r]:t[r].syntax&&(n[r]=t[r].syntax.replace(po,""));return n}function ho(e){const t={};for(const n in e)t[n]=e[n].syntax;return t}var fo={types:mo({"absolute-size":{syntax:"xx-small | x-small | small | medium | large | x-large | xx-large | xxx-large"},"alpha-value":{syntax:"<number> | <percentage>"},"angle-percentage":{syntax:"<angle> | <percentage>"},"angular-color-hint":{syntax:"<angle-percentage>"},"angular-color-stop":{syntax:"<color> && <color-stop-angle>?"},"angular-color-stop-list":{syntax:"[ <angular-color-stop> [, <angular-color-hint>]? ]# , <angular-color-stop>"},"animateable-feature":{syntax:"scroll-position | contents | <custom-ident>"},attachment:{syntax:"scroll | fixed | local"},"attr()":{syntax:"attr( <attr-name> <type-or-unit>? [, <attr-fallback> ]? )"},"attr-matcher":{syntax:"[ '~' | '|' | '^' | '$' | '*' ]? '='"},"attr-modifier":{syntax:"i | s"},"attribute-selector":{syntax:"'[' <wq-name> ']' | '[' <wq-name> <attr-matcher> [ <string-token> | <ident-token> ] <attr-modifier>? ']'"},"auto-repeat":{syntax:"repeat( [ auto-fill | auto-fit ] , [ <line-names>? <fixed-size> ]+ <line-names>? )"},"auto-track-list":{syntax:"[ <line-names>? [ <fixed-size> | <fixed-repeat> ] ]* <line-names>? <auto-repeat>\n[ <line-names>? [ <fixed-size> | <fixed-repeat> ] ]* <line-names>?"},"baseline-position":{syntax:"[ first | last ]? baseline"},"basic-shape":{syntax:"<inset()> | <circle()> | <ellipse()> | <polygon()> | <path()>"},"bg-image":{syntax:"none | <image>"},"bg-layer":{syntax:"<bg-image> || <bg-position> [ / <bg-size> ]? || <repeat-style> || <attachment> || <box> || <box>"},"bg-position":{syntax:"[ [ left | center | right | top | bottom | <length-percentage> ] | [ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ] | [ center | [ left | right ] <length-percentage>? ] && [ center | [ top | bottom ] <length-percentage>? ] ]"},"bg-size":{syntax:"[ <length-percentage> | auto ]{1,2} | cover | contain"},"blur()":{syntax:"blur( <length> )"},"blend-mode":{syntax:"normal | multiply | screen | overlay | darken | lighten | color-dodge | color-burn | hard-light | soft-light | difference | exclusion | hue | saturation | color | luminosity"},box:{syntax:"border-box | padding-box | content-box"},"brightness()":{syntax:"brightness( <number-percentage> )"},"calc()":{syntax:"calc( <calc-sum> )"},"calc-sum":{syntax:"<calc-product> [ [ '+' | '-' ] <calc-product> ]*"},"calc-product":{syntax:"<calc-value> [ '*' <calc-value> | '/' <number> ]*"},"calc-value":{syntax:"<number> | <dimension> | <percentage> | ( <calc-sum> )"},"cf-final-image":{syntax:"<image> | <color>"},"cf-mixing-image":{syntax:"<percentage>? && <image>"},"circle()":{syntax:"circle( [ <shape-radius> ]? [ at <position> ]? )"},"clamp()":{syntax:"clamp( <calc-sum>#{3} )"},"class-selector":{syntax:"'.' <ident-token>"},"clip-source":{syntax:"<url>"},color:{syntax:"<rgb()> | <rgba()> | <hsl()> | <hsla()> | <hex-color> | <named-color> | currentcolor | <deprecated-system-color>"},"color-stop":{syntax:"<color-stop-length> | <color-stop-angle>"},"color-stop-angle":{syntax:"<angle-percentage>{1,2}"},"color-stop-length":{syntax:"<length-percentage>{1,2}"},"color-stop-list":{syntax:"[ <linear-color-stop> [, <linear-color-hint>]? ]# , <linear-color-stop>"},combinator:{syntax:"'>' | '+' | '~' | [ '||' ]"},"common-lig-values":{syntax:"[ common-ligatures | no-common-ligatures ]"},"compat-auto":{syntax:"searchfield | textarea | push-button | slider-horizontal | checkbox | radio | square-button | menulist | listbox | meter | progress-bar | button"},"composite-style":{syntax:"clear | copy | source-over | source-in | source-out | source-atop | destination-over | destination-in | destination-out | destination-atop | xor"},"compositing-operator":{syntax:"add | subtract | intersect | exclude"},"compound-selector":{syntax:"[ <type-selector>? <subclass-selector>* [ <pseudo-element-selector> <pseudo-class-selector>* ]* ]!"},"compound-selector-list":{syntax:"<compound-selector>#"},"complex-selector":{syntax:"<compound-selector> [ <combinator>? <compound-selector> ]*"},"complex-selector-list":{syntax:"<complex-selector>#"},"conic-gradient()":{syntax:"conic-gradient( [ from <angle> ]? [ at <position> ]?, <angular-color-stop-list> )"},"contextual-alt-values":{syntax:"[ contextual | no-contextual ]"},"content-distribution":{syntax:"space-between | space-around | space-evenly | stretch"},"content-list":{syntax:"[ <string> | contents | <image> | <quote> | <target> | <leader()> ]+"},"content-position":{syntax:"center | start | end | flex-start | flex-end"},"content-replacement":{syntax:"<image>"},"contrast()":{syntax:"contrast( [ <number-percentage> ] )"},"counter()":{syntax:"counter( <custom-ident>, <counter-style>? )"},"counter-style":{syntax:"<counter-style-name> | symbols()"},"counter-style-name":{syntax:"<custom-ident>"},"counters()":{syntax:"counters( <custom-ident>, <string>, <counter-style>? )"},"cross-fade()":{syntax:"cross-fade( <cf-mixing-image> , <cf-final-image>? )"},"cubic-bezier-timing-function":{syntax:"ease | ease-in | ease-out | ease-in-out | cubic-bezier(<number [0,1]>, <number>, <number [0,1]>, <number>)"},"deprecated-system-color":{syntax:"ActiveBorder | ActiveCaption | AppWorkspace | Background | ButtonFace | ButtonHighlight | ButtonShadow | ButtonText | CaptionText | GrayText | Highlight | HighlightText | InactiveBorder | InactiveCaption | InactiveCaptionText | InfoBackground | InfoText | Menu | MenuText | Scrollbar | ThreeDDarkShadow | ThreeDFace | ThreeDHighlight | ThreeDLightShadow | ThreeDShadow | Window | WindowFrame | WindowText"},"discretionary-lig-values":{syntax:"[ discretionary-ligatures | no-discretionary-ligatures ]"},"display-box":{syntax:"contents | none"},"display-inside":{syntax:"flow | flow-root | table | flex | grid | ruby"},"display-internal":{syntax:"table-row-group | table-header-group | table-footer-group | table-row | table-cell | table-column-group | table-column | table-caption | ruby-base | ruby-text | ruby-base-container | ruby-text-container"},"display-legacy":{syntax:"inline-block | inline-list-item | inline-table | inline-flex | inline-grid"},"display-listitem":{syntax:"<display-outside>? && [ flow | flow-root ]? && list-item"},"display-outside":{syntax:"block | inline | run-in"},"drop-shadow()":{syntax:"drop-shadow( <length>{2,3} <color>? )"},"east-asian-variant-values":{syntax:"[ jis78 | jis83 | jis90 | jis04 | simplified | traditional ]"},"east-asian-width-values":{syntax:"[ full-width | proportional-width ]"},"element()":{syntax:"element( <id-selector> )"},"ellipse()":{syntax:"ellipse( [ <shape-radius>{2} ]? [ at <position> ]? )"},"ending-shape":{syntax:"circle | ellipse"},"env()":{syntax:"env( <custom-ident> , <declaration-value>? )"},"explicit-track-list":{syntax:"[ <line-names>? <track-size> ]+ <line-names>?"},"family-name":{syntax:"<string> | <custom-ident>+"},"feature-tag-value":{syntax:"<string> [ <integer> | on | off ]?"},"feature-type":{syntax:"@stylistic | @historical-forms | @styleset | @character-variant | @swash | @ornaments | @annotation"},"feature-value-block":{syntax:"<feature-type> '{' <feature-value-declaration-list> '}'"},"feature-value-block-list":{syntax:"<feature-value-block>+"},"feature-value-declaration":{syntax:"<custom-ident>: <integer>+;"},"feature-value-declaration-list":{syntax:"<feature-value-declaration>"},"feature-value-name":{syntax:"<custom-ident>"},"fill-rule":{syntax:"nonzero | evenodd"},"filter-function":{syntax:"<blur()> | <brightness()> | <contrast()> | <drop-shadow()> | <grayscale()> | <hue-rotate()> | <invert()> | <opacity()> | <saturate()> | <sepia()>"},"filter-function-list":{syntax:"[ <filter-function> | <url> ]+"},"final-bg-layer":{syntax:"<'background-color'> || <bg-image> || <bg-position> [ / <bg-size> ]? || <repeat-style> || <attachment> || <box> || <box>"},"fit-content()":{syntax:"fit-content( [ <length> | <percentage> ] )"},"fixed-breadth":{syntax:"<length-percentage>"},"fixed-repeat":{syntax:"repeat( [ <positive-integer> ] , [ <line-names>? <fixed-size> ]+ <line-names>? )"},"fixed-size":{syntax:"<fixed-breadth> | minmax( <fixed-breadth> , <track-breadth> ) | minmax( <inflexible-breadth> , <fixed-breadth> )"},"font-stretch-absolute":{syntax:"normal | ultra-condensed | extra-condensed | condensed | semi-condensed | semi-expanded | expanded | extra-expanded | ultra-expanded | <percentage>"},"font-variant-css21":{syntax:"[ normal | small-caps ]"},"font-weight-absolute":{syntax:"normal | bold | <number [1,1000]>"},"frequency-percentage":{syntax:"<frequency> | <percentage>"},"general-enclosed":{syntax:"[ <function-token> <any-value> ) ] | ( <ident> <any-value> )"},"generic-family":{syntax:"serif | sans-serif | cursive | fantasy | monospace"},"generic-name":{syntax:"serif | sans-serif | cursive | fantasy | monospace"},"geometry-box":{syntax:"<shape-box> | fill-box | stroke-box | view-box"},gradient:{syntax:"<linear-gradient()> | <repeating-linear-gradient()> | <radial-gradient()> | <repeating-radial-gradient()> | <conic-gradient()>"},"grayscale()":{syntax:"grayscale( <number-percentage> )"},"grid-line":{syntax:"auto | <custom-ident> | [ <integer> && <custom-ident>? ] | [ span && [ <integer> || <custom-ident> ] ]"},"historical-lig-values":{syntax:"[ historical-ligatures | no-historical-ligatures ]"},"hsl()":{syntax:"hsl( <hue> <percentage> <percentage> [ / <alpha-value> ]? ) | hsl( <hue>, <percentage>, <percentage>, <alpha-value>? )"},"hsla()":{syntax:"hsla( <hue> <percentage> <percentage> [ / <alpha-value> ]? ) | hsla( <hue>, <percentage>, <percentage>, <alpha-value>? )"},hue:{syntax:"<number> | <angle>"},"hue-rotate()":{syntax:"hue-rotate( <angle> )"},"id-selector":{syntax:"<hash-token>"},image:{syntax:"<url> | <image()> | <image-set()> | <element()> | <paint()> | <cross-fade()> | <gradient>"},"image()":{syntax:"image( <image-tags>? [ <image-src>? , <color>? ]! )"},"image-set()":{syntax:"image-set( <image-set-option># )"},"image-set-option":{syntax:"[ <image> | <string> ] <resolution>"},"image-src":{syntax:"<url> | <string>"},"image-tags":{syntax:"ltr | rtl"},"inflexible-breadth":{syntax:"<length> | <percentage> | min-content | max-content | auto"},"inset()":{syntax:"inset( <length-percentage>{1,4} [ round <'border-radius'> ]? )"},"invert()":{syntax:"invert( <number-percentage> )"},"keyframes-name":{syntax:"<custom-ident> | <string>"},"keyframe-block":{syntax:"<keyframe-selector># {\n <declaration-list>\n}"},"keyframe-block-list":{syntax:"<keyframe-block>+"},"keyframe-selector":{syntax:"from | to | <percentage>"},"leader()":{syntax:"leader( <leader-type> )"},"leader-type":{syntax:"dotted | solid | space | <string>"},"length-percentage":{syntax:"<length> | <percentage>"},"line-names":{syntax:"'[' <custom-ident>* ']'"},"line-name-list":{syntax:"[ <line-names> | <name-repeat> ]+"},"line-style":{syntax:"none | hidden | dotted | dashed | solid | double | groove | ridge | inset | outset"},"line-width":{syntax:"<length> | thin | medium | thick"},"linear-color-hint":{syntax:"<length-percentage>"},"linear-color-stop":{syntax:"<color> <color-stop-length>?"},"linear-gradient()":{syntax:"linear-gradient( [ <angle> | to <side-or-corner> ]? , <color-stop-list> )"},"mask-layer":{syntax:"<mask-reference> || <position> [ / <bg-size> ]? || <repeat-style> || <geometry-box> || [ <geometry-box> | no-clip ] || <compositing-operator> || <masking-mode>"},"mask-position":{syntax:"[ <length-percentage> | left | center | right ] [ <length-percentage> | top | center | bottom ]?"},"mask-reference":{syntax:"none | <image> | <mask-source>"},"mask-source":{syntax:"<url>"},"masking-mode":{syntax:"alpha | luminance | match-source"},"matrix()":{syntax:"matrix( <number>#{6} )"},"matrix3d()":{syntax:"matrix3d( <number>#{16} )"},"max()":{syntax:"max( <calc-sum># )"},"media-and":{syntax:"<media-in-parens> [ and <media-in-parens> ]+"},"media-condition":{syntax:"<media-not> | <media-and> | <media-or> | <media-in-parens>"},"media-condition-without-or":{syntax:"<media-not> | <media-and> | <media-in-parens>"},"media-feature":{syntax:"( [ <mf-plain> | <mf-boolean> | <mf-range> ] )"},"media-in-parens":{syntax:"( <media-condition> ) | <media-feature> | <general-enclosed>"},"media-not":{syntax:"not <media-in-parens>"},"media-or":{syntax:"<media-in-parens> [ or <media-in-parens> ]+"},"media-query":{syntax:"<media-condition> | [ not | only ]? <media-type> [ and <media-condition-without-or> ]?"},"media-query-list":{syntax:"<media-query>#"},"media-type":{syntax:"<ident>"},"mf-boolean":{syntax:"<mf-name>"},"mf-name":{syntax:"<ident>"},"mf-plain":{syntax:"<mf-name> : <mf-value>"},"mf-range":{syntax:"<mf-name> [ '<' | '>' ]? '='? <mf-value>\n| <mf-value> [ '<' | '>' ]? '='? <mf-name>\n| <mf-value> '<' '='? <mf-name> '<' '='? <mf-value>\n| <mf-value> '>' '='? <mf-name> '>' '='? <mf-value>"},"mf-value":{syntax:"<number> | <dimension> | <ident> | <ratio>"},"min()":{syntax:"min( <calc-sum># )"},"minmax()":{syntax:"minmax( [ <length> | <percentage> | min-content | max-content | auto ] , [ <length> | <percentage> | <flex> | min-content | max-content | auto ] )"},"named-color":{syntax:"transparent | aliceblue | antiquewhite | aqua | aquamarine | azure | beige | bisque | black | blanchedalmond | blue | blueviolet | brown | burlywood | cadetblue | chartreuse | chocolate | coral | cornflowerblue | cornsilk | crimson | cyan | darkblue | darkcyan | darkgoldenrod | darkgray | darkgreen | darkgrey | darkkhaki | darkmagenta | darkolivegreen | darkorange | darkorchid | darkred | darksalmon | darkseagreen | darkslateblue | darkslategray | darkslategrey | darkturquoise | darkviolet | deeppink | deepskyblue | dimgray | dimgrey | dodgerblue | firebrick | floralwhite | forestgreen | fuchsia | gainsboro | ghostwhite | gold | goldenrod | gray | green | greenyellow | grey | honeydew | hotpink | indianred | indigo | ivory | khaki | lavender | lavenderblush | lawngreen | lemonchiffon | lightblue | lightcoral | lightcyan | lightgoldenrodyellow | lightgray | lightgreen | lightgrey | lightpink | lightsalmon | lightseagreen | lightskyblue | lightslategray | lightslategrey | lightsteelblue | lightyellow | lime | limegreen | linen | magenta | maroon | mediumaquamarine | mediumblue | mediumorchid | mediumpurple | mediumseagreen | mediumslateblue | mediumspringgreen | mediumturquoise | mediumvioletred | midnightblue | mintcream | mistyrose | moccasin | navajowhite | navy | oldlace | olive | olivedrab | orange | orangered | orchid | palegoldenrod | palegreen | paleturquoise | palevioletred | papayawhip | peachpuff | peru | pink | plum | powderblue | purple | rebeccapurple | red | rosybrown | royalblue | saddlebrown | salmon | sandybrown | seagreen | seashell | sienna | silver | skyblue | slateblue | slategray | slategrey | snow | springgreen | steelblue | tan | teal | thistle | tomato | turquoise | violet | wheat | white | whitesmoke | yellow | yellowgreen"},"namespace-prefix":{syntax:"<ident>"},"ns-prefix":{syntax:"[ <ident-token> | '*' ]? '|'"},"number-percentage":{syntax:"<number> | <percentage>"},"numeric-figure-values":{syntax:"[ lining-nums | oldstyle-nums ]"},"numeric-fraction-values":{syntax:"[ diagonal-fractions | stacked-fractions ]"},"numeric-spacing-values":{syntax:"[ proportional-nums | tabular-nums ]"},nth:{syntax:"<an-plus-b> | even | odd"},"opacity()":{syntax:"opacity( [ <number-percentage> ] )"},"overflow-position":{syntax:"unsafe | safe"},"outline-radius":{syntax:"<length> | <percentage>"},"page-body":{syntax:"<declaration>? [ ; <page-body> ]? | <page-margin-box> <page-body>"},"page-margin-box":{syntax:"<page-margin-box-type> '{' <declaration-list> '}'"},"page-margin-box-type":{syntax:"@top-left-corner | @top-left | @top-center | @top-right | @top-right-corner | @bottom-left-corner | @bottom-left | @bottom-center | @bottom-right | @bottom-right-corner | @left-top | @left-middle | @left-bottom | @right-top | @right-middle | @right-bottom"},"page-selector-list":{syntax:"[ <page-selector># ]?"},"page-selector":{syntax:"<pseudo-page>+ | <ident> <pseudo-page>*"},"path()":{syntax:"path( [ <fill-rule>, ]? <string> )"},"paint()":{syntax:"paint( <ident>, <declaration-value>? )"},"perspective()":{syntax:"perspective( <length> )"},"polygon()":{syntax:"polygon( <fill-rule>? , [ <length-percentage> <length-percentage> ]# )"},position:{syntax:"[ [ left | center | right ] || [ top | center | bottom ] | [ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ]? | [ [ left | right ] <length-percentage> ] && [ [ top | bottom ] <length-percentage> ] ]"},"pseudo-class-selector":{syntax:"':' <ident-token> | ':' <function-token> <any-value> ')'"},"pseudo-element-selector":{syntax:"':' <pseudo-class-selector>"},"pseudo-page":{syntax:": [ left | right | first | blank ]"},quote:{syntax:"open-quote | close-quote | no-open-quote | no-close-quote"},"radial-gradient()":{syntax:"radial-gradient( [ <ending-shape> || <size> ]? [ at <position> ]? , <color-stop-list> )"},"relative-selector":{syntax:"<combinator>? <complex-selector>"},"relative-selector-list":{syntax:"<relative-selector>#"},"relative-size":{syntax:"larger | smaller"},"repeat-style":{syntax:"repeat-x | repeat-y | [ repeat | space | round | no-repeat ]{1,2}"},"repeating-linear-gradient()":{syntax:"repeating-linear-gradient( [ <angle> | to <side-or-corner> ]? , <color-stop-list> )"},"repeating-radial-gradient()":{syntax:"repeating-radial-gradient( [ <ending-shape> || <size> ]? [ at <position> ]? , <color-stop-list> )"},"rgb()":{syntax:"rgb( <percentage>{3} [ / <alpha-value> ]? ) | rgb( <number>{3} [ / <alpha-value> ]? ) | rgb( <percentage>#{3} , <alpha-value>? ) | rgb( <number>#{3} , <alpha-value>? )"},"rgba()":{syntax:"rgba( <percentage>{3} [ / <alpha-value> ]? ) | rgba( <number>{3} [ / <alpha-value> ]? ) | rgba( <percentage>#{3} , <alpha-value>? ) | rgba( <number>#{3} , <alpha-value>? )"},"rotate()":{syntax:"rotate( [ <angle> | <zero> ] )"},"rotate3d()":{syntax:"rotate3d( <number> , <number> , <number> , [ <angle> | <zero> ] )"},"rotateX()":{syntax:"rotateX( [ <angle> | <zero> ] )"},"rotateY()":{syntax:"rotateY( [ <angle> | <zero> ] )"},"rotateZ()":{syntax:"rotateZ( [ <angle> | <zero> ] )"},"saturate()":{syntax:"saturate( <number-percentage> )"},"scale()":{syntax:"scale( <number> , <number>? )"},"scale3d()":{syntax:"scale3d( <number> , <number> , <number> )"},"scaleX()":{syntax:"scaleX( <number> )"},"scaleY()":{syntax:"scaleY( <number> )"},"scaleZ()":{syntax:"scaleZ( <number> )"},"self-position":{syntax:"center | start | end | self-start | self-end | flex-start | flex-end"},"shape-radius":{syntax:"<length-percentage> | closest-side | farthest-side"},"skew()":{syntax:"skew( [ <angle> | <zero> ] , [ <angle> | <zero> ]? )"},"skewX()":{syntax:"skewX( [ <angle> | <zero> ] )"},"skewY()":{syntax:"skewY( [ <angle> | <zero> ] )"},"sepia()":{syntax:"sepia( <number-percentage> )"},shadow:{syntax:"inset? && <length>{2,4} && <color>?"},"shadow-t":{syntax:"[ <length>{2,3} && <color>? ]"},shape:{syntax:"rect(<top>, <right>, <bottom>, <left>)"},"shape-box":{syntax:"<box> | margin-box"},"side-or-corner":{syntax:"[ left | right ] || [ top | bottom ]"},"single-animation":{syntax:"<time> || <timing-function> || <time> || <single-animation-iteration-count> || <single-animation-direction> || <single-animation-fill-mode> || <single-animation-play-state> || [ none | <keyframes-name> ]"},"single-animation-direction":{syntax:"normal | reverse | alternate | alternate-reverse"},"single-animation-fill-mode":{syntax:"none | forwards | backwards | both"},"single-animation-iteration-count":{syntax:"infinite | <number>"},"single-animation-play-state":{syntax:"running | paused"},"single-transition":{syntax:"[ none | <single-transition-property> ] || <time> || <timing-function> || <time>"},"single-transition-property":{syntax:"all | <custom-ident>"},size:{syntax:"closest-side | farthest-side | closest-corner | farthest-corner | <length> | <length-percentage>{2}"},"step-position":{syntax:"jump-start | jump-end | jump-none | jump-both | start | end"},"step-timing-function":{syntax:"step-start | step-end | steps(<integer>[, <step-position>]?)"},"subclass-selector":{syntax:"<id-selector> | <class-selector> | <attribute-selector> | <pseudo-class-selector>"},"supports-condition":{syntax:"not <supports-in-parens> | <supports-in-parens> [ and <supports-in-parens> ]* | <supports-in-parens> [ or <supports-in-parens> ]*"},"supports-in-parens":{syntax:"( <supports-condition> ) | <supports-feature> | <general-enclosed>"},"supports-feature":{syntax:"<supports-decl> | <supports-selector-fn>"},"supports-decl":{syntax:"( <declaration> )"},"supports-selector-fn":{syntax:"selector( <complex-selector> )"},symbol:{syntax:"<string> | <image> | <custom-ident>"},target:{syntax:"<target-counter()> | <target-counters()> | <target-text()>"},"target-counter()":{syntax:"target-counter( [ <string> | <url> ] , <custom-ident> , <counter-style>? )"},"target-counters()":{syntax:"target-counters( [ <string> | <url> ] , <custom-ident> , <string> , <counter-style>? )"},"target-text()":{syntax:"target-text( [ <string> | <url> ] , [ content | before | after | first-letter ]? )"},"time-percentage":{syntax:"<time> | <percentage>"},"timing-function":{syntax:"linear | <cubic-bezier-timing-function> | <step-timing-function>"},"track-breadth":{syntax:"<length-percentage> | <flex> | min-content | max-content | auto"},"track-list":{syntax:"[ <line-names>? [ <track-size> | <track-repeat> ] ]+ <line-names>?"},"track-repeat":{syntax:"repeat( [ <positive-integer> ] , [ <line-names>? <track-size> ]+ <line-names>? )"},"track-size":{syntax:"<track-breadth> | minmax( <inflexible-breadth> , <track-breadth> ) | fit-content( [ <length> | <percentage> ] )"},"transform-function":{syntax:"<matrix()> | <translate()> | <translateX()> | <translateY()> | <scale()> | <scaleX()> | <scaleY()> | <rotate()> | <skew()> | <skewX()> | <skewY()> | <matrix3d()> | <translate3d()> | <translateZ()> | <scale3d()> | <scaleZ()> | <rotate3d()> | <rotateX()> | <rotateY()> | <rotateZ()> | <perspective()>"},"transform-list":{syntax:"<transform-function>+"},"translate()":{syntax:"translate( <length-percentage> , <length-percentage>? )"},"translate3d()":{syntax:"translate3d( <length-percentage> , <length-percentage> , <length> )"},"translateX()":{syntax:"translateX( <length-percentage> )"},"translateY()":{syntax:"translateY( <length-percentage> )"},"translateZ()":{syntax:"translateZ( <length> )"},"type-or-unit":{syntax:"string | color | url | integer | number | length | angle | time | frequency | cap | ch | em | ex | ic | lh | rlh | rem | vb | vi | vw | vh | vmin | vmax | mm | Q | cm | in | pt | pc | px | deg | grad | rad | turn | ms | s | Hz | kHz | %"},"type-selector":{syntax:"<wq-name> | <ns-prefix>? '*'"},"var()":{syntax:"var( <custom-property-name> , <declaration-value>? )"},"viewport-length":{syntax:"auto | <length-percentage>"},"wq-name":{syntax:"<ns-prefix>? <ident-token>"}},co.syntaxes),atrules:function(e,t){const n={};for(const r in e){const i=t[r]&&t[r].descriptors||null;n[r]={prelude:r in t&&"prelude"in t[r]?t[r].prelude:e[r].prelude||null,descriptors:e[r].descriptors?mo(e[r].descriptors,i||{}):i&&ho(i)}}for(const r in t)hasOwnProperty.call(e,r)||(n[r]={prelude:t[r].prelude||null,descriptors:t[r].descriptors&&ho(t[r].descriptors)});return n}(function(e){const t=Object.create(null);for(const n in e){const r=e[n];let i=null;if(r.descriptors){i=Object.create(null);for(const e in r.descriptors)i[e]=r.descriptors[e].syntax}t[n.substr(1)]={prelude:r.syntax.trim().match(/^@\S+\s+([^;\{]*)/)[1].trim()||null,descriptors:i}}return t}(lo),co.atrules),properties:mo(uo,co.properties)},go=at.cmpChar,yo=at.isDigit,vo=at.TYPE,bo=vo.WhiteSpace,So=vo.Comment,xo=vo.Ident,wo=vo.Number,Co=vo.Dimension,ko=43,Oo=45,To=110,Eo=!0;function Ao(e,t){var n=this.scanner.tokenStart+e,r=this.scanner.source.charCodeAt(n);for(r!==ko&&r!==Oo||(t&&this.error("Number sign is not allowed"),n++);n<this.scanner.tokenEnd;n++)yo(this.scanner.source.charCodeAt(n))||this.error("Integer is expected",n)}function _o(e){return Ao.call(this,0,e)}function zo(e,t){if(!go(this.scanner.source,this.scanner.tokenStart+e,t)){var n="";switch(t){case To:n="N is expected";break;case Oo:n="HyphenMinus is expected"}this.error(n,this.scanner.tokenStart+e)}}function Ro(){for(var e=0,t=0,n=this.scanner.tokenType;n===bo||n===So;)n=this.scanner.lookupType(++e);if(n!==wo){if(!this.scanner.isDelim(ko,e)&&!this.scanner.isDelim(Oo,e))return null;t=this.scanner.isDelim(ko,e)?ko:Oo;do{n=this.scanner.lookupType(++e)}while(n===bo||n===So);n!==wo&&(this.scanner.skip(e),_o.call(this,Eo))}return e>0&&this.scanner.skip(e),0===t&&(n=this.scanner.source.charCodeAt(this.scanner.tokenStart))!==ko&&n!==Oo&&this.error("Number sign is expected"),_o.call(this,0!==t),t===Oo?"-"+this.consume(wo):this.consume(wo)}var Lo={name:"AnPlusB",structure:{a:[String,null],b:[String,null]},parse:function(){var e=this.scanner.tokenStart,t=null,n=null;if(this.scanner.tokenType===wo)_o.call(this,false),n=this.consume(wo);else if(this.scanner.tokenType===xo&&go(this.scanner.source,this.scanner.tokenStart,Oo))switch(t="-1",zo.call(this,1,To),this.scanner.getTokenLength()){case 2:this.scanner.next(),n=Ro.call(this);break;case 3:zo.call(this,2,Oo),this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo);break;default:zo.call(this,2,Oo),Ao.call(this,3,Eo),this.scanner.next(),n=this.scanner.substrToCursor(e+2)}else if(this.scanner.tokenType===xo||this.scanner.isDelim(ko)&&this.scanner.lookupType(1)===xo){var r=0;switch(t="1",this.scanner.isDelim(ko)&&(r=1,this.scanner.next()),zo.call(this,0,To),this.scanner.getTokenLength()){case 1:this.scanner.next(),n=Ro.call(this);break;case 2:zo.call(this,1,Oo),this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo);break;default:zo.call(this,1,Oo),Ao.call(this,2,Eo),this.scanner.next(),n=this.scanner.substrToCursor(e+r+1)}}else if(this.scanner.tokenType===Co){for(var i=this.scanner.source.charCodeAt(this.scanner.tokenStart),o=(r=i===ko||i===Oo,this.scanner.tokenStart+r);o<this.scanner.tokenEnd&&yo(this.scanner.source.charCodeAt(o));o++);o===this.scanner.tokenStart+r&&this.error("Integer is expected",this.scanner.tokenStart+r),zo.call(this,o-this.scanner.tokenStart,To),t=this.scanner.source.substring(e,o),o+1===this.scanner.tokenEnd?(this.scanner.next(),n=Ro.call(this)):(zo.call(this,o-this.scanner.tokenStart+1,Oo),o+2===this.scanner.tokenEnd?(this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo)):(Ao.call(this,o-this.scanner.tokenStart+2,Eo),this.scanner.next(),n=this.scanner.substrToCursor(o+1)))}else this.error();return null!==t&&t.charCodeAt(0)===ko&&(t=t.substr(1)),null!==n&&n.charCodeAt(0)===ko&&(n=n.substr(1)),{type:"AnPlusB",loc:this.getLocation(e,this.scanner.tokenStart),a:t,b:n}},generate:function(e){var t=null!==e.a&&void 0!==e.a,n=null!==e.b&&void 0!==e.b;t?(this.chunk("+1"===e.a?"+n":"1"===e.a?"n":"-1"===e.a?"-n":e.a+"n"),n&&("-"===(n=String(e.b)).charAt(0)||"+"===n.charAt(0)?(this.chunk(n.charAt(0)),this.chunk(n.substr(1))):(this.chunk("+"),this.chunk(n)))):this.chunk(String(e.b))}},Po=at.TYPE,Bo=Po.WhiteSpace,Wo=Po.Semicolon,Mo=Po.LeftCurlyBracket,Uo=Po.Delim;function Io(){return this.scanner.tokenIndex>0&&this.scanner.lookupType(-1)===Bo?this.scanner.tokenIndex>1?this.scanner.getTokenStart(this.scanner.tokenIndex-1):this.scanner.firstCharOffset:this.scanner.tokenStart}function No(){return 0}var qo={name:"Raw",structure:{value:String},parse:function(e,t,n){var r,i=this.scanner.getTokenStart(e);return this.scanner.skip(this.scanner.getRawLength(e,t||No)),r=n&&this.scanner.tokenStart>i?Io.call(this):this.scanner.tokenStart,{type:"Raw",loc:this.getLocation(i,r),value:this.scanner.source.substring(i,r)}},generate:function(e){this.chunk(e.value)},mode:{default:No,leftCurlyBracket:function(e){return e===Mo?1:0},leftCurlyBracketOrSemicolon:function(e){return e===Mo||e===Wo?1:0},exclamationMarkOrSemicolon:function(e,t,n){return e===Uo&&33===t.charCodeAt(n)||e===Wo?1:0},semicolonIncluded:function(e){return e===Wo?2:0}}},Do=at.TYPE,Vo=qo.mode,jo=Do.AtKeyword,Fo=Do.Semicolon,Go=Do.LeftCurlyBracket,Ko=Do.RightCurlyBracket;function Yo(e){return this.Raw(e,Vo.leftCurlyBracketOrSemicolon,!0)}function Ho(){for(var e,t=1;e=this.scanner.lookupType(t);t++){if(e===Ko)return!0;if(e===Go||e===jo)return!1}return!1}var $o={name:"Atrule",structure:{name:String,prelude:["AtrulePrelude","Raw",null],block:["Block",null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null,i=null;switch(this.eat(jo),t=(e=this.scanner.substrToCursor(n+1)).toLowerCase(),this.scanner.skipSC(),!1===this.scanner.eof&&this.scanner.tokenType!==Go&&this.scanner.tokenType!==Fo&&(this.parseAtrulePrelude?"AtrulePrelude"===(r=this.parseWithFallback(this.AtrulePrelude.bind(this,e),Yo)).type&&null===r.children.head&&(r=null):r=Yo.call(this,this.scanner.tokenIndex),this.scanner.skipSC()),this.scanner.tokenType){case Fo:this.scanner.next();break;case Go:i=this.atrule.hasOwnProperty(t)&&"function"==typeof this.atrule[t].block?this.atrule[t].block.call(this):this.Block(Ho.call(this))}return{type:"Atrule",loc:this.getLocation(n,this.scanner.tokenStart),name:e,prelude:r,block:i}},generate:function(e){this.chunk("@"),this.chunk(e.name),null!==e.prelude&&(this.chunk(" "),this.node(e.prelude)),e.block?this.node(e.block):this.chunk(";")},walkContext:"atrule"},Qo=at.TYPE,Zo=Qo.Semicolon,Xo=Qo.LeftCurlyBracket,Jo={name:"AtrulePrelude",structure:{children:[[]]},parse:function(e){var t=null;return null!==e&&(e=e.toLowerCase()),this.scanner.skipSC(),t=this.atrule.hasOwnProperty(e)&&"function"==typeof this.atrule[e].prelude?this.atrule[e].prelude.call(this):this.readSequence(this.scope.AtrulePrelude),this.scanner.skipSC(),!0!==this.scanner.eof&&this.scanner.tokenType!==Xo&&this.scanner.tokenType!==Zo&&this.error("Semicolon or block is expected"),null===t&&(t=this.createList()),{type:"AtrulePrelude",loc:this.getLocationFromList(t),children:t}},generate:function(e){this.children(e)},walkContext:"atrulePrelude"},ea=at.TYPE,ta=ea.Ident,na=ea.String,ra=ea.Colon,ia=ea.LeftSquareBracket,oa=ea.RightSquareBracket;function aa(){this.scanner.eof&&this.error("Unexpected end of input");var e=this.scanner.tokenStart,t=!1,n=!0;return this.scanner.isDelim(42)?(t=!0,n=!1,this.scanner.next()):this.scanner.isDelim(124)||this.eat(ta),this.scanner.isDelim(124)?61!==this.scanner.source.charCodeAt(this.scanner.tokenStart+1)?(this.scanner.next(),this.eat(ta)):t&&this.error("Identifier is expected",this.scanner.tokenEnd):t&&this.error("Vertical line is expected"),n&&this.scanner.tokenType===ra&&(this.scanner.next(),this.eat(ta)),{type:"Identifier",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}}function sa(){var e=this.scanner.tokenStart,t=this.scanner.source.charCodeAt(e);return 61!==t&&126!==t&&94!==t&&36!==t&&42!==t&&124!==t&&this.error("Attribute selector (=, ~=, ^=, $=, *=, |=) is expected"),this.scanner.next(),61!==t&&(this.scanner.isDelim(61)||this.error("Equal sign is expected"),this.scanner.next()),this.scanner.substrToCursor(e)}var la={name:"AttributeSelector",structure:{name:"Identifier",matcher:[String,null],value:["String","Identifier",null],flags:[String,null]},parse:function(){var e,t=this.scanner.tokenStart,n=null,r=null,i=null;return this.eat(ia),this.scanner.skipSC(),e=aa.call(this),this.scanner.skipSC(),this.scanner.tokenType!==oa&&(this.scanner.tokenType!==ta&&(n=sa.call(this),this.scanner.skipSC(),r=this.scanner.tokenType===na?this.String():this.Identifier(),this.scanner.skipSC()),this.scanner.tokenType===ta&&(i=this.scanner.getTokenValue(),this.scanner.next(),this.scanner.skipSC())),this.eat(oa),{type:"AttributeSelector",loc:this.getLocation(t,this.scanner.tokenStart),name:e,matcher:n,value:r,flags:i}},generate:function(e){var t=" ";this.chunk("["),this.node(e.name),null!==e.matcher&&(this.chunk(e.matcher),null!==e.value&&(this.node(e.value),"String"===e.value.type&&(t=""))),null!==e.flags&&(this.chunk(t),this.chunk(e.flags)),this.chunk("]")}},ua=at.TYPE,ca=qo.mode,da=ua.WhiteSpace,pa=ua.Comment,ma=ua.Semicolon,ha=ua.AtKeyword,fa=ua.LeftCurlyBracket,ga=ua.RightCurlyBracket;function ya(e){return this.Raw(e,null,!0)}function va(){return this.parseWithFallback(this.Rule,ya)}function ba(e){return this.Raw(e,ca.semicolonIncluded,!0)}function Sa(){if(this.scanner.tokenType===ma)return ba.call(this,this.scanner.tokenIndex);var e=this.parseWithFallback(this.Declaration,ba);return this.scanner.tokenType===ma&&this.scanner.next(),e}var xa={name:"Block",structure:{children:[["Atrule","Rule","Declaration"]]},parse:function(e){var t=e?Sa:va,n=this.scanner.tokenStart,r=this.createList();this.eat(fa);e:for(;!this.scanner.eof;)switch(this.scanner.tokenType){case ga:break e;case da:case pa:this.scanner.next();break;case ha:r.push(this.parseWithFallback(this.Atrule,ya));break;default:r.push(t.call(this))}return this.scanner.eof||this.eat(ga),{type:"Block",loc:this.getLocation(n,this.scanner.tokenStart),children:r}},generate:function(e){this.chunk("{"),this.children(e,(function(e){"Declaration"===e.type&&this.chunk(";")})),this.chunk("}")},walkContext:"block"},wa=at.TYPE,Ca=wa.LeftSquareBracket,ka=wa.RightSquareBracket,Oa={name:"Brackets",structure:{children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart;return this.eat(Ca),n=e.call(this,t),this.scanner.eof||this.eat(ka),{type:"Brackets",loc:this.getLocation(r,this.scanner.tokenStart),children:n}},generate:function(e){this.chunk("["),this.children(e),this.chunk("]")}},Ta=at.TYPE.CDC,Ea={name:"CDC",structure:[],parse:function(){var e=this.scanner.tokenStart;return this.eat(Ta),{type:"CDC",loc:this.getLocation(e,this.scanner.tokenStart)}},generate:function(){this.chunk("--\x3e")}},Aa=at.TYPE.CDO,_a={name:"CDO",structure:[],parse:function(){var e=this.scanner.tokenStart;return this.eat(Aa),{type:"CDO",loc:this.getLocation(e,this.scanner.tokenStart)}},generate:function(){this.chunk("\x3c!--")}},za=at.TYPE.Ident,Ra={name:"ClassSelector",structure:{name:String},parse:function(){return this.scanner.isDelim(46)||this.error("Full stop is expected"),this.scanner.next(),{type:"ClassSelector",loc:this.getLocation(this.scanner.tokenStart-1,this.scanner.tokenEnd),name:this.consume(za)}},generate:function(e){this.chunk("."),this.chunk(e.name)}},La=at.TYPE.Ident,Pa={name:"Combinator",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 62:case 43:case 126:this.scanner.next();break;case 47:this.scanner.next(),this.scanner.tokenType===La&&!1!==this.scanner.lookupValue(0,"deep")||this.error("Identifier `deep` is expected"),this.scanner.next(),this.scanner.isDelim(47)||this.error("Solidus is expected"),this.scanner.next();break;default:this.error("Combinator is expected")}return{type:"Combinator",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.name)}},Ba=at.TYPE.Comment,Wa={name:"Comment",structure:{value:String},parse:function(){var e=this.scanner.tokenStart,t=this.scanner.tokenEnd;return this.eat(Ba),t-e+2>=2&&42===this.scanner.source.charCodeAt(t-2)&&47===this.scanner.source.charCodeAt(t-1)&&(t-=2),{type:"Comment",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e+2,t)}},generate:function(e){this.chunk("/*"),this.chunk(e.value),this.chunk("*/")}},Ma=Be.isCustomProperty,Ua=at.TYPE,Ia=qo.mode,Na=Ua.Ident,qa=Ua.Hash,Da=Ua.Colon,Va=Ua.Semicolon,ja=Ua.Delim,Fa=Ua.WhiteSpace;function Ga(e){return this.Raw(e,Ia.exclamationMarkOrSemicolon,!0)}function Ka(e){return this.Raw(e,Ia.exclamationMarkOrSemicolon,!1)}function Ya(){var e=this.scanner.tokenIndex,t=this.Value();return"Raw"!==t.type&&!1===this.scanner.eof&&this.scanner.tokenType!==Va&&!1===this.scanner.isDelim(33)&&!1===this.scanner.isBalanceEdge(e)&&this.error(),t}var Ha={name:"Declaration",structure:{important:[Boolean,String],property:String,value:["Value","Raw"]},parse:function(){var e,t=this.scanner.tokenStart,n=this.scanner.tokenIndex,r=$a.call(this),i=Ma(r),o=i?this.parseCustomProperty:this.parseValue,a=i?Ka:Ga,s=!1;this.scanner.skipSC(),this.eat(Da);const l=this.scanner.tokenIndex;if(i||this.scanner.skipSC(),e=o?this.parseWithFallback(Ya,a):a.call(this,this.scanner.tokenIndex),i&&"Value"===e.type&&e.children.isEmpty())for(let t=l-this.scanner.tokenIndex;t<=0;t++)if(this.scanner.lookupType(t)===Fa){e.children.appendData({type:"WhiteSpace",loc:null,value:" "});break}return this.scanner.isDelim(33)&&(s=Qa.call(this),this.scanner.skipSC()),!1===this.scanner.eof&&this.scanner.tokenType!==Va&&!1===this.scanner.isBalanceEdge(n)&&this.error(),{type:"Declaration",loc:this.getLocation(t,this.scanner.tokenStart),important:s,property:r,value:e}},generate:function(e){this.chunk(e.property),this.chunk(":"),this.node(e.value),e.important&&this.chunk(!0===e.important?"!important":"!"+e.important)},walkContext:"declaration"};function $a(){var e=this.scanner.tokenStart;if(this.scanner.tokenType===ja)switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 42:case 36:case 43:case 35:case 38:this.scanner.next();break;case 47:this.scanner.next(),this.scanner.isDelim(47)&&this.scanner.next()}return this.scanner.tokenType===qa?this.eat(qa):this.eat(Na),this.scanner.substrToCursor(e)}function Qa(){this.eat(ja),this.scanner.skipSC();var e=this.consume(Na);return"important"===e||e}var Za=at.TYPE,Xa=qo.mode,Ja=Za.WhiteSpace,es=Za.Comment,ts=Za.Semicolon;function ns(e){return this.Raw(e,Xa.semicolonIncluded,!0)}var rs={name:"DeclarationList",structure:{children:[["Declaration"]]},parse:function(){for(var e=this.createList();!this.scanner.eof;)switch(this.scanner.tokenType){case Ja:case es:case ts:this.scanner.next();break;default:e.push(this.parseWithFallback(this.Declaration,ns))}return{type:"DeclarationList",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e,(function(e){"Declaration"===e.type&&this.chunk(";")}))}},is=le.consumeNumber,os=at.TYPE.Dimension,as={name:"Dimension",structure:{value:String,unit:String},parse:function(){var e=this.scanner.tokenStart,t=is(this.scanner.source,e);return this.eat(os),{type:"Dimension",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e,t),unit:this.scanner.source.substring(t,this.scanner.tokenStart)}},generate:function(e){this.chunk(e.value),this.chunk(e.unit)}},ss=at.TYPE.RightParenthesis,ls={name:"Function",structure:{name:String,children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart,i=this.consumeFunctionName(),o=i.toLowerCase();return n=t.hasOwnProperty(o)?t[o].call(this,t):e.call(this,t),this.scanner.eof||this.eat(ss),{type:"Function",loc:this.getLocation(r,this.scanner.tokenStart),name:i,children:n}},generate:function(e){this.chunk(e.name),this.chunk("("),this.children(e),this.chunk(")")},walkContext:"function"},us=at.TYPE.Hash,cs={name:"Hash",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return this.eat(us),{type:"Hash",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e+1)}},generate:function(e){this.chunk("#"),this.chunk(e.value)}},ds=at.TYPE.Ident,ps={name:"Identifier",structure:{name:String},parse:function(){return{type:"Identifier",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),name:this.consume(ds)}},generate:function(e){this.chunk(e.name)}},ms=at.TYPE.Hash,hs={name:"IdSelector",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;return this.eat(ms),{type:"IdSelector",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e+1)}},generate:function(e){this.chunk("#"),this.chunk(e.name)}},fs=at.TYPE,gs=fs.Ident,ys=fs.Number,vs=fs.Dimension,bs=fs.LeftParenthesis,Ss=fs.RightParenthesis,xs=fs.Colon,ws=fs.Delim,Cs={name:"MediaFeature",structure:{name:String,value:["Identifier","Number","Dimension","Ratio",null]},parse:function(){var e,t=this.scanner.tokenStart,n=null;if(this.eat(bs),this.scanner.skipSC(),e=this.consume(gs),this.scanner.skipSC(),this.scanner.tokenType!==Ss){switch(this.eat(xs),this.scanner.skipSC(),this.scanner.tokenType){case ys:n=this.lookupNonWSType(1)===ws?this.Ratio():this.Number();break;case vs:n=this.Dimension();break;case gs:n=this.Identifier();break;default:this.error("Number, dimension, ratio or identifier is expected")}this.scanner.skipSC()}return this.eat(Ss),{type:"MediaFeature",loc:this.getLocation(t,this.scanner.tokenStart),name:e,value:n}},generate:function(e){this.chunk("("),this.chunk(e.name),null!==e.value&&(this.chunk(":"),this.node(e.value)),this.chunk(")")}},ks=at.TYPE,Os=ks.WhiteSpace,Ts=ks.Comment,Es=ks.Ident,As=ks.LeftParenthesis,_s={name:"MediaQuery",structure:{children:[["Identifier","MediaFeature","WhiteSpace"]]},parse:function(){this.scanner.skipSC();var e=this.createList(),t=null,n=null;e:for(;!this.scanner.eof;){switch(this.scanner.tokenType){case Ts:this.scanner.next();continue;case Os:n=this.WhiteSpace();continue;case Es:t=this.Identifier();break;case As:t=this.MediaFeature();break;default:break e}null!==n&&(e.push(n),n=null),e.push(t)}return null===t&&this.error("Identifier or parenthesis is expected"),{type:"MediaQuery",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e)}},zs=at.TYPE.Comma,Rs={name:"MediaQueryList",structure:{children:[["MediaQuery"]]},parse:function(e){var t=this.createList();for(this.scanner.skipSC();!this.scanner.eof&&(t.push(this.MediaQuery(e)),this.scanner.tokenType===zs);)this.scanner.next();return{type:"MediaQueryList",loc:this.getLocationFromList(t),children:t}},generate:function(e){this.children(e,(function(){this.chunk(",")}))}},Ls=at.TYPE.Number,Ps={name:"Number",structure:{value:String},parse:function(){return{type:"Number",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),value:this.consume(Ls)}},generate:function(e){this.chunk(e.value)}},Bs={name:"Operator",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return this.scanner.next(),{type:"Operator",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.value)}},Ws=at.TYPE,Ms=Ws.LeftParenthesis,Us=Ws.RightParenthesis,Is={name:"Parentheses",structure:{children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart;return this.eat(Ms),n=e.call(this,t),this.scanner.eof||this.eat(Us),{type:"Parentheses",loc:this.getLocation(r,this.scanner.tokenStart),children:n}},generate:function(e){this.chunk("("),this.children(e),this.chunk(")")}},Ns=le.consumeNumber,qs=at.TYPE.Percentage,Ds={name:"Percentage",structure:{value:String},parse:function(){var e=this.scanner.tokenStart,t=Ns(this.scanner.source,e);return this.eat(qs),{type:"Percentage",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e,t)}},generate:function(e){this.chunk(e.value),this.chunk("%")}},Vs=at.TYPE,js=Vs.Ident,Fs=Vs.Function,Gs=Vs.Colon,Ks=Vs.RightParenthesis,Ys={name:"PseudoClassSelector",structure:{name:String,children:[["Raw"],null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null;return this.eat(Gs),this.scanner.tokenType===Fs?(t=(e=this.consumeFunctionName()).toLowerCase(),this.pseudo.hasOwnProperty(t)?(this.scanner.skipSC(),r=this.pseudo[t].call(this),this.scanner.skipSC()):(r=this.createList()).push(this.Raw(this.scanner.tokenIndex,null,!1)),this.eat(Ks)):e=this.consume(js),{type:"PseudoClassSelector",loc:this.getLocation(n,this.scanner.tokenStart),name:e,children:r}},generate:function(e){this.chunk(":"),this.chunk(e.name),null!==e.children&&(this.chunk("("),this.children(e),this.chunk(")"))},walkContext:"function"},Hs=at.TYPE,$s=Hs.Ident,Qs=Hs.Function,Zs=Hs.Colon,Xs=Hs.RightParenthesis,Js={name:"PseudoElementSelector",structure:{name:String,children:[["Raw"],null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null;return this.eat(Zs),this.eat(Zs),this.scanner.tokenType===Qs?(t=(e=this.consumeFunctionName()).toLowerCase(),this.pseudo.hasOwnProperty(t)?(this.scanner.skipSC(),r=this.pseudo[t].call(this),this.scanner.skipSC()):(r=this.createList()).push(this.Raw(this.scanner.tokenIndex,null,!1)),this.eat(Xs)):e=this.consume($s),{type:"PseudoElementSelector",loc:this.getLocation(n,this.scanner.tokenStart),name:e,children:r}},generate:function(e){this.chunk("::"),this.chunk(e.name),null!==e.children&&(this.chunk("("),this.children(e),this.chunk(")"))},walkContext:"function"},el=at.isDigit,tl=at.TYPE,nl=tl.Number,rl=tl.Delim;function il(){this.scanner.skipWS();for(var e=this.consume(nl),t=0;t<e.length;t++){var n=e.charCodeAt(t);el(n)||46===n||this.error("Unsigned number is expected",this.scanner.tokenStart-e.length+t)}return 0===Number(e)&&this.error("Zero number is not allowed",this.scanner.tokenStart-e.length),e}var ol={name:"Ratio",structure:{left:String,right:String},parse:function(){var e,t=this.scanner.tokenStart,n=il.call(this);return this.scanner.skipWS(),this.scanner.isDelim(47)||this.error("Solidus is expected"),this.eat(rl),e=il.call(this),{type:"Ratio",loc:this.getLocation(t,this.scanner.tokenStart),left:n,right:e}},generate:function(e){this.chunk(e.left),this.chunk("/"),this.chunk(e.right)}},al=at.TYPE,sl=qo.mode,ll=al.LeftCurlyBracket;function ul(e){return this.Raw(e,sl.leftCurlyBracket,!0)}function cl(){var e=this.SelectorList();return"Raw"!==e.type&&!1===this.scanner.eof&&this.scanner.tokenType!==ll&&this.error(),e}var dl={name:"Rule",structure:{prelude:["SelectorList","Raw"],block:["Block"]},parse:function(){var e,t,n=this.scanner.tokenIndex,r=this.scanner.tokenStart;return e=this.parseRulePrelude?this.parseWithFallback(cl,ul):ul.call(this,n),t=this.Block(!0),{type:"Rule",loc:this.getLocation(r,this.scanner.tokenStart),prelude:e,block:t}},generate:function(e){this.node(e.prelude),this.node(e.block)},walkContext:"rule"},pl=at.TYPE.Comma,ml={name:"SelectorList",structure:{children:[["Selector","Raw"]]},parse:function(){for(var e=this.createList();!this.scanner.eof&&(e.push(this.Selector()),this.scanner.tokenType===pl);)this.scanner.next();return{type:"SelectorList",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e,(function(){this.chunk(",")}))},walkContext:"selector"},hl=at.TYPE.String,fl={name:"String",structure:{value:String},parse:function(){return{type:"String",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),value:this.consume(hl)}},generate:function(e){this.chunk(e.value)}},gl=at.TYPE,yl=gl.WhiteSpace,vl=gl.Comment,bl=gl.AtKeyword,Sl=gl.CDO,xl=gl.CDC;function wl(e){return this.Raw(e,null,!1)}var Cl={name:"StyleSheet",structure:{children:[["Comment","CDO","CDC","Atrule","Rule","Raw"]]},parse:function(){for(var e,t=this.scanner.tokenStart,n=this.createList();!this.scanner.eof;){switch(this.scanner.tokenType){case yl:this.scanner.next();continue;case vl:if(33!==this.scanner.source.charCodeAt(this.scanner.tokenStart+2)){this.scanner.next();continue}e=this.Comment();break;case Sl:e=this.CDO();break;case xl:e=this.CDC();break;case bl:e=this.parseWithFallback(this.Atrule,wl);break;default:e=this.parseWithFallback(this.Rule,wl)}n.push(e)}return{type:"StyleSheet",loc:this.getLocation(t,this.scanner.tokenStart),children:n}},generate:function(e){this.children(e)},walkContext:"stylesheet"},kl=at.TYPE.Ident;function Ol(){this.scanner.tokenType!==kl&&!1===this.scanner.isDelim(42)&&this.error("Identifier or asterisk is expected"),this.scanner.next()}var Tl={name:"TypeSelector",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;return this.scanner.isDelim(124)?(this.scanner.next(),Ol.call(this)):(Ol.call(this),this.scanner.isDelim(124)&&(this.scanner.next(),Ol.call(this))),{type:"TypeSelector",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.name)}},El=at.isHexDigit,Al=at.cmpChar,_l=at.TYPE,zl=at.NAME,Rl=_l.Ident,Ll=_l.Number,Pl=_l.Dimension;function Bl(e,t){for(var n=this.scanner.tokenStart+e,r=0;n<this.scanner.tokenEnd;n++){var i=this.scanner.source.charCodeAt(n);if(45===i&&t&&0!==r)return 0===Bl.call(this,e+r+1,!1)&&this.error(),-1;El(i)||this.error(t&&0!==r?"HyphenMinus"+(r<6?" or hex digit":"")+" is expected":r<6?"Hex digit is expected":"Unexpected input",n),++r>6&&this.error("Too many hex digits",n)}return this.scanner.next(),r}function Wl(e){for(var t=0;this.scanner.isDelim(63);)++t>e&&this.error("Too many question marks"),this.scanner.next()}function Ml(e){this.scanner.source.charCodeAt(this.scanner.tokenStart)!==e&&this.error(zl[e]+" is expected")}function Ul(){var e=0;return this.scanner.isDelim(43)?(this.scanner.next(),this.scanner.tokenType===Rl?void((e=Bl.call(this,0,!0))>0&&Wl.call(this,6-e)):this.scanner.isDelim(63)?(this.scanner.next(),void Wl.call(this,5)):void this.error("Hex digit or question mark is expected")):this.scanner.tokenType===Ll?(Ml.call(this,43),e=Bl.call(this,1,!0),this.scanner.isDelim(63)?void Wl.call(this,6-e):this.scanner.tokenType===Pl||this.scanner.tokenType===Ll?(Ml.call(this,45),void Bl.call(this,1,!1)):void 0):this.scanner.tokenType===Pl?(Ml.call(this,43),void((e=Bl.call(this,1,!0))>0&&Wl.call(this,6-e))):void this.error()}var Il={name:"UnicodeRange",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return Al(this.scanner.source,e,117)||this.error("U is expected"),Al(this.scanner.source,e+1,43)||this.error("Plus sign is expected"),this.scanner.next(),Ul.call(this),{type:"UnicodeRange",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.value)}},Nl=at.isWhiteSpace,ql=at.cmpStr,Dl=at.TYPE,Vl=Dl.Function,jl=Dl.Url,Fl=Dl.RightParenthesis,Gl={name:"Url",structure:{value:["String","Raw"]},parse:function(){var e,t=this.scanner.tokenStart;switch(this.scanner.tokenType){case jl:for(var n=t+4,r=this.scanner.tokenEnd-1;n<r&&Nl(this.scanner.source.charCodeAt(n));)n++;for(;n<r&&Nl(this.scanner.source.charCodeAt(r-1));)r--;e={type:"Raw",loc:this.getLocation(n,r),value:this.scanner.source.substring(n,r)},this.eat(jl);break;case Vl:ql(this.scanner.source,this.scanner.tokenStart,this.scanner.tokenEnd,"url(")||this.error("Function name must be `url`"),this.eat(Vl),this.scanner.skipSC(),e=this.String(),this.scanner.skipSC(),this.eat(Fl);break;default:this.error("Url or Function is expected")}return{type:"Url",loc:this.getLocation(t,this.scanner.tokenStart),value:e}},generate:function(e){this.chunk("url"),this.chunk("("),this.node(e.value),this.chunk(")")}},Kl=at.TYPE.WhiteSpace,Yl=Object.freeze({type:"WhiteSpace",loc:null,value:" "}),Hl={AnPlusB:Lo,Atrule:$o,AtrulePrelude:Jo,AttributeSelector:la,Block:xa,Brackets:Oa,CDC:Ea,CDO:_a,ClassSelector:Ra,Combinator:Pa,Comment:Wa,Declaration:Ha,DeclarationList:rs,Dimension:as,Function:ls,Hash:cs,Identifier:ps,IdSelector:hs,MediaFeature:Cs,MediaQuery:_s,MediaQueryList:Rs,Nth:{name:"Nth",structure:{nth:["AnPlusB","Identifier"],selector:["SelectorList",null]},parse:function(e){this.scanner.skipSC();var t,n=this.scanner.tokenStart,r=n,i=null;return t=this.scanner.lookupValue(0,"odd")||this.scanner.lookupValue(0,"even")?this.Identifier():this.AnPlusB(),this.scanner.skipSC(),e&&this.scanner.lookupValue(0,"of")?(this.scanner.next(),i=this.SelectorList(),this.needPositions&&(r=this.getLastListNode(i.children).loc.end.offset)):this.needPositions&&(r=t.loc.end.offset),{type:"Nth",loc:this.getLocation(n,r),nth:t,selector:i}},generate:function(e){this.node(e.nth),null!==e.selector&&(this.chunk(" of "),this.node(e.selector))}},Number:Ps,Operator:Bs,Parentheses:Is,Percentage:Ds,PseudoClassSelector:Ys,PseudoElementSelector:Js,Ratio:ol,Raw:qo,Rule:dl,Selector:{name:"Selector",structure:{children:[["TypeSelector","IdSelector","ClassSelector","AttributeSelector","PseudoClassSelector","PseudoElementSelector","Combinator","WhiteSpace"]]},parse:function(){var e=this.readSequence(this.scope.Selector);return null===this.getFirstListNode(e)&&this.error("Selector is expected"),{type:"Selector",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e)}},SelectorList:ml,String:fl,StyleSheet:Cl,TypeSelector:Tl,UnicodeRange:Il,Url:Gl,Value:{name:"Value",structure:{children:[[]]},parse:function(){var e=this.scanner.tokenStart,t=this.readSequence(this.scope.Value);return{type:"Value",loc:this.getLocation(e,this.scanner.tokenStart),children:t}},generate:function(e){this.children(e)}},WhiteSpace:{name:"WhiteSpace",structure:{value:String},parse:function(){return this.eat(Kl),Yl},generate:function(e){this.chunk(e.value)}}},$l={generic:!0,types:fo.types,atrules:fo.atrules,properties:fo.properties,node:Hl},Ql=at.cmpChar,Zl=at.cmpStr,Xl=at.TYPE,Jl=Xl.Ident,eu=Xl.String,tu=Xl.Number,nu=Xl.Function,ru=Xl.Url,iu=Xl.Hash,ou=Xl.Dimension,au=Xl.Percentage,su=Xl.LeftParenthesis,lu=Xl.LeftSquareBracket,uu=Xl.Comma,cu=Xl.Delim,du=function(e){switch(this.scanner.tokenType){case iu:return this.Hash();case uu:return e.space=null,e.ignoreWSAfter=!0,this.Operator();case su:return this.Parentheses(this.readSequence,e.recognizer);case lu:return this.Brackets(this.readSequence,e.recognizer);case eu:return this.String();case ou:return this.Dimension();case au:return this.Percentage();case tu:return this.Number();case nu:return Zl(this.scanner.source,this.scanner.tokenStart,this.scanner.tokenEnd,"url(")?this.Url():this.Function(this.readSequence,e.recognizer);case ru:return this.Url();case Jl:return Ql(this.scanner.source,this.scanner.tokenStart,117)&&Ql(this.scanner.source,this.scanner.tokenStart+1,43)?this.UnicodeRange():this.Identifier();case cu:var t=this.scanner.source.charCodeAt(this.scanner.tokenStart);if(47===t||42===t||43===t||45===t)return this.Operator();35===t&&this.error("Hex or identifier is expected",this.scanner.tokenStart+1)}},pu={getNode:du},mu=at.TYPE,hu=mu.Delim,fu=mu.Ident,gu=mu.Dimension,yu=mu.Percentage,vu=mu.Number,bu=mu.Hash,Su=mu.Colon,xu=mu.LeftSquareBracket;var wu={getNode:function(e){switch(this.scanner.tokenType){case xu:return this.AttributeSelector();case bu:return this.IdSelector();case Su:return this.scanner.lookupType(1)===Su?this.PseudoElementSelector():this.PseudoClassSelector();case fu:return this.TypeSelector();case vu:case yu:return this.Percentage();case gu:46===this.scanner.source.charCodeAt(this.scanner.tokenStart)&&this.error("Identifier is expected",this.scanner.tokenStart+1);break;case hu:switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 43:case 62:case 126:return e.space=null,e.ignoreWSAfter=!0,this.Combinator();case 47:return this.Combinator();case 46:return this.ClassSelector();case 42:case 124:return this.TypeSelector();case 35:return this.IdSelector()}}}},Cu=at.TYPE,ku=qo.mode,Ou=Cu.Comma,Tu=Cu.WhiteSpace,Eu={AtrulePrelude:pu,Selector:wu,Value:{getNode:du,expression:function(){return this.createSingleNodeList(this.Raw(this.scanner.tokenIndex,null,!1))},var:function(){var e=this.createList();if(this.scanner.skipSC(),e.push(this.Identifier()),this.scanner.skipSC(),this.scanner.tokenType===Ou){e.push(this.Operator());const t=this.scanner.tokenIndex,n=this.parseCustomProperty?this.Value(null):this.Raw(this.scanner.tokenIndex,ku.exclamationMarkOrSemicolon,!1);if("Value"===n.type&&n.children.isEmpty())for(let e=t-this.scanner.tokenIndex;e<=0;e++)if(this.scanner.lookupType(e)===Tu){n.children.appendData({type:"WhiteSpace",loc:null,value:" "});break}e.push(n)}return e}}},Au=at.TYPE,_u=Au.String,zu=Au.Ident,Ru=Au.Url,Lu=Au.Function,Pu=Au.LeftParenthesis,Bu={parse:{prelude:function(){var e=this.createList();switch(this.scanner.skipSC(),this.scanner.tokenType){case _u:e.push(this.String());break;case Ru:case Lu:e.push(this.Url());break;default:this.error("String or url() is expected")}return this.lookupNonWSType(0)!==zu&&this.lookupNonWSType(0)!==Pu||(e.push(this.WhiteSpace()),e.push(this.MediaQueryList())),e},block:null}},Wu=at.TYPE,Mu=Wu.WhiteSpace,Uu=Wu.Comment,Iu=Wu.Ident,Nu=Wu.Function,qu=Wu.Colon,Du=Wu.LeftParenthesis;function Vu(){return this.createSingleNodeList(this.Raw(this.scanner.tokenIndex,null,!1))}function ju(){return this.scanner.skipSC(),this.scanner.tokenType===Iu&&this.lookupNonWSType(1)===qu?this.createSingleNodeList(this.Declaration()):Fu.call(this)}function Fu(){var e,t=this.createList(),n=null;this.scanner.skipSC();e:for(;!this.scanner.eof;){switch(this.scanner.tokenType){case Mu:n=this.WhiteSpace();continue;case Uu:this.scanner.next();continue;case Nu:e=this.Function(Vu,this.scope.AtrulePrelude);break;case Iu:e=this.Identifier();break;case Du:e=this.Parentheses(ju,this.scope.AtrulePrelude);break;default:break e}null!==n&&(t.push(n),n=null),t.push(e)}return t}var Gu={parse:function(){return this.createSingleNodeList(this.SelectorList())}},Ku={parse:function(){return this.createSingleNodeList(this.Nth(true))}},Yu={parse:function(){return this.createSingleNodeList(this.Nth(false))}},Hu={parseContext:{default:"StyleSheet",stylesheet:"StyleSheet",atrule:"Atrule",atrulePrelude:function(e){return this.AtrulePrelude(e.atrule?String(e.atrule):null)},mediaQueryList:"MediaQueryList",mediaQuery:"MediaQuery",rule:"Rule",selectorList:"SelectorList",selector:"Selector",block:function(){return this.Block(!0)},declarationList:"DeclarationList",declaration:"Declaration",value:"Value"},scope:Eu,atrule:{"font-face":{parse:{prelude:null,block:function(){return this.Block(!0)}}},import:Bu,media:{parse:{prelude:function(){return this.createSingleNodeList(this.MediaQueryList())},block:function(){return this.Block(!1)}}},page:{parse:{prelude:function(){return this.createSingleNodeList(this.SelectorList())},block:function(){return this.Block(!0)}}},supports:{parse:{prelude:function(){var e=Fu.call(this);return null===this.getFirstListNode(e)&&this.error("Condition is expected"),e},block:function(){return this.Block(!1)}}}},pseudo:{dir:{parse:function(){return this.createSingleNodeList(this.Identifier())}},has:{parse:function(){return this.createSingleNodeList(this.SelectorList())}},lang:{parse:function(){return this.createSingleNodeList(this.Identifier())}},matches:Gu,not:Gu,"nth-child":Ku,"nth-last-child":Ku,"nth-last-of-type":Yu,"nth-of-type":Yu,slotted:{parse:function(){return this.createSingleNodeList(this.Selector())}}},node:Hl},$u={node:Hl},Qu="1.1.3";x.exports=w.create(function(){for(var e={},t=0;t<arguments.length;t++){var n=arguments[t];for(var r in n)e[r]=n[r]}return e}($l,Hu,$u)),x.exports.version=Qu;const Zu=x.exports,Xu=["all","print","screen","speech"],Ju=/data:[^,]*;base64,/,ec=/^(["']).*\1$/,tc=[/::?(?:-moz-)?selection/],nc=[/(.*)transition(.*)/,/cursor/,/pointer-events/,/(-webkit-)?tap-highlight-color/,/(.*)user-select/];class rc{constructor(e,t,n){this.css=e,this.ast=t,this.errors=n}pruned(e){const t=new rc(this.css,Zu.clone(this.ast),this.errors);return t.pruneMediaQueries(),t.pruneNonCriticalSelectors(e),t.pruneExcludedProperties(),t.pruneLargeBase64Embeds(),t.pruneComments(),t}originalText(e){return e.loc&&e.loc.start&&e.loc.end?this.css.substring(e.loc.start.offset,e.loc.end.offset):""}applyFilters(e){e&&(e.properties&&this.applyPropertiesFilter(e.properties),e.atRules&&this.applyAtRulesFilter(e.atRules))}applyPropertiesFilter(e){Zu.walk(this.ast,{visit:"Declaration",enter:(t,n,r)=>{!1===e(t.property,this.originalText(t.value))&&r.remove(n)}})}applyAtRulesFilter(e){Zu.walk(this.ast,{visit:"Atrule",enter:(t,n,r)=>{!1===e(t.name)&&r.remove(n)}})}pruneUnusedVariables(e){let t=0;return Zu.walk(this.ast,{visit:"Declaration",enter:(n,r,i)=>{n.property.startsWith("--")&&(e.has(n.property)||(i.remove(r),t++))}}),t}getUsedVariables(){const e=new Set;return Zu.walk(this.ast,{visit:"Function",enter:t=>{if("var"!==Zu.keyword(t.name).name)return;t.children.map(rc.readValue).forEach((t=>e.add(t)))}}),e}pruneComments(){Zu.walk(this.ast,{visit:"Comment",enter:(e,t,n)=>{n.remove(t)}})}pruneMediaQueries(){Zu.walk(this.ast,{visit:"Atrule",enter:(e,t,n)=>{"media"===Zu.keyword(e.name).name&&e.prelude&&(Zu.walk(e,{visit:"MediaQueryList",enter:(e,t,n)=>{Zu.walk(e,{visit:"MediaQuery",enter:(e,t,n)=>{rc.isUsefulMediaQuery(e)||n.remove(t)}}),e.children&&e.children.isEmpty()&&n.remove(t)}}),e.prelude.children&&e.prelude.children.isEmpty()&&n.remove(t))}})}static isKeyframeRule(e){return e.atrule&&"keyframes"===Zu.keyword(e.atrule.name).basename}forEachSelector(e){Zu.walk(this.ast,{visit:"Rule",enter(t){rc.isKeyframeRule(this)||"SelectorList"===t.prelude.type&&t.prelude.children.forEach((t=>{const n=Zu.generate(t);tc.some((e=>e.test(n)))||e(n)}))}})}pruneNonCriticalSelectors(e){Zu.walk(this.ast,{visit:"Rule",enter(t,n,r){this.atrule&&"keyframes"===Zu.keyword(this.atrule.name).basename||("SelectorList"===t.prelude.type?t.block.children.some((e=>"grid-area"===e.property))||(t.prelude.children=t.prelude.children.filter((t=>{if(tc.some((e=>e.test(t))))return!1;const n=Zu.generate(t);return e.has(n)})),t.prelude.children&&t.prelude.children.isEmpty()&&r.remove(n)):r.remove(n))}})}pruneLargeBase64Embeds(){Zu.walk(this.ast,{visit:"Declaration",enter:(e,t,n)=>{let r=!1;Zu.walk(e,{visit:"Url",enter(e){const t=e.value.value;Ju.test(t)&&t.length>1e3&&(r=!0)}}),r&&n.remove(t)}})}pruneExcludedProperties(){Zu.walk(this.ast,{visit:"Declaration",enter:(e,t,n)=>{if(e.property){const r=Zu.property(e.property).name;nc.some((e=>e.test(r)))&&n.remove(t)}}})}pruneNonCriticalFonts(e){Zu.walk(this.ast,{visit:"Atrule",enter:(t,n,r)=>{if("font-face"!==Zu.keyword(t.name).basename)return;const i={};Zu.walk(t,{visit:"Declaration",enter:(e,t,n)=>{const r=Zu.property(e.property).name;if(["src","font-family"].includes(r)){const t=e.value.children.toArray();i[r]=t.map(rc.readValue)}"src"===r&&n.remove(t)}}),i.src&&i["font-family"]&&i["font-family"].some((t=>e.has(t)))||r.remove(n)}})}ruleCount(){let e=0;return Zu.walk(this.ast,{visit:"Rule",enter:()=>{e++}}),e}getUsedFontFamilies(){const e=new Set;return Zu.walk(this.ast,{visit:"Declaration",enter(t){if(!this.rule)return;Zu.lexer.findDeclarationValueFragments(t,"Type","family-name").map((e=>e.nodes.toArray())).flat().map(rc.readValue).forEach((t=>e.add(t)))}}),e}static readValue(e){return"String"===e.type&&ec.test(e.value)?e.value.substr(1,e.value.length-2):"Identifier"===e.type?e.name:e.value}static isUsefulMediaQuery(e){let t=!1;const n={};if(Zu.walk(e,{visit:"Identifier",enter:e=>{const r=Zu.keyword(e.name).name;"not"!==r?(Xu.includes(r)&&(n[r]=!t),t=!1):t=!0}}),0===Object.keys(n).length)return!0;for(const e of["screen","all"])if(Object.prototype.hasOwnProperty.call(n,e))return n[e];return Object.values(n).some((e=>!e))}toCSS(){return Zu.generate(this.ast)}static parse(e){const t=[],n=Zu.parse(e,{parseCustomProperty:!0,positions:!0,onParseError:e=>{t.push(e)}});return new rc(e,n,t)}}var ic=rc,oc={exports:{}};!function(e,t){var n=function(){if("undefined"!=typeof self)return self;if("undefined"!=typeof window)return window;if(void 0!==n)return n;throw new Error("unable to locate global object")}();e.exports=t=n.fetch,n.fetch&&(t.default=n.fetch.bind(n)),t.Headers=n.Headers,t.Request=n.Request,t.Response=n.Response}(oc,oc.exports);const{HttpError:ac,GenericUrlError:sc,CriticalCssError:lc}=o,uc=ic,cc="undefined"!=typeof window&&window.fetch||oc.exports;var dc=class{constructor(){this.knownUrls={},this.cssFiles=[],this.errors=[]}async addMultiple(e,t){return Promise.all(Object.keys(t).map((n=>this.add(e,n,t[n]))))}async add(e,t,n={}){if(Object.prototype.hasOwnProperty.call(this.knownUrls,t)){if(this.knownUrls[t]instanceof Error)return;this.addExtraReference(e,t,this.knownUrls[t])}else try{const r=await cc(t);if(!r.ok)throw new ac({code:r.code,url:t});let i=await r.text();n.media&&(i="@media "+n.media+" {\n"+i+"\n}"),this.storeCss(e,t,i)}catch(e){let n=e;e instanceof lc||(n=new sc({code:t,url:e.message})),this.storeError(t,n)}}collateSelectorPages(){const e={};for(const t of this.cssFiles)t.ast.forEachSelector((n=>{e[n]||(e[n]=new Set),t.pages.forEach((t=>e[n].add(t)))}));return e}applyFilters(e){for(const t of this.cssFiles)t.ast.applyFilters(e)}prunedAsts(e){let t,n=this.cssFiles.map((t=>t.ast.pruned(e)));for(let e=0;e<10;e++){const e=n.reduce(((e,t)=>(t.getUsedVariables().forEach((t=>e.add(t))),e)),new Set);if(t&&t.size===e.size)break;if(0===n.reduce(((t,n)=>t+=n.pruneUnusedVariables(e)),0))break;t=e}const r=n.reduce(((e,t)=>(t.getUsedFontFamilies().forEach((t=>e.add(t))),e)),new Set);return n.forEach((e=>e.pruneNonCriticalFonts(r))),n=n.filter((e=>e.ruleCount()>0)),n}storeCss(e,t,n){const r=this.cssFiles.find((e=>e.css===n));if(r)return void this.addExtraReference(e,t,r);const i=uc.parse(n),o={css:n,ast:i,pages:[e],urls:[t]};this.knownUrls[t]=o,this.cssFiles.push(o)}addExtraReference(e,t,n){this.knownUrls[t]=n,n.pages.push(e),n.urls.includes(t)||n.urls.push(t)}storeError(e,t){this.knownUrls[e]=t,this.errors.push(t)}getErrors(){return this.errors}};const pc=["after","before","first-(line|letter)","(input-)?placeholder","scrollbar","search(results-)?decoration","search-(cancel|results)-button"];let mc;var hc={removeIgnoredPseudoElements:function(e){return e.replace(function(){if(mc)return mc;const e=pc.join("|");return mc=new RegExp("::?(-(moz|ms|webkit)-)?("+e+")"),mc}(),"").trim()}},fc="undefined"!=typeof global?global:"undefined"!=typeof self?self:"undefined"!=typeof window?window:{};function gc(){throw new Error("setTimeout has not been defined")}function yc(){throw new Error("clearTimeout has not been defined")}var vc=gc,bc=yc;function Sc(e){if(vc===setTimeout)return setTimeout(e,0);if((vc===gc||!vc)&&setTimeout)return vc=setTimeout,setTimeout(e,0);try{return vc(e,0)}catch(t){try{return vc.call(null,e,0)}catch(t){return vc.call(this,e,0)}}}"function"==typeof fc.setTimeout&&(vc=setTimeout),"function"==typeof fc.clearTimeout&&(bc=clearTimeout);var xc,wc=[],Cc=!1,kc=-1;function Oc(){Cc&&xc&&(Cc=!1,xc.length?wc=xc.concat(wc):kc=-1,wc.length&&Tc())}function Tc(){if(!Cc){var e=Sc(Oc);Cc=!0;for(var t=wc.length;t;){for(xc=wc,wc=[];++kc<t;)xc&&xc[kc].run();kc=-1,t=wc.length}xc=null,Cc=!1,function(e){if(bc===clearTimeout)return clearTimeout(e);if((bc===yc||!bc)&&clearTimeout)return bc=clearTimeout,clearTimeout(e);try{bc(e)}catch(t){try{return bc.call(null,e)}catch(t){return bc.call(this,e)}}}(e)}}function Ec(e){var t=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)t[n-1]=arguments[n];wc.push(new Ac(e,t)),1!==wc.length||Cc||Sc(Tc)}function Ac(e,t){this.fun=e,this.array=t}Ac.prototype.run=function(){this.fun.apply(null,this.array)};function _c(){}var zc=_c,Rc=_c,Lc=_c,Pc=_c,Bc=_c,Wc=_c,Mc=_c;var Uc=fc.performance||{},Ic=Uc.now||Uc.mozNow||Uc.msNow||Uc.oNow||Uc.webkitNow||function(){return(new Date).getTime()};var Nc=new Date;var qc={nextTick:Ec,title:"browser",browser:!0,env:{},argv:[],version:"",versions:{},on:zc,addListener:Rc,once:Lc,off:Pc,removeListener:Bc,removeAllListeners:Wc,emit:Mc,binding:function(e){throw new Error("process.binding is not supported")},cwd:function(){return"/"},chdir:function(e){throw new Error("process.chdir is not supported")},umask:function(){return 0},hrtime:function(e){var t=.001*Ic.call(Uc),n=Math.floor(t),r=Math.floor(t%1*1e9);return e&&(n-=e[0],(r-=e[1])<0&&(n--,r+=1e9)),[n,r]},platform:"browser",release:{},config:{},uptime:function(){return(new Date-Nc)/1e3}},Dc={exports:{}};var Vc=function(e){return e},jc=/([0-9]+)/;function Fc(e){return""+parseInt(e)==e?parseInt(e):e}var Gc=function(e,t){var n,r,i,o,a=(""+e).split(jc).map(Fc),s=(""+t).split(jc).map(Fc);for(i=0,o=Math.min(a.length,s.length);i<o;i++)if((n=a[i])!=(r=s[i]))return n>r?1:-1;return a.length>s.length?1:a.length==s.length?0:-1};function Kc(e,t){return Gc(e[1],t[1])}function Yc(e,t){return e[1]>t[1]?1:-1}var Hc,$c=function(e,t){switch(t){case"natural":return e.sort(Kc);case"standard":return e.sort(Yc);case"none":case!1:return e}};function Qc(){if(void 0===Hc){var e=new ArrayBuffer(2),t=new Uint8Array(e),n=new Uint16Array(e);if(t[0]=1,t[1]=2,258===n[0])Hc="BE";else{if(513!==n[0])throw new Error("unable to figure out endianess");Hc="LE"}}return Hc}function Zc(){return void 0!==fc.location?fc.location.hostname:""}function Xc(){return[]}function Jc(){return 0}function ed(){return Number.MAX_VALUE}function td(){return Number.MAX_VALUE}function nd(){return[]}function rd(){return"Browser"}function id(){return void 0!==fc.navigator?fc.navigator.appVersion:""}function od(){}function ad(){}function sd(){return"/tmp"}var ld=sd,ud={EOL:"\n",tmpdir:ld,tmpDir:sd,networkInterfaces:od,getNetworkInterfaces:ad,release:id,type:rd,cpus:nd,totalmem:td,freemem:ed,uptime:Jc,loadavg:Xc,hostname:Zc,endianness:Qc};var cd=function e(t,n){var r,i,o,a={};for(r in t)o=t[r],Array.isArray(o)?a[r]=o.slice(0):a[r]="object"==typeof o&&null!==o?e(o,{}):o;for(i in n)o=n[i],i in a&&Array.isArray(o)?a[i]=o.slice(0):a[i]=i in a&&"object"==typeof o&&null!==o?e(a[i],o):o;return a},dd=t(Object.freeze({__proto__:null,endianness:Qc,hostname:Zc,loadavg:Xc,uptime:Jc,freemem:ed,totalmem:td,cpus:nd,type:rd,release:id,networkInterfaces:od,getNetworkInterfaces:ad,arch:function(){return"javascript"},platform:function(){return"browser"},tmpDir:sd,tmpdir:ld,EOL:"\n",default:ud})).EOL,pd=cd,md={AfterAtRule:"afterAtRule",AfterBlockBegins:"afterBlockBegins",AfterBlockEnds:"afterBlockEnds",AfterComment:"afterComment",AfterProperty:"afterProperty",AfterRuleBegins:"afterRuleBegins",AfterRuleEnds:"afterRuleEnds",BeforeBlockEnds:"beforeBlockEnds",BetweenSelectors:"betweenSelectors"},hd={CarriageReturnLineFeed:"\r\n",LineFeed:"\n",System:dd},fd=" ",gd="\t",yd={AroundSelectorRelation:"aroundSelectorRelation",BeforeBlockBegins:"beforeBlockBegins",BeforeValue:"beforeValue"},vd={breaks:xd(!1),breakWith:hd.System,indentBy:0,indentWith:fd,spaces:wd(!1),wrapAt:!1,semicolonAfterLastProperty:!1},bd="false",Sd="true";function xd(e){var t={};return t[md.AfterAtRule]=e,t[md.AfterBlockBegins]=e,t[md.AfterBlockEnds]=e,t[md.AfterComment]=e,t[md.AfterProperty]=e,t[md.AfterRuleBegins]=e,t[md.AfterRuleEnds]=e,t[md.BeforeBlockEnds]=e,t[md.BetweenSelectors]=e,t}function wd(e){var t={};return t[yd.AroundSelectorRelation]=e,t[yd.BeforeBlockBegins]=e,t[yd.BeforeValue]=e,t}function Cd(e){switch(e){case"windows":case"crlf":case hd.CarriageReturnLineFeed:return hd.CarriageReturnLineFeed;case"unix":case"lf":case hd.LineFeed:return hd.LineFeed;default:return dd}}function kd(e){switch(e){case"space":return fd;case"tab":return gd;default:return e}}function Od(e){for(var t in md){var n=md[t],r=e.breaks[n];e.breaks[n]=!0===r?e.breakWith:!1===r?"":e.breakWith.repeat(parseInt(r))}return e}var Td=md,Ed=yd,Ad=function(e){return void 0!==e&&!1!==e&&("object"==typeof e&&"breakWith"in e&&(e=pd(e,{breakWith:Cd(e.breakWith)})),"object"==typeof e&&"indentBy"in e&&(e=pd(e,{indentBy:parseInt(e.indentBy)})),"object"==typeof e&&"indentWith"in e&&(e=pd(e,{indentWith:kd(e.indentWith)})),"object"==typeof e?Od(pd(vd,e)):"string"==typeof e&&"beautify"==e?Od(pd(vd,{breaks:xd(!0),indentBy:2,spaces:wd(!0)})):"string"==typeof e&&"keep-breaks"==e?Od(pd(vd,{breaks:{afterAtRule:!0,afterBlockBegins:!0,afterBlockEnds:!0,afterComment:!0,afterRuleEnds:!0,beforeBlockEnds:!0}})):"string"==typeof e?Od(pd(vd,e.split(";").reduce((function(e,t){var n=t.split(":"),r=n[0],i=n[1];return"breaks"==r||"spaces"==r?e[r]=function(e){return e.split(",").reduce((function(e,t){var n=t.split("="),r=n[0],i=n[1];return e[r]=function(e){switch(e){case bd:case"off":return!1;case Sd:case"on":return!0;default:return e}}(i),e}),{})}(i):"indentBy"==r||"wrapAt"==r?e[r]=parseInt(i):"indentWith"==r?e[r]=kd(i):"breakWith"==r&&(e[r]=Cd(i)),e}),{}))):vd)},_d={ASTERISK:"*",AT:"@",BACK_SLASH:"\\",CARRIAGE_RETURN:"\r",CLOSE_CURLY_BRACKET:"}",CLOSE_ROUND_BRACKET:")",CLOSE_SQUARE_BRACKET:"]",COLON:":",COMMA:",",DOUBLE_QUOTE:'"',EXCLAMATION:"!",FORWARD_SLASH:"/",INTERNAL:"-clean-css-",NEW_LINE_NIX:"\n",OPEN_CURLY_BRACKET:"{",OPEN_ROUND_BRACKET:"(",OPEN_SQUARE_BRACKET:"[",SEMICOLON:";",SINGLE_QUOTE:"'",SPACE:" ",TAB:"\t",UNDERSCORE:"_"};var zd=function(e){var t=e[0],n=e[1],r=e[2];return r?r+":"+t+":"+n:t+":"+n},Rd=Ed,Ld=_d,Pd=zd,Bd=/[\s"'][iI]\s*\]/,Wd=/([\d\w])([iI])\]/g,Md=/="([a-zA-Z][a-zA-Z\d\-_]+)"([iI])/g,Ud=/="([a-zA-Z][a-zA-Z\d\-_]+)"(\s|\])/g,Id=/^(?:(?:<!--|-->)\s*)+/,Nd=/='([a-zA-Z][a-zA-Z\d\-_]+)'([iI])/g,qd=/='([a-zA-Z][a-zA-Z\d\-_]+)'(\s|\])/g,Dd=/[>\+~]/,Vd=/\s/,jd=[":current",":future",":has",":host",":host-context",":is",":not",":past",":where"];function Fd(e){var t,n,r,i,o=!1,a=!1;for(r=0,i=e.length;r<i;r++){if(n=e[r],t);else if(n==Ld.SINGLE_QUOTE||n==Ld.DOUBLE_QUOTE)a=!a;else{if(!(a||n!=Ld.CLOSE_CURLY_BRACKET&&n!=Ld.EXCLAMATION&&"<"!=n&&n!=Ld.SEMICOLON)){o=!0;break}if(!a&&0===r&&Dd.test(n)){o=!0;break}}t=n==Ld.BACK_SLASH}return o}function Gd(e,t){var n,r,i,o,a,s,l,u,c,d,p,m,h,f,g=[],y=0,v=!1,b=!1,S=!1,x=Bd.test(e),w=t&&t.spaces[Rd.AroundSelectorRelation];for(h=0,f=e.length;h<f;h++){if(r=(n=e[h])==Ld.NEW_LINE_NIX,i=n==Ld.NEW_LINE_NIX&&e[h-1]==Ld.CARRIAGE_RETURN,s=l||u,d=!c&&!o&&0===y&&Dd.test(n),p=Vd.test(n),m=(1!=y||n!=Ld.CLOSE_ROUND_BRACKET)&&(m||0===y&&n==Ld.COLON&&Kd(e,h)),a&&s&&i)g.pop(),g.pop();else if(o&&s&&r)g.pop();else if(o)g.push(n);else if(n!=Ld.OPEN_SQUARE_BRACKET||s)if(n!=Ld.CLOSE_SQUARE_BRACKET||s)if(n!=Ld.OPEN_ROUND_BRACKET||s)if(n!=Ld.CLOSE_ROUND_BRACKET||s)if(n!=Ld.SINGLE_QUOTE||s)if(n!=Ld.DOUBLE_QUOTE||s)if(n==Ld.SINGLE_QUOTE&&s)g.push(n),l=!1;else if(n==Ld.DOUBLE_QUOTE&&s)g.push(n),u=!1;else{if(p&&b&&!w)continue;!p&&b&&w?(g.push(Ld.SPACE),g.push(n)):p&&!S&&v&&y>0&&m||(p&&!S&&y>0&&m?g.push(n):p&&(c||y>0)&&!s||p&&S&&!s||(i||r)&&(c||y>0)&&s||(d&&S&&!w?(g.pop(),g.push(n)):d&&!S&&w?(g.push(Ld.SPACE),g.push(n)):p?g.push(Ld.SPACE):g.push(n)))}else g.push(n),u=!0;else g.push(n),l=!0;else g.push(n),y--;else g.push(n),y++;else g.push(n),c=!1;else g.push(n),c=!0;a=o,o=n==Ld.BACK_SLASH,b=d,S=p,v=n==Ld.COMMA}return x?g.join("").replace(Wd,"$1 $2]"):g.join("")}function Kd(e,t){var n=e.substring(t,e.indexOf(Ld.OPEN_ROUND_BRACKET,t));return jd.indexOf(n)>-1}function Yd(e){return-1==e.indexOf("'")&&-1==e.indexOf('"')?e:e.replace(Nd,"=$1 $2").replace(qd,"=$1$2").replace(Md,"=$1 $2").replace(Ud,"=$1$2")}var Hd=function(e,t,n,r,i){var o=[],a=[];function s(e,t){return i.push("HTML comment '"+t+"' at "+Pd(e[2][0])+". Removing."),""}for(var l=0,u=e.length;l<u;l++){var c=e[l],d=c[1];Fd(d=d.replace(Id,s.bind(null,c)))?i.push("Invalid selector '"+c[1]+"' at "+Pd(c[2][0])+". Ignoring."):(d=Yd(d=Gd(d,r)),n&&d.indexOf("nav")>0&&(d=d.replace(/\+nav(\S|$)/,"+ nav$1")),t&&d.indexOf("*+html ")>-1||t&&d.indexOf("*:first-child+html ")>-1||(d.indexOf("*")>-1&&(d=d.replace(/\*([:#\.\[])/g,"$1").replace(/^(\:first\-child)?\+html/,"*$1+html")),a.indexOf(d)>-1||(c[1]=d,a.push(d),o.push(c))))}return 1==o.length&&0===o[0][1].length&&(i.push("Empty selector '"+o[0][1]+"' at "+Pd(o[0][2][0])+". Ignoring."),o=[]),o},$d=/^@media\W/,Qd=/^@(?:keyframes|-moz-keyframes|-o-keyframes|-webkit-keyframes)\W/;var Zd=function(e,t){var n,r,i;for(i=e.length-1;i>=0;i--)n=!t&&$d.test(e[i][1]),r=Qd.test(e[i][1]),e[i][1]=e[i][1].replace(/\n|\r\n/g," ").replace(/\s+/g," ").replace(/(,|:|\() /g,"$1").replace(/ \)/g,")"),r&&(e[i][1]=e[i][1].replace(/'([a-zA-Z][a-zA-Z\d\-_]+)'/,"$1").replace(/"([a-zA-Z][a-zA-Z\d\-_]+)"/,"$1")),n&&(e[i][1]=e[i][1].replace(/\) /g,")"));return e};var Xd=function(e){return e.replace(/\s+/g," ").replace(/url\(\s+/g,"url(").replace(/\s+\)/g,")").trim()},Jd={ASTERISK:"asterisk",BANG:"bang",BACKSLASH:"backslash",UNDERSCORE:"underscore"};var ep=function(e){for(var t=e.length-1;t>=0;t--){var n=e[t];n.unused&&n.all.splice(n.position,1)}},tp=Jd,np=_d;function rp(e){e.value[e.value.length-1][1]+="!important"}function ip(e){e.hack[0]==tp.UNDERSCORE?e.name="_"+e.name:e.hack[0]==tp.ASTERISK?e.name="*"+e.name:e.hack[0]==tp.BACKSLASH?e.value[e.value.length-1][1]+="\\"+e.hack[1]:e.hack[0]==tp.BANG&&(e.value[e.value.length-1][1]+=np.SPACE+"!ie")}var op=function(e,t){var n,r,i,o;for(o=e.length-1;o>=0;o--)(n=e[o]).dynamic&&n.important?rp(n):n.dynamic||n.unused||(n.dirty||n.important||n.hack)&&(n.optimizable&&t?(r=t(n),n.value=r):r=n.value,n.important&&rp(n),n.hack&&ip(n),"all"in n&&((i=n.all[n.position])[1][1]=n.name,i.splice(2,i.length-1),Array.prototype.push.apply(i,r)))},ap={AT_RULE:"at-rule",AT_RULE_BLOCK:"at-rule-block",AT_RULE_BLOCK_SCOPE:"at-rule-block-scope",COMMENT:"comment",NESTED_BLOCK:"nested-block",NESTED_BLOCK_SCOPE:"nested-block-scope",PROPERTY:"property",PROPERTY_BLOCK:"property-block",PROPERTY_NAME:"property-name",PROPERTY_VALUE:"property-value",RAW:"raw",RULE:"rule",RULE_SCOPE:"rule-scope"},sp=Jd,lp=_d,up=ap,cp={ASTERISK:"*",BACKSLASH:"\\",BANG:"!",BANG_SUFFIX_PATTERN:/!\w+$/,IMPORTANT_TOKEN:"!important",IMPORTANT_TOKEN_PATTERN:new RegExp("!important$","i"),IMPORTANT_WORD:"important",IMPORTANT_WORD_PATTERN:new RegExp("important$","i"),SUFFIX_BANG_PATTERN:/!$/,UNDERSCORE:"_",VARIABLE_REFERENCE_PATTERN:/var\(--.+\)$/};function dp(e){var t,n,r;for(t=2,n=e.length;t<n;t++)if((r=e[t])[0]==up.PROPERTY_VALUE&&pp(r[1]))return!0;return!1}function pp(e){return cp.VARIABLE_REFERENCE_PATTERN.test(e)}function mp(e){var t,n,r;for(n=3,r=e.length;n<r;n++)if((t=e[n])[0]==up.PROPERTY_VALUE&&(t[1]==lp.COMMA||t[1]==lp.FORWARD_SLASH))return!0;return!1}function hp(e){var t=function(e){if(e.length<3)return!1;var t=e[e.length-1];return!!cp.IMPORTANT_TOKEN_PATTERN.test(t[1])||!(!cp.IMPORTANT_WORD_PATTERN.test(t[1])||!cp.SUFFIX_BANG_PATTERN.test(e[e.length-2][1]))}(e);t&&function(e){var t=e[e.length-1],n=e[e.length-2];cp.IMPORTANT_TOKEN_PATTERN.test(t[1])?t[1]=t[1].replace(cp.IMPORTANT_TOKEN_PATTERN,""):(t[1]=t[1].replace(cp.IMPORTANT_WORD_PATTERN,""),n[1]=n[1].replace(cp.SUFFIX_BANG_PATTERN,"")),0===t[1].length&&e.pop(),0===n[1].length&&e.pop()}(e);var n=function(e){var t=!1,n=e[1][1],r=e[e.length-1];return n[0]==cp.UNDERSCORE?t=[sp.UNDERSCORE]:n[0]==cp.ASTERISK?t=[sp.ASTERISK]:r[1][0]!=cp.BANG||r[1].match(cp.IMPORTANT_WORD_PATTERN)?r[1].indexOf(cp.BANG)>0&&!r[1].match(cp.IMPORTANT_WORD_PATTERN)&&cp.BANG_SUFFIX_PATTERN.test(r[1])?t=[sp.BANG]:r[1].indexOf(cp.BACKSLASH)>0&&r[1].indexOf(cp.BACKSLASH)==r[1].length-cp.BACKSLASH.length-1?t=[sp.BACKSLASH,r[1].substring(r[1].indexOf(cp.BACKSLASH)+1)]:0===r[1].indexOf(cp.BACKSLASH)&&2==r[1].length&&(t=[sp.BACKSLASH,r[1].substring(1)]):t=[sp.BANG],t}(e);return n[0]==sp.ASTERISK||n[0]==sp.UNDERSCORE?function(e){e[1][1]=e[1][1].substring(1)}(e):n[0]!=sp.BACKSLASH&&n[0]!=sp.BANG||function(e,t){var n=e[e.length-1];n[1]=n[1].substring(0,n[1].indexOf(t[0]==sp.BACKSLASH?cp.BACKSLASH:cp.BANG)).trim(),0===n[1].length&&e.pop()}(e,n),{block:e[2]&&e[2][0]==up.PROPERTY_BLOCK,components:[],dirty:!1,dynamic:dp(e),hack:n,important:t,name:e[1][1],multiplex:e.length>3&&mp(e),optimizable:!0,position:0,shorthand:!1,unused:!1,value:e.slice(2)}}var fp=function(e,t){var n,r,i,o=[];for(i=e.length-1;i>=0;i--)(r=e[i])[0]==up.PROPERTY&&(t&&t.indexOf(r[1][1])>-1||((n=hp(r)).all=e,n.position=i,o.unshift(n)));return o},gp=hp;function yp(e){this.name="InvalidPropertyError",this.message=e,this.stack=(new Error).stack}yp.prototype=Object.create(Error.prototype),yp.prototype.constructor=yp;var vp=yp,bp=vp,Sp=gp,xp=ap,wp=_d,Cp=zd;function kp(e){var t,n;for(t=0,n=e.length;t<n;t++)if("inherit"==e[t][1])return!0;return!1}function Op(e,t,n){var r=n[e];return r.doubleValues&&2==r.defaultValue.length?Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue[0]],[xp.PROPERTY_VALUE,r.defaultValue[1]]]):r.doubleValues&&1==r.defaultValue.length?Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue[0]]]):Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue]])}function Tp(e,t){var n=t[e.name].components,r=[],i=e.value;if(i.length<1)return[];i.length<2&&(i[1]=i[0].slice(0)),i.length<3&&(i[2]=i[0].slice(0)),i.length<4&&(i[3]=i[1].slice(0));for(var o=n.length-1;o>=0;o--){var a=Sp([xp.PROPERTY,[xp.PROPERTY_NAME,n[o]]]);a.value=[i[o]],r.unshift(a)}return r}function Ep(e,t,n){for(var r,i,o,a=t[e.name],s=[Op(a.components[0],0,t),Op(a.components[1],0,t),Op(a.components[2],0,t)],l=0;l<3;l++){var u=s[l];u.name.indexOf("color")>0?r=u:u.name.indexOf("style")>0?i=u:o=u}if(1==e.value.length&&"inherit"==e.value[0][1]||3==e.value.length&&"inherit"==e.value[0][1]&&"inherit"==e.value[1][1]&&"inherit"==e.value[2][1])return r.value=i.value=o.value=[e.value[0]],s;var c,d,p=e.value.slice(0);return p.length>0&&(c=(d=p.filter(function(e){return function(t){return"inherit"!=t[1]&&(e.isWidth(t[1])||e.isUnit(t[1])||e.isDynamicUnit(t[1]))&&!e.isStyleKeyword(t[1])&&!e.isColorFunction(t[1])}}(n))).length>1&&("none"==d[0][1]||"auto"==d[0][1])?d[1]:d[0])&&(o.value=[c],p.splice(p.indexOf(c),1)),p.length>0&&(c=p.filter(function(e){return function(t){return"inherit"!=t[1]&&e.isStyleKeyword(t[1])&&!e.isColorFunction(t[1])}}(n))[0])&&(i.value=[c],p.splice(p.indexOf(c),1)),p.length>0&&(c=p.filter(function(e){return function(t){return"invert"==t[1]||e.isColor(t[1])||e.isPrefixed(t[1])}}(n))[0])&&(r.value=[c],p.splice(p.indexOf(c),1)),s}var Ap={animation:function(e,t,n){var r,i,o,a=Op(e.name+"-duration",0,t),s=Op(e.name+"-timing-function",0,t),l=Op(e.name+"-delay",0,t),u=Op(e.name+"-iteration-count",0,t),c=Op(e.name+"-direction",0,t),d=Op(e.name+"-fill-mode",0,t),p=Op(e.name+"-play-state",0,t),m=Op(e.name+"-name",0,t),h=[a,s,l,u,c,d,p,m],f=e.value,g=!1,y=!1,v=!1,b=!1,S=!1,x=!1,w=!1,C=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return a.value=s.value=l.value=u.value=c.value=d.value=p.value=m.value=e.value,h;if(f.length>1&&kp(f))throw new bp("Invalid animation values at "+Cp(f[0][2][0])+". Ignoring.");for(i=0,o=f.length;i<o;i++)if(r=f[i],n.isTime(r[1])&&!g)a.value=[r],g=!0;else if(n.isTime(r[1])&&!v)l.value=[r],v=!0;else if(!n.isGlobal(r[1])&&!n.isTimingFunction(r[1])||y)if(!n.isAnimationIterationCountKeyword(r[1])&&!n.isPositiveNumber(r[1])||b)if(n.isAnimationDirectionKeyword(r[1])&&!S)c.value=[r],S=!0;else if(n.isAnimationFillModeKeyword(r[1])&&!x)d.value=[r],x=!0;else if(n.isAnimationPlayStateKeyword(r[1])&&!w)p.value=[r],w=!0;else{if(!n.isAnimationNameKeyword(r[1])&&!n.isIdentifier(r[1])||C)throw new bp("Invalid animation value at "+Cp(r[2][0])+". Ignoring.");m.value=[r],C=!0}else u.value=[r],b=!0;else s.value=[r],y=!0;return h},background:function(e,t,n){var r=Op("background-image",0,t),i=Op("background-position",0,t),o=Op("background-size",0,t),a=Op("background-repeat",0,t),s=Op("background-attachment",0,t),l=Op("background-origin",0,t),u=Op("background-clip",0,t),c=Op("background-color",0,t),d=[r,i,o,a,s,l,u,c],p=e.value,m=!1,h=!1,f=!1,g=!1,y=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return c.value=r.value=a.value=i.value=o.value=l.value=u.value=e.value,d;if(1==e.value.length&&"0 0"==e.value[0][1])return d;for(var v=p.length-1;v>=0;v--){var b=p[v];if(n.isBackgroundAttachmentKeyword(b[1]))s.value=[b],y=!0;else if(n.isBackgroundClipKeyword(b[1])||n.isBackgroundOriginKeyword(b[1]))h?(l.value=[b],f=!0):(u.value=[b],h=!0),y=!0;else if(n.isBackgroundRepeatKeyword(b[1]))g?a.value.unshift(b):(a.value=[b],g=!0),y=!0;else if(n.isBackgroundPositionKeyword(b[1])||n.isBackgroundSizeKeyword(b[1])||n.isUnit(b[1])||n.isDynamicUnit(b[1])){if(v>0){var S=p[v-1];S[1]==wp.FORWARD_SLASH?o.value=[b]:v>1&&p[v-2][1]==wp.FORWARD_SLASH?(o.value=[S,b],v-=2):(m||(i.value=[]),i.value.unshift(b),m=!0)}else m||(i.value=[]),i.value.unshift(b),m=!0;y=!0}else c.value[0][1]!=t[c.name].defaultValue&&"none"!=c.value[0][1]||!n.isColor(b[1])&&!n.isPrefixed(b[1])?(n.isUrl(b[1])||n.isFunction(b[1]))&&(r.value=[b],y=!0):(c.value=[b],y=!0)}if(h&&!f&&(l.value=u.value.slice(0)),!y)throw new bp("Invalid background value at "+Cp(p[0][2][0])+". Ignoring.");return d},border:Ep,borderRadius:function(e,t){for(var n=e.value,r=-1,i=0,o=n.length;i<o;i++)if(n[i][1]==wp.FORWARD_SLASH){r=i;break}if(0===r||r===n.length-1)throw new bp("Invalid border-radius value at "+Cp(n[0][2][0])+". Ignoring.");var a=Op(e.name,0,t);a.value=r>-1?n.slice(0,r):n.slice(0),a.components=Tp(a,t);var s=Op(e.name,0,t);s.value=r>-1?n.slice(r+1):n.slice(0),s.components=Tp(s,t);for(var l=0;l<4;l++)a.components[l].multiplex=!0,a.components[l].value=a.components[l].value.concat(s.components[l].value);return a.components},font:function(e,t,n){var r,i,o,a,s=Op("font-style",0,t),l=Op("font-variant",0,t),u=Op("font-weight",0,t),c=Op("font-stretch",0,t),d=Op("font-size",0,t),p=Op("line-height",0,t),m=Op("font-family",0,t),h=[s,l,u,c,d,p,m],f=e.value,g=0,y=!1,v=!1,b=!1,S=!1,x=!1,w=!1;if(!f[g])throw new bp("Missing font values at "+Cp(e.all[e.position][1][2][0])+". Ignoring.");if(1==f.length&&"inherit"==f[0][1])return s.value=l.value=u.value=c.value=d.value=p.value=m.value=f,h;if(1==f.length&&(n.isFontKeyword(f[0][1])||n.isGlobal(f[0][1])||n.isPrefixed(f[0][1])))return f[0][1]=wp.INTERNAL+f[0][1],s.value=l.value=u.value=c.value=d.value=p.value=m.value=f,h;if(f.length<2||!function(e,t){var n,r,i;for(r=0,i=e.length;r<i;r++)if(n=e[r],t.isFontSizeKeyword(n[1])||t.isUnit(n[1])&&!t.isDynamicUnit(n[1])||t.isFunction(n[1]))return!0;return!1}(f,n)||!function(e,t){var n,r,i;for(r=0,i=e.length;r<i;r++)if(n=e[r],t.isIdentifier(n[1])||t.isQuotedText(n[1]))return!0;return!1}(f,n))throw new bp("Invalid font values at "+Cp(e.all[e.position][1][2][0])+". Ignoring.");if(f.length>1&&kp(f))throw new bp("Invalid font values at "+Cp(f[0][2][0])+". Ignoring.");for(;g<4;){if(r=n.isFontStretchKeyword(f[g][1])||n.isGlobal(f[g][1]),i=n.isFontStyleKeyword(f[g][1])||n.isGlobal(f[g][1]),o=n.isFontVariantKeyword(f[g][1])||n.isGlobal(f[g][1]),a=n.isFontWeightKeyword(f[g][1])||n.isGlobal(f[g][1]),i&&!v)s.value=[f[g]],v=!0;else if(o&&!b)l.value=[f[g]],b=!0;else if(a&&!S)u.value=[f[g]],S=!0;else{if(!r||y){if(i&&v||o&&b||a&&S||r&&y)throw new bp("Invalid font style / variant / weight / stretch value at "+Cp(f[0][2][0])+". Ignoring.");break}c.value=[f[g]],y=!0}g++}if(!(n.isFontSizeKeyword(f[g][1])||n.isUnit(f[g][1])&&!n.isDynamicUnit(f[g][1])))throw new bp("Missing font size at "+Cp(f[0][2][0])+". Ignoring.");if(d.value=[f[g]],x=!0,!f[++g])throw new bp("Missing font family at "+Cp(f[0][2][0])+". Ignoring.");for(x&&f[g]&&f[g][1]==wp.FORWARD_SLASH&&f[g+1]&&(n.isLineHeightKeyword(f[g+1][1])||n.isUnit(f[g+1][1])||n.isNumber(f[g+1][1]))&&(p.value=[f[g+1]],g++,g++),m.value=[];f[g];)f[g][1]==wp.COMMA?w=!1:(w?m.value[m.value.length-1][1]+=wp.SPACE+f[g][1]:m.value.push(f[g]),w=!0),g++;if(0===m.value.length)throw new bp("Missing font family at "+Cp(f[0][2][0])+". Ignoring.");return h},fourValues:Tp,listStyle:function(e,t,n){var r=Op("list-style-type",0,t),i=Op("list-style-position",0,t),o=Op("list-style-image",0,t),a=[r,i,o];if(1==e.value.length&&"inherit"==e.value[0][1])return r.value=i.value=o.value=[e.value[0]],a;var s=e.value.slice(0),l=s.length,u=0;for(u=0,l=s.length;u<l;u++)if(n.isUrl(s[u][1])||"0"==s[u][1]){o.value=[s[u]],s.splice(u,1);break}for(u=0,l=s.length;u<l;u++)if(n.isListStylePositionKeyword(s[u][1])){i.value=[s[u]],s.splice(u,1);break}return s.length>0&&(n.isListStyleTypeKeyword(s[0][1])||n.isIdentifier(s[0][1]))&&(r.value=[s[0]]),a},multiplex:function(e){return function(t,n,r){var i,o,a,s,l=[],u=t.value;for(i=0,a=u.length;i<a;i++)","==u[i][1]&&l.push(i);if(0===l.length)return e(t,n,r);var c=[];for(i=0,a=l.length;i<=a;i++){var d=0===i?0:l[i-1]+1,p=i<a?l[i]:u.length,m=Op(t.name,0,n);m.value=u.slice(d,p),c.push(e(m,n,r))}var h=c[0];for(i=0,a=h.length;i<a;i++)for(h[i].multiplex=!0,o=1,s=c.length;o<s;o++)h[i].value.push([xp.PROPERTY_VALUE,wp.COMMA]),Array.prototype.push.apply(h[i].value,c[o][i].value);return h}},outline:Ep,transition:function(e,t,n){var r,i,o,a=Op(e.name+"-property",0,t),s=Op(e.name+"-duration",0,t),l=Op(e.name+"-timing-function",0,t),u=Op(e.name+"-delay",0,t),c=[a,s,l,u],d=e.value,p=!1,m=!1,h=!1,f=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return a.value=s.value=l.value=u.value=e.value,c;if(d.length>1&&kp(d))throw new bp("Invalid animation values at "+Cp(d[0][2][0])+". Ignoring.");for(i=0,o=d.length;i<o;i++)if(r=d[i],n.isTime(r[1])&&!p)s.value=[r],p=!0;else if(n.isTime(r[1])&&!m)u.value=[r],m=!0;else if(!n.isGlobal(r[1])&&!n.isTimingFunction(r[1])||f){if(!n.isIdentifier(r[1])||h)throw new bp("Invalid animation value at "+Cp(r[2][0])+". Ignoring.");a.value=[r],h=!0}else l.value=[r],f=!0;return c}},_p=/(?:^|\W)(\-\w+\-)/g;function zp(e){for(var t,n=[];null!==(t=_p.exec(e));)-1==n.indexOf(t[0])&&n.push(t[0]);return n}var Rp=function(e,t){return zp(e).sort().join(",")==zp(t).sort().join(",")},Lp=Rp;var Pp=function(e,t,n,r,i){return!!Lp(t,n)&&(!i||e.isVariable(t)===e.isVariable(n))};function Bp(e,t,n){if(!e.isFunction(t)||!e.isFunction(n))return!1;var r=t.substring(0,t.indexOf("(")),i=n.substring(0,n.indexOf("(")),o=t.substring(r.length+1,t.length-1),a=n.substring(i.length+1,n.length-1);return e.isFunction(o)||e.isFunction(a)?r===i&&Bp(e,o,a):r===i}function Wp(e){return function(t,n,r){return!(!Pp(t,n,r,0,!0)&&!t.isKeyword(e)(r))&&(!(!t.isVariable(n)||!t.isVariable(r))||t.isKeyword(e)(r))}}function Mp(e){return function(t,n,r){return!!(Pp(t,n,r,0,!0)||t.isKeyword(e)(r)||t.isGlobal(r))&&(!(!t.isVariable(n)||!t.isVariable(r))||(t.isKeyword(e)(r)||t.isGlobal(r)))}}function Up(e,t,n){return!!Bp(e,t,n)||t===n}function Ip(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isUnit(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(e.isUnit(t)&&!e.isUnit(n))&&(!!e.isUnit(n)||!e.isUnit(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))}function Np(e){var t=Mp(e);return function(e,n,r){return Ip(e,n,r)||t(e,n,r)}}var qp={generic:{color:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isColor(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(!e.colorOpacity&&(e.isRgbColor(t)||e.isHslColor(t)))&&(!(!e.colorOpacity&&(e.isRgbColor(n)||e.isHslColor(n)))&&(!(!e.colorHexAlpha&&(e.isHexAlphaColor(t)||e.isHexAlphaColor(n)))&&(!(!e.isColor(t)||!e.isColor(n))||Up(e,t,n)))))},components:function(e){return function(t,n,r,i){return e[i](t,n,r)}},image:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isImage(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!!e.isImage(n)||!e.isImage(t)&&Up(e,t,n)))},propertyName:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isIdentifier(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||e.isIdentifier(n))},time:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isTime(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(e.isTime(t)&&!e.isTime(n))&&(!!e.isTime(n)||!e.isTime(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))},timingFunction:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isTimingFunction(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isTimingFunction(n)||e.isGlobal(n)))},unit:Ip,unitOrNumber:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isUnit(n)||e.isNumber(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!((e.isUnit(t)||e.isNumber(t))&&!e.isUnit(n)&&!e.isNumber(n))&&(!(!e.isUnit(n)&&!e.isNumber(n))||!e.isUnit(t)&&!e.isNumber(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))}},property:{animationDirection:Mp("animation-direction"),animationFillMode:Wp("animation-fill-mode"),animationIterationCount:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isAnimationIterationCountKeyword(n)||e.isPositiveNumber(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isAnimationIterationCountKeyword(n)||e.isPositiveNumber(n)))},animationName:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isAnimationNameKeyword(n)||e.isIdentifier(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isAnimationNameKeyword(n)||e.isIdentifier(n)))},animationPlayState:Mp("animation-play-state"),backgroundAttachment:Wp("background-attachment"),backgroundClip:Mp("background-clip"),backgroundOrigin:Wp("background-origin"),backgroundPosition:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isBackgroundPositionKeyword(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!(!e.isBackgroundPositionKeyword(n)&&!e.isGlobal(n))||Ip(e,t,n)))},backgroundRepeat:Wp("background-repeat"),backgroundSize:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isBackgroundSizeKeyword(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!(!e.isBackgroundSizeKeyword(n)&&!e.isGlobal(n))||Ip(e,t,n)))},bottom:Np("bottom"),borderCollapse:Wp("border-collapse"),borderStyle:Mp("*-style"),clear:Mp("clear"),cursor:Mp("cursor"),display:Mp("display"),float:Mp("float"),left:Np("left"),fontFamily:function(e,t,n){return Pp(e,t,n,0,!0)},fontStretch:Mp("font-stretch"),fontStyle:Mp("font-style"),fontVariant:Mp("font-variant"),fontWeight:Mp("font-weight"),listStyleType:Mp("list-style-type"),listStylePosition:Mp("list-style-position"),outlineStyle:Mp("*-style"),overflow:Mp("overflow"),position:Mp("position"),right:Np("right"),textAlign:Mp("text-align"),textDecoration:Mp("text-decoration"),textOverflow:Mp("text-overflow"),textShadow:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isUnit(n)||e.isColor(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isUnit(n)||e.isColor(n)||e.isGlobal(n)))},top:Np("top"),transform:Up,verticalAlign:Np("vertical-align"),visibility:Mp("visibility"),whiteSpace:Mp("white-space"),zIndex:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isZIndex(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||e.isZIndex(n))}}},Dp=gp,Vp=ap;function jp(e){var t=Dp([Vp.PROPERTY,[Vp.PROPERTY_NAME,e.name]]);return t.important=e.important,t.hack=e.hack,t.unused=!1,t}var Fp=function(e){for(var t=jp(e),n=e.components.length-1;n>=0;n--){var r=jp(e.components[n]);r.value=e.components[n].value.slice(0),t.components.unshift(r)}return t.dirty=!0,t.value=e.value.slice(0),t},Gp=jp,Kp=Gp,Yp=ap,Hp=_d;function $p(e){for(var t=0,n=e.length;t<n;t++){var r=e[t][1];if("inherit"!=r&&r!=Hp.COMMA&&r!=Hp.FORWARD_SLASH)return!1}return!0}function Qp(e){var t=e.components,n=t[0].value[0],r=t[1].value[0],i=t[2].value[0],o=t[3].value[0];return n[1]==r[1]&&n[1]==i[1]&&n[1]==o[1]?[n]:n[1]==i[1]&&r[1]==o[1]?[n,r]:r[1]==o[1]?[n,r,i]:[n,r,i,o]}function Zp(e,t,n){var r,i,o;for(i=0,o=e.length;i<o;i++)if((r=e[i]).name==n&&r.value[0][1]==t[n].defaultValue)return!0;return!1}var Xp={background:function(e,t,n){var r,i,o=e.components,a=[];function s(e){Array.prototype.unshift.apply(a,e.value)}function l(e){var n=t[e.name];return n.doubleValues&&1==n.defaultValue.length?e.value[0][1]==n.defaultValue[0]&&(!e.value[1]||e.value[1][1]==n.defaultValue[0]):n.doubleValues&&1!=n.defaultValue.length?e.value[0][1]==n.defaultValue[0]&&(e.value[1]?e.value[1][1]:e.value[0][1])==n.defaultValue[1]:e.value[0][1]==n.defaultValue}for(var u=o.length-1;u>=0;u--){var c=o[u],d=l(c);if("background-clip"==c.name){var p=o[u-1],m=l(p);i=!(r=c.value[0][1]==p.value[0][1])&&(m&&!d||!m&&!d||!m&&d&&c.value[0][1]!=p.value[0][1]),r?s(p):i&&(s(c),s(p)),u--}else if("background-size"==c.name){var h=o[u-1],f=l(h);i=!(r=!f&&d)&&(f&&!d||!f&&!d),r?s(h):i?(s(c),a.unshift([Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]),s(h)):1==h.value.length&&s(h),u--}else{if(d||t[c.name].multiplexLastOnly&&!n)continue;s(c)}}return 0===a.length&&1==e.value.length&&"0"==e.value[0][1]&&a.push(e.value[0]),0===a.length&&a.push([Yp.PROPERTY_VALUE,t[e.name].defaultValue]),$p(a)?[a[0]]:a},borderRadius:function(e,t){if(e.multiplex){for(var n=Kp(e),r=Kp(e),i=0;i<4;i++){var o=e.components[i],a=Kp(e);a.value=[o.value[0]],n.components.push(a);var s=Kp(e);s.value=[o.value[1]||o.value[0]],r.components.push(s)}var l=Qp(n),u=Qp(r);return l.length!=u.length||l[0][1]!=u[0][1]||l.length>1&&l[1][1]!=u[1][1]||l.length>2&&l[2][1]!=u[2][1]||l.length>3&&l[3][1]!=u[3][1]?l.concat([[Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]]).concat(u):l}return Qp(e)},font:function(e,t){var n,r=e.components,i=[],o=0,a=0;if(0===e.value[0][1].indexOf(Hp.INTERNAL))return e.value[0][1]=e.value[0][1].substring(Hp.INTERNAL.length),e.value;for(;o<4;)(n=r[o]).value[0][1]!=t[n.name].defaultValue&&Array.prototype.push.apply(i,n.value),o++;for(Array.prototype.push.apply(i,r[o].value),r[++o].value[0][1]!=t[r[o].name].defaultValue&&(Array.prototype.push.apply(i,[[Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]]),Array.prototype.push.apply(i,r[o].value)),o++;r[o].value[a];)i.push(r[o].value[a]),r[o].value[a+1]&&i.push([Yp.PROPERTY_VALUE,Hp.COMMA]),a++;return $p(i)?[i[0]]:i},fourValues:Qp,multiplex:function(e){return function(t,n){if(!t.multiplex)return e(t,n,!0);var r,i,o=0,a=[],s={};for(r=0,i=t.components[0].value.length;r<i;r++)t.components[0].value[r][1]==Hp.COMMA&&o++;for(r=0;r<=o;r++){for(var l=Kp(t),u=0,c=t.components.length;u<c;u++){var d=t.components[u],p=Kp(d);l.components.push(p);for(var m=s[p.name]||0,h=d.value.length;m<h;m++){if(d.value[m][1]==Hp.COMMA){s[p.name]=m+1;break}p.value.push(d.value[m])}}var f=e(l,n,r==o);Array.prototype.push.apply(a,f),r<o&&a.push([Yp.PROPERTY_VALUE,Hp.COMMA])}return a}},withoutDefaults:function(e,t){for(var n=e.components,r=[],i=n.length-1;i>=0;i--){var o=n[i],a=t[o.name];(o.value[0][1]!=a.defaultValue||"keepUnlessDefault"in a&&!Zp(n,t,a.keepUnlessDefault))&&r.unshift(o.value[0])}return 0===r.length&&r.push([Yp.PROPERTY_VALUE,t[e.name].defaultValue]),$p(r)?[r[0]]:r}},Jp=cd,em=/^\d+$/,tm=["*","all"],nm="off";function rm(e){return{ch:e,cm:e,em:e,ex:e,in:e,mm:e,pc:e,pt:e,px:e,q:e,rem:e,vh:e,vmax:e,vmin:e,vw:e,"%":e}}var im=nm,om=function(e){return Jp(rm(nm),function(e){if(null==e)return{};if("boolean"==typeof e)return{};if("number"==typeof e&&-1==e)return rm(nm);if("number"==typeof e)return rm(e);if("string"==typeof e&&em.test(e))return rm(parseInt(e));if("string"==typeof e&&e==nm)return rm(nm);if("object"==typeof e)return e;return e.split(",").reduce((function(e,t){var n=t.split("="),r=n[0],i=parseInt(n[1]);return(isNaN(i)||-1==i)&&(i=nm),tm.indexOf(r)>-1?e=Jp(e,rm(i)):e[r]=i,e}),{})}(e))},am=cd,sm={Zero:"0",One:"1",Two:"2"},lm={};lm[sm.Zero]={},lm[sm.One]={cleanupCharsets:!0,normalizeUrls:!0,optimizeBackground:!0,optimizeBorderRadius:!0,optimizeFilter:!0,optimizeFontWeight:!0,optimizeOutline:!0,removeEmpty:!0,removeNegativePaddings:!0,removeQuotes:!0,removeWhitespace:!0,replaceMultipleZeros:!0,replaceTimeUnits:!0,replaceZeroUnits:!0,roundingPrecision:om(void 0),selectorsSortingMethod:"standard",specialComments:"all",tidyAtRules:!0,tidyBlockScopes:!0,tidySelectors:!0},lm[sm.Two]={mergeAdjacentRules:!0,mergeIntoShorthands:!0,mergeMedia:!0,mergeNonAdjacentRules:!0,mergeSemantically:!1,overrideProperties:!0,removeEmpty:!0,reduceNonAdjacentRules:!0,removeDuplicateFontRules:!0,removeDuplicateMediaBlocks:!0,removeDuplicateRules:!0,removeUnusedAtRules:!1,restructureRules:!1,skipProperties:[]};var um="*",cm="all";function dm(e,t){var n,r=am(lm[e],{});for(n in r)"boolean"==typeof r[n]&&(r[n]=t);return r}function pm(e){switch(e){case"false":case"off":return!1;case"true":case"on":return!0;default:return e}}function mm(e,t){return e.split(";").reduce((function(e,n){var r=n.split(":"),i=r[0],o=pm(r[1]);return um==i||cm==i?e=am(e,dm(t,o)):e[i]=o,e}),{})}var hm=sm,fm=function(e){var t=am(lm,{}),n=sm.Zero,r=sm.One,i=sm.Two;return void 0===e?(delete t[i],t):("string"==typeof e&&(e=parseInt(e)),"number"==typeof e&&e===parseInt(i)?t:"number"==typeof e&&e===parseInt(r)?(delete t[i],t):"number"==typeof e&&e===parseInt(n)?(delete t[i],delete t[r],t):("object"==typeof e&&(e=function(e){var t,n,r=am(e,{});for(n=0;n<=2;n++)!((t=""+n)in r)||void 0!==r[t]&&!1!==r[t]||delete r[t],t in r&&!0===r[t]&&(r[t]={}),t in r&&"string"==typeof r[t]&&(r[t]=mm(r[t],t));return r}(e)),r in e&&"roundingPrecision"in e[r]&&(e[r].roundingPrecision=om(e[r].roundingPrecision)),i in e&&"skipProperties"in e[i]&&"string"==typeof e[i].skipProperties&&(e[i].skipProperties=e[i].skipProperties.split(",")),(n in e||r in e||i in e)&&(t[n]=am(t[n],e[n])),r in e&&um in e[r]&&(t[r]=am(t[r],dm(r,pm(e[r]["*"]))),delete e[r]["*"]),r in e&&cm in e[r]&&(t[r]=am(t[r],dm(r,pm(e[r].all))),delete e[r].all),r in e||i in e?t[r]=am(t[r],e[r]):delete t[r],i in e&&um in e[i]&&(t[i]=am(t[i],dm(i,pm(e[i]["*"]))),delete e[i]["*"]),i in e&&cm in e[i]&&(t[i]=am(t[i],dm(i,pm(e[i].all))),delete e[i].all),i in e?t[i]=am(t[i],e[i]):delete t[i],t))},gm=hm,ym={level1:{property:function(e,t){var n=t.value;4==n.length&&"0"===n[0][1]&&"0"===n[1][1]&&"0"===n[2][1]&&"0"===n[3][1]&&(t.value.splice(2),t.dirty=!0)}}},vm=hm,bm={level1:{property:function(e,t,n){var r=t.value;n.level[vm.One].optimizeBorderRadius&&(3==r.length&&"/"==r[1][1]&&r[0][1]==r[2][1]?(t.value.splice(1),t.dirty=!0):5==r.length&&"/"==r[2][1]&&r[0][1]==r[3][1]&&r[1][1]==r[4][1]?(t.value.splice(2),t.dirty=!0):7==r.length&&"/"==r[3][1]&&r[0][1]==r[4][1]&&r[1][1]==r[5][1]&&r[2][1]==r[6][1]?(t.value.splice(3),t.dirty=!0):9==r.length&&"/"==r[4][1]&&r[0][1]==r[5][1]&&r[1][1]==r[6][1]&&r[2][1]==r[7][1]&&r[3][1]==r[8][1]&&(t.value.splice(4),t.dirty=!0))}}},Sm=hm,xm=/progid:DXImageTransform\.Microsoft\.(Alpha|Chroma)(\W)/,wm=/,(\S)/g,Cm=/ ?= ?/g,km={level1:{property:function(e,t,n){n.compatibility.properties.ieFilters&&n.level[Sm.One].optimizeFilter&&(1==t.value.length&&(t.value[0][1]=t.value[0][1].replace(xm,(function(e,t,n){return t.toLowerCase()+n}))),t.value[0][1]=t.value[0][1].replace(wm,", $1").replace(Cm,"="))}}},Om=hm,Tm={level1:{property:function(e,t,n){var r=t.value[0][1];n.level[Om.One].optimizeFontWeight&&("normal"==r?r="400":"bold"==r&&(r="700"),t.value[0][1]=r)}}},Em=hm,Am={level1:{property:function(e,t,n){var r=t.value;n.level[Em.One].replaceMultipleZeros&&4==r.length&&"0"===r[0][1]&&"0"===r[1][1]&&"0"===r[2][1]&&"0"===r[3][1]&&(t.value.splice(1),t.dirty=!0)}}},_m=hm,zm={level1:{property:function(e,t,n){var r=t.value;n.level[_m.One].optimizeOutline&&1==r.length&&"none"==r[0][1]&&(r[0][1]="0")}}},Rm=hm;function Lm(e){return e&&"-"==e[1][0]&&parseFloat(e[1])<0}var Pm={level1:{property:function(e,t,n){var r=t.value;4==r.length&&"0"===r[0][1]&&"0"===r[1][1]&&"0"===r[2][1]&&"0"===r[3][1]&&(t.value.splice(1),t.dirty=!0),n.level[Rm.One].removeNegativePaddings&&(Lm(t.value[0])||Lm(t.value[1])||Lm(t.value[2])||Lm(t.value[3]))&&(t.unused=!0)}}},Bm={background:{level1:{property:function(e,t,n){var r=t.value;n.level[gm.One].optimizeBackground&&(1==r.length&&"none"==r[0][1]&&(r[0][1]="0 0"),1==r.length&&"transparent"==r[0][1]&&(r[0][1]="0 0"))}}}.level1.property,boxShadow:ym.level1.property,borderRadius:bm.level1.property,filter:km.level1.property,fontWeight:Tm.level1.property,margin:Am.level1.property,outline:zm.level1.property,padding:Pm.level1.property},Wm={aliceblue:"#f0f8ff",antiquewhite:"#faebd7",aqua:"#0ff",aquamarine:"#7fffd4",azure:"#f0ffff",beige:"#f5f5dc",bisque:"#ffe4c4",black:"#000",blanchedalmond:"#ffebcd",blue:"#00f",blueviolet:"#8a2be2",brown:"#a52a2a",burlywood:"#deb887",cadetblue:"#5f9ea0",chartreuse:"#7fff00",chocolate:"#d2691e",coral:"#ff7f50",cornflowerblue:"#6495ed",cornsilk:"#fff8dc",crimson:"#dc143c",cyan:"#0ff",darkblue:"#00008b",darkcyan:"#008b8b",darkgoldenrod:"#b8860b",darkgray:"#a9a9a9",darkgreen:"#006400",darkgrey:"#a9a9a9",darkkhaki:"#bdb76b",darkmagenta:"#8b008b",darkolivegreen:"#556b2f",darkorange:"#ff8c00",darkorchid:"#9932cc",darkred:"#8b0000",darksalmon:"#e9967a",darkseagreen:"#8fbc8f",darkslateblue:"#483d8b",darkslategray:"#2f4f4f",darkslategrey:"#2f4f4f",darkturquoise:"#00ced1",darkviolet:"#9400d3",deeppink:"#ff1493",deepskyblue:"#00bfff",dimgray:"#696969",dimgrey:"#696969",dodgerblue:"#1e90ff",firebrick:"#b22222",floralwhite:"#fffaf0",forestgreen:"#228b22",fuchsia:"#f0f",gainsboro:"#dcdcdc",ghostwhite:"#f8f8ff",gold:"#ffd700",goldenrod:"#daa520",gray:"#808080",green:"#008000",greenyellow:"#adff2f",grey:"#808080",honeydew:"#f0fff0",hotpink:"#ff69b4",indianred:"#cd5c5c",indigo:"#4b0082",ivory:"#fffff0",khaki:"#f0e68c",lavender:"#e6e6fa",lavenderblush:"#fff0f5",lawngreen:"#7cfc00",lemonchiffon:"#fffacd",lightblue:"#add8e6",lightcoral:"#f08080",lightcyan:"#e0ffff",lightgoldenrodyellow:"#fafad2",lightgray:"#d3d3d3",lightgreen:"#90ee90",lightgrey:"#d3d3d3",lightpink:"#ffb6c1",lightsalmon:"#ffa07a",lightseagreen:"#20b2aa",lightskyblue:"#87cefa",lightslategray:"#778899",lightslategrey:"#778899",lightsteelblue:"#b0c4de",lightyellow:"#ffffe0",lime:"#0f0",limegreen:"#32cd32",linen:"#faf0e6",magenta:"#ff00ff",maroon:"#800000",mediumaquamarine:"#66cdaa",mediumblue:"#0000cd",mediumorchid:"#ba55d3",mediumpurple:"#9370db",mediumseagreen:"#3cb371",mediumslateblue:"#7b68ee",mediumspringgreen:"#00fa9a",mediumturquoise:"#48d1cc",mediumvioletred:"#c71585",midnightblue:"#191970",mintcream:"#f5fffa",mistyrose:"#ffe4e1",moccasin:"#ffe4b5",navajowhite:"#ffdead",navy:"#000080",oldlace:"#fdf5e6",olive:"#808000",olivedrab:"#6b8e23",orange:"#ffa500",orangered:"#ff4500",orchid:"#da70d6",palegoldenrod:"#eee8aa",palegreen:"#98fb98",paleturquoise:"#afeeee",palevioletred:"#db7093",papayawhip:"#ffefd5",peachpuff:"#ffdab9",peru:"#cd853f",pink:"#ffc0cb",plum:"#dda0dd",powderblue:"#b0e0e6",purple:"#800080",rebeccapurple:"#663399",red:"#f00",rosybrown:"#bc8f8f",royalblue:"#4169e1",saddlebrown:"#8b4513",salmon:"#fa8072",sandybrown:"#f4a460",seagreen:"#2e8b57",seashell:"#fff5ee",sienna:"#a0522d",silver:"#c0c0c0",skyblue:"#87ceeb",slateblue:"#6a5acd",slategray:"#708090",slategrey:"#708090",snow:"#fffafa",springgreen:"#00ff7f",steelblue:"#4682b4",tan:"#d2b48c",teal:"#008080",thistle:"#d8bfd8",tomato:"#ff6347",turquoise:"#40e0d0",violet:"#ee82ee",wheat:"#f5deb3",white:"#fff",whitesmoke:"#f5f5f5",yellow:"#ff0",yellowgreen:"#9acd32"},Mm={},Um={};for(var Im in Wm){var Nm=Wm[Im];Im.length<Nm.length?Um[Nm]=Im:Mm[Im]=Nm}var qm=new RegExp("(^| |,|\\))("+Object.keys(Mm).join("|")+")( |,|\\)|$)","ig"),Dm=new RegExp("("+Object.keys(Um).join("|")+")([^a-f0-9]|$)","ig");function Vm(e,t,n,r){return t+Mm[n.toLowerCase()]+r}function jm(e,t,n){return Um[t.toLowerCase()]+n}function Fm(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}var Gm=_d;var Km=function(e,t){var n,r=Gm.OPEN_ROUND_BRACKET,i=Gm.CLOSE_ROUND_BRACKET,o=0,a=0,s=0,l=e.length,u=[];if(-1==e.indexOf(t))return[e];if(-1==e.indexOf(r))return e.split(t);for(;a<l;)e[a]==r?o++:e[a]==i&&o--,0===o&&a>0&&a+1<l&&e[a]==t&&(u.push(e.substring(s,a)),s=a+1),a++;return s<a+1&&((n=e.substring(s))[n.length-1]==t&&(n=n.substring(0,n.length-1)),u.push(n)),u},Ym=function(e){var t=e.indexOf("#")>-1,n=e.replace(qm,Vm);return n!=e&&(n=n.replace(qm,Vm)),t?n.replace(Dm,jm):n},Hm=function(e,t,n){var r=function(e,t,n){var r,i,o;if((e%=360)<0&&(e+=360),e=~~e/360,t<0?t=0:t>100&&(t=100),n<0?n=0:n>100&&(n=100),n=~~n/100,0==(t=~~t/100))r=i=o=n;else{var a=n<.5?n*(1+t):n+t-n*t,s=2*n-a;r=Fm(s,a,e+1/3),i=Fm(s,a,e),o=Fm(s,a,e-1/3)}return[~~(255*r),~~(255*i),~~(255*o)]}(e,t,n),i=r[0].toString(16),o=r[1].toString(16),a=r[2].toString(16);return"#"+(1==i.length?"0":"")+i+(1==o.length?"0":"")+o+(1==a.length?"0":"")+a},$m=function(e,t,n){return"#"+("00000"+(Math.max(0,Math.min(parseInt(e),255))<<16|Math.max(0,Math.min(parseInt(t),255))<<8|Math.max(0,Math.min(parseInt(n),255))).toString(16)).slice(-6)},Qm=Km,Zm=/(rgb|rgba|hsl|hsla)\(([^\(\)]+)\)/gi,Xm=/#|rgb|hsl/gi,Jm=/(^|[^='"])#([0-9a-f]{6})/gi,eh=/(^|[^='"])#([0-9a-f]{3})/gi,th=/[0-9a-f]/i,nh=/hsl\((-?\d+),(-?\d+)%?,(-?\d+)%?\)/gi,rh=/(rgb|hsl)a?\((\-?\d+),(\-?\d+\%?),(\-?\d+\%?),(0*[1-9]+[0-9]*(\.?\d*)?)\)/gi,ih=/rgb\((\-?\d+),(\-?\d+),(\-?\d+)\)/gi,oh=/(?:rgba|hsla)\(0,0%?,0%?,0\)/g,ah=/\(0deg\)/g,sh={level1:{value:function(e,t,n){return n.compatibility.properties.zeroUnits?-1==t.indexOf("0deg")?t:t.replace(ah,"(0)"):t}}},lh=/^url\(/i;var uh=function(e){return lh.test(e)},ch=uh,dh=hm,ph=/(^|\D)\.0+(\D|$)/g,mh=/\.([1-9]*)0+(\D|$)/g,hh=/(^|\D)0\.(\d)/g,fh=/([^\w\d\-]|^)\-0([^\.]|$)/g,gh=/(^|\s)0+([1-9])/g,yh={level1:{value:function(e,t,n){return n.level[dh.One].replaceZeroUnits?ch(t)||-1==t.indexOf("0")?t:(t.indexOf("-")>-1&&(t=t.replace(fh,"$10$2").replace(fh,"$10$2")),t.replace(gh,"$1$2").replace(ph,"$10$2").replace(mh,(function(e,t,n){return(t.length>0?".":"")+t+n})).replace(hh,"$1.$2")):t}}},vh={level1:{value:function(e,t,n){return n.precision.enabled&&-1!==t.indexOf(".")?t.replace(n.precision.decimalPointMatcher,"$1$2$3").replace(n.precision.zeroMatcher,(function(e,t,r,i){var o=n.precision.units[i].multiplier,a=parseInt(t),s=isNaN(a)?0:a,l=parseFloat(r);return Math.round((s+l)*o)/o+i})):t}}},bh=hm,Sh=/^local\(/i,xh=/^('.*'|".*")$/,wh=/^['"][a-zA-Z][a-zA-Z\d\-_]+['"]$/,Ch={level1:{value:function(e,t,n){return n.level[bh.One].removeQuotes&&(xh.test(t)||Sh.test(t))&&wh.test(t)?t.substring(1,t.length-1):t}}},kh=hm,Oh=/^(\-?[\d\.]+)(m?s)$/,Th={level1:{value:function(e,t,n){return n.level[kh.One].replaceTimeUnits&&Oh.test(t)?t.replace(Oh,(function(e,t,n){var r;return"ms"==n?r=parseInt(t)/1e3+"s":"s"==n&&(r=1e3*parseFloat(t)+"ms"),r.length<e.length?r:e})):t}}},Eh=/(?:^|\s|\()(-?\d+)px/,Ah={level1:{value:function(e,t,n){return Eh.test(t)?t.replace(Eh,(function(e,t){var r,i=parseInt(t);return 0===i?e:(n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.pt&&3*i%4==0&&(r=3*i/4+"pt"),n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.pc&&i%16==0&&(r=i/16+"pc"),n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.in&&i%96==0&&(r=i/96+"in"),r&&(r=e.substring(0,e.indexOf(t))+r),r&&r.length<e.length?r:e)})):t}}},_h=uh,zh=hm,Rh=/^url\(/i,Lh={level1:{value:function(e,t,n){return n.level[zh.One].normalizeUrls&&_h(t)?t.replace(Rh,"url("):t}}},Ph=/^url\(['"].+['"]\)$/,Bh=/^url\(['"].*[\*\s\(\)'"].*['"]\)$/,Wh=/["']/g,Mh=/^url\(['"]data:[^;]+;charset/,Uh={level1:{value:function(e,t,n){return n.compatibility.properties.urlQuotes||!Ph.test(t)||Bh.test(t)||Mh.test(t)?t:t.replace(Wh,"")}}},Ih=uh,Nh=/\\?\n|\\?\r\n/g,qh={level1:{value:function(e,t){return Ih(t)?t.replace(Nh,""):t}}},Dh=hm,Vh=_d,jh=/\) ?\/ ?/g,Fh=/, /g,Gh=/\s+/g,Kh=/\s+(;?\))/g,Yh=/(\(;?)\s+/g,Hh={level1:{value:function(e,t,n){return n.level[Dh.One].removeWhitespace?-1==t.indexOf(" ")||0===t.indexOf("expression")||t.indexOf(Vh.SINGLE_QUOTE)>-1||t.indexOf(Vh.DOUBLE_QUOTE)>-1?t:((t=t.replace(Gh," ")).indexOf("calc")>-1&&(t=t.replace(jh,")/ ")),t.replace(Yh,"$1").replace(Kh,"$1").replace(Fh,",")):t}}},$h=/^(?:\-moz\-calc|\-webkit\-calc|calc|rgb|hsl|rgba|hsla|min|max|clamp)\(/,Qh={level1:{value:function(e,t,n){return n.compatibility.properties.zeroUnits?$h.test(t)||t.indexOf("%")>0&&("height"==e||"max-height"==e||"width"==e||"max-width"==e)?t:t.replace(n.unitsRegexp,"$10$2").replace(n.unitsRegexp,"$10$2"):t}}},Zh={color:{level1:{value:function(e,t,n){return n.compatibility.properties.colors?t.match(Xm)?(t=t.replace(rh,(function(e,t,n,r,i,o){return parseInt(o,10)>=1?t+"("+[n,r,i].join(",")+")":e})).replace(ih,(function(e,t,n,r){return $m(t,n,r)})).replace(nh,(function(e,t,n,r){return Hm(t,n,r)})).replace(Jm,(function(e,t,n,r,i){var o=i[r+e.length];return o&&th.test(o)?e:n[0]==n[1]&&n[2]==n[3]&&n[4]==n[5]?(t+"#"+n[0]+n[2]+n[4]).toLowerCase():(t+"#"+n).toLowerCase()})).replace(eh,(function(e,t,n){return t+"#"+n.toLowerCase()})).replace(Zm,(function(e,t,n){var r=n.split(","),i=t&&t.toLowerCase();return"hsl"==i&&3==r.length||"hsla"==i&&4==r.length||"rgb"==i&&3===r.length&&n.indexOf("%")>0||"rgba"==i&&4==r.length&&n.indexOf("%")>0?(-1==r[1].indexOf("%")&&(r[1]+="%"),-1==r[2].indexOf("%")&&(r[2]+="%"),t+"("+r.join(",")+")"):e})),n.compatibility.colors.opacity&&-1==e.indexOf("background")&&(t=t.replace(oh,(function(e){return Qm(t,",").pop().indexOf("gradient(")>-1?e:"transparent"}))),Ym(t)):Ym(t):t}}}.level1.value,degrees:sh.level1.value,fraction:yh.level1.value,precision:vh.level1.value,textQuotes:Ch.level1.value,time:Th.level1.value,unit:Ah.level1.value,urlPrefix:Lh.level1.value,urlQuotes:Uh.level1.value,urlWhiteSpace:qh.level1.value,whiteSpace:Hh.level1.value,zero:Qh.level1.value},Xh=Ap,Jh=qp,ef=Xp,tf=Bm,nf=Zh,rf=cd,of={animation:{canOverride:Jh.generic.components([Jh.generic.time,Jh.generic.timingFunction,Jh.generic.time,Jh.property.animationIterationCount,Jh.property.animationDirection,Jh.property.animationFillMode,Jh.property.animationPlayState,Jh.property.animationName]),components:["animation-duration","animation-timing-function","animation-delay","animation-iteration-count","animation-direction","animation-fill-mode","animation-play-state","animation-name"],breakUp:Xh.multiplex(Xh.animation),defaultValue:"none",restore:ef.multiplex(ef.withoutDefaults),shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.textQuotes,nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-delay":{canOverride:Jh.generic.time,componentOf:["animation"],defaultValue:"0s",intoMultiplexMode:"real",valueOptimizers:[nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-direction":{canOverride:Jh.property.animationDirection,componentOf:["animation"],defaultValue:"normal",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-duration":{canOverride:Jh.generic.time,componentOf:["animation"],defaultValue:"0s",intoMultiplexMode:"real",keepUnlessDefault:"animation-delay",valueOptimizers:[nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-fill-mode":{canOverride:Jh.property.animationFillMode,componentOf:["animation"],defaultValue:"none",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-iteration-count":{canOverride:Jh.property.animationIterationCount,componentOf:["animation"],defaultValue:"1",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-name":{canOverride:Jh.property.animationName,componentOf:["animation"],defaultValue:"none",intoMultiplexMode:"real",valueOptimizers:[nf.textQuotes],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-play-state":{canOverride:Jh.property.animationPlayState,componentOf:["animation"],defaultValue:"running",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-timing-function":{canOverride:Jh.generic.timingFunction,componentOf:["animation"],defaultValue:"ease",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},background:{canOverride:Jh.generic.components([Jh.generic.image,Jh.property.backgroundPosition,Jh.property.backgroundSize,Jh.property.backgroundRepeat,Jh.property.backgroundAttachment,Jh.property.backgroundOrigin,Jh.property.backgroundClip,Jh.generic.color]),components:["background-image","background-position","background-size","background-repeat","background-attachment","background-origin","background-clip","background-color"],breakUp:Xh.multiplex(Xh.background),defaultValue:"0 0",propertyOptimizer:tf.background,restore:ef.multiplex(ef.background),shortestValue:"0",shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.urlWhiteSpace,nf.fraction,nf.zero,nf.color,nf.urlPrefix,nf.urlQuotes]},"background-attachment":{canOverride:Jh.property.backgroundAttachment,componentOf:["background"],defaultValue:"scroll",intoMultiplexMode:"real"},"background-clip":{canOverride:Jh.property.backgroundClip,componentOf:["background"],defaultValue:"border-box",intoMultiplexMode:"real",shortestValue:"border-box"},"background-color":{canOverride:Jh.generic.color,componentOf:["background"],defaultValue:"transparent",intoMultiplexMode:"real",multiplexLastOnly:!0,nonMergeableValue:"none",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"background-image":{canOverride:Jh.generic.image,componentOf:["background"],defaultValue:"none",intoMultiplexMode:"default",valueOptimizers:[nf.urlWhiteSpace,nf.urlPrefix,nf.urlQuotes,nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero,nf.color]},"background-origin":{canOverride:Jh.property.backgroundOrigin,componentOf:["background"],defaultValue:"padding-box",intoMultiplexMode:"real",shortestValue:"border-box"},"background-position":{canOverride:Jh.property.backgroundPosition,componentOf:["background"],defaultValue:["0","0"],doubleValues:!0,intoMultiplexMode:"real",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"background-repeat":{canOverride:Jh.property.backgroundRepeat,componentOf:["background"],defaultValue:["repeat"],doubleValues:!0,intoMultiplexMode:"real"},"background-size":{canOverride:Jh.property.backgroundSize,componentOf:["background"],defaultValue:["auto"],doubleValues:!0,intoMultiplexMode:"real",shortestValue:"0 0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},bottom:{canOverride:Jh.property.bottom,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},border:{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-width","border-style","border-color"],defaultValue:"none",overridesShorthands:["border-bottom","border-left","border-right","border-top"],restore:ef.withoutDefaults,shorthand:!0,shorthandComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-bottom":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-bottom-width","border-bottom-style","border-bottom-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-bottom-color":{canOverride:Jh.generic.color,componentOf:["border-bottom","border-color"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-bottom-left-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-bottom-right-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-bottom-style":{canOverride:Jh.property.borderStyle,componentOf:["border-bottom","border-style"],defaultValue:"none"},"border-bottom-width":{canOverride:Jh.generic.unit,componentOf:["border-bottom","border-width"],defaultValue:"medium",oppositeTo:"border-top-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-collapse":{canOverride:Jh.property.borderCollapse,defaultValue:"separate"},"border-color":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.color,Jh.generic.color,Jh.generic.color,Jh.generic.color]),componentOf:["border"],components:["border-top-color","border-right-color","border-bottom-color","border-left-color"],defaultValue:"none",restore:ef.fourValues,shortestValue:"red",shorthand:!0,singleTypeComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-left":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-left-width","border-left-style","border-left-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-left-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-left"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-left-style":{canOverride:Jh.property.borderStyle,componentOf:["border-left","border-style"],defaultValue:"none"},"border-left-width":{canOverride:Jh.generic.unit,componentOf:["border-left","border-width"],defaultValue:"medium",oppositeTo:"border-right-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-radius":{breakUp:Xh.borderRadius,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,restore:ef.borderRadius,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-right":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-right-width","border-right-style","border-right-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-right-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-right"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-right-style":{canOverride:Jh.property.borderStyle,componentOf:["border-right","border-style"],defaultValue:"none"},"border-right-width":{canOverride:Jh.generic.unit,componentOf:["border-right","border-width"],defaultValue:"medium",oppositeTo:"border-left-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-style":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.property.borderStyle,Jh.property.borderStyle,Jh.property.borderStyle,Jh.property.borderStyle]),componentOf:["border"],components:["border-top-style","border-right-style","border-bottom-style","border-left-style"],defaultValue:"none",restore:ef.fourValues,shorthand:!0,singleTypeComponents:!0},"border-top":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-top-width","border-top-style","border-top-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.zero,nf.color,nf.unit]},"border-top-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-top"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-top-left-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-top-right-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-top-style":{canOverride:Jh.property.borderStyle,componentOf:["border-style","border-top"],defaultValue:"none"},"border-top-width":{canOverride:Jh.generic.unit,componentOf:["border-top","border-width"],defaultValue:"medium",oppositeTo:"border-bottom-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-width":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),componentOf:["border"],components:["border-top-width","border-right-width","border-bottom-width","border-left-width"],defaultValue:"medium",restore:ef.fourValues,shortestValue:"0",shorthand:!0,singleTypeComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"box-shadow":{propertyOptimizer:tf.boxShadow,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero,nf.color],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},clear:{canOverride:Jh.property.clear,defaultValue:"none"},clip:{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},color:{canOverride:Jh.generic.color,defaultValue:"transparent",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"column-gap":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},cursor:{canOverride:Jh.property.cursor,defaultValue:"auto"},display:{canOverride:Jh.property.display},filter:{propertyOptimizer:tf.filter,valueOptimizers:[nf.fraction]},float:{canOverride:Jh.property.float,defaultValue:"none"},font:{breakUp:Xh.font,canOverride:Jh.generic.components([Jh.property.fontStyle,Jh.property.fontVariant,Jh.property.fontWeight,Jh.property.fontStretch,Jh.generic.unit,Jh.generic.unit,Jh.property.fontFamily]),components:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],restore:ef.font,shorthand:!0,valueOptimizers:[nf.textQuotes]},"font-family":{canOverride:Jh.property.fontFamily,defaultValue:"user|agent|specific",valueOptimizers:[nf.textQuotes]},"font-size":{canOverride:Jh.generic.unit,defaultValue:"medium",shortestValue:"0",valueOptimizers:[nf.fraction]},"font-stretch":{canOverride:Jh.property.fontStretch,defaultValue:"normal"},"font-style":{canOverride:Jh.property.fontStyle,defaultValue:"normal"},"font-variant":{canOverride:Jh.property.fontVariant,defaultValue:"normal"},"font-weight":{canOverride:Jh.property.fontWeight,defaultValue:"normal",propertyOptimizer:tf.fontWeight,shortestValue:"400"},gap:{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},height:{canOverride:Jh.generic.unit,defaultValue:"auto",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},left:{canOverride:Jh.property.left,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"letter-spacing":{valueOptimizers:[nf.fraction,nf.zero]},"line-height":{canOverride:Jh.generic.unitOrNumber,defaultValue:"normal",shortestValue:"0",valueOptimizers:[nf.fraction,nf.zero]},"list-style":{canOverride:Jh.generic.components([Jh.property.listStyleType,Jh.property.listStylePosition,Jh.property.listStyleImage]),components:["list-style-type","list-style-position","list-style-image"],breakUp:Xh.listStyle,restore:ef.withoutDefaults,defaultValue:"outside",shortestValue:"none",shorthand:!0},"list-style-image":{canOverride:Jh.generic.image,componentOf:["list-style"],defaultValue:"none"},"list-style-position":{canOverride:Jh.property.listStylePosition,componentOf:["list-style"],defaultValue:"outside",shortestValue:"inside"},"list-style-type":{canOverride:Jh.property.listStyleType,componentOf:["list-style"],defaultValue:"decimal|disc",shortestValue:"none"},margin:{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["margin-top","margin-right","margin-bottom","margin-left"],defaultValue:"0",propertyOptimizer:tf.margin,restore:ef.fourValues,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-bottom":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-top",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-inline-end":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-inline-start":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-left":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-right",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-right":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-left",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-top":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-bottom",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"max-height":{canOverride:Jh.generic.unit,defaultValue:"none",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"max-width":{canOverride:Jh.generic.unit,defaultValue:"none",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"min-height":{canOverride:Jh.generic.unit,defaultValue:"0",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"min-width":{canOverride:Jh.generic.unit,defaultValue:"0",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},opacity:{valueOptimizers:[nf.fraction,nf.precision]},outline:{canOverride:Jh.generic.components([Jh.generic.color,Jh.property.outlineStyle,Jh.generic.unit]),components:["outline-color","outline-style","outline-width"],breakUp:Xh.outline,restore:ef.withoutDefaults,defaultValue:"0",propertyOptimizer:tf.outline,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"outline-color":{canOverride:Jh.generic.color,componentOf:["outline"],defaultValue:"invert",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"outline-style":{canOverride:Jh.property.outlineStyle,componentOf:["outline"],defaultValue:"none"},"outline-width":{canOverride:Jh.generic.unit,componentOf:["outline"],defaultValue:"medium",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},overflow:{canOverride:Jh.property.overflow,defaultValue:"visible"},"overflow-x":{canOverride:Jh.property.overflow,defaultValue:"visible"},"overflow-y":{canOverride:Jh.property.overflow,defaultValue:"visible"},padding:{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["padding-top","padding-right","padding-bottom","padding-left"],defaultValue:"0",propertyOptimizer:tf.padding,restore:ef.fourValues,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-bottom":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-top",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-left":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-right",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-right":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-left",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-top":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-bottom",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},position:{canOverride:Jh.property.position,defaultValue:"static"},right:{canOverride:Jh.property.right,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"row-gap":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},src:{valueOptimizers:[nf.urlWhiteSpace,nf.urlPrefix,nf.urlQuotes]},"stroke-width":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"text-align":{canOverride:Jh.property.textAlign,defaultValue:"left|right"},"text-decoration":{canOverride:Jh.property.textDecoration,defaultValue:"none"},"text-indent":{canOverride:Jh.property.textOverflow,defaultValue:"none",valueOptimizers:[nf.fraction,nf.zero]},"text-overflow":{canOverride:Jh.property.textOverflow,defaultValue:"none"},"text-shadow":{canOverride:Jh.property.textShadow,defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},top:{canOverride:Jh.property.top,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},transform:{canOverride:Jh.property.transform,valueOptimizers:[nf.whiteSpace,nf.degrees,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},transition:{breakUp:Xh.multiplex(Xh.transition),canOverride:Jh.generic.components([Jh.property.transitionProperty,Jh.generic.time,Jh.generic.timingFunction,Jh.generic.time]),components:["transition-property","transition-duration","transition-timing-function","transition-delay"],defaultValue:"none",restore:ef.multiplex(ef.withoutDefaults),shorthand:!0,valueOptimizers:[nf.time,nf.fraction],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-delay":{canOverride:Jh.generic.time,componentOf:["transition"],defaultValue:"0s",intoMultiplexMode:"real",valueOptimizers:[nf.time],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-duration":{canOverride:Jh.generic.time,componentOf:["transition"],defaultValue:"0s",intoMultiplexMode:"real",keepUnlessDefault:"transition-delay",valueOptimizers:[nf.time,nf.fraction],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-property":{canOverride:Jh.generic.propertyName,componentOf:["transition"],defaultValue:"all",intoMultiplexMode:"placeholder",placeholderValue:"_",vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-timing-function":{canOverride:Jh.generic.timingFunction,componentOf:["transition"],defaultValue:"ease",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"vertical-align":{canOverride:Jh.property.verticalAlign,defaultValue:"baseline",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},visibility:{canOverride:Jh.property.visibility,defaultValue:"visible"},"-webkit-tap-highlight-color":{valueOptimizers:[nf.whiteSpace,nf.color]},"-webkit-margin-end":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"white-space":{canOverride:Jh.property.whiteSpace,defaultValue:"normal"},width:{canOverride:Jh.generic.unit,defaultValue:"auto",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"z-index":{canOverride:Jh.property.zIndex,defaultValue:"auto"}},af={};function sf(e,t){var n=rf(of[e],{});return"componentOf"in n&&(n.componentOf=n.componentOf.map((function(e){return t+e}))),"components"in n&&(n.components=n.components.map((function(e){return t+e}))),"keepUnlessDefault"in n&&(n.keepUnlessDefault=t+n.keepUnlessDefault),n}af={};for(var lf in of){var uf=of[lf];if("vendorPrefixes"in uf){for(var cf=0;cf<uf.vendorPrefixes.length;cf++){var df=uf.vendorPrefixes[cf],pf=sf(lf,df);delete pf.vendorPrefixes,af[df+lf]=pf}delete uf.vendorPrefixes}}var mf=rf(of,af),hf="",ff=Td,gf=Ed,yf=_d,vf=ap;function bf(e){return"filter"==e[1][1]||"-ms-filter"==e[1][1]}function Sf(e,t,n){return!e.spaceAfterClosingBrace&&function(e){return"background"==e[1][1]||"transform"==e[1][1]||"src"==e[1][1]}(t)&&function(e,t){return e[t][1][e[t][1].length-1]==yf.CLOSE_ROUND_BRACKET}(t,n)||function(e,t){return e[t+1]&&e[t+1][1]==yf.FORWARD_SLASH}(t,n)||function(e,t){return e[t][1]==yf.FORWARD_SLASH}(t,n)||function(e,t){return e[t+1]&&e[t+1][1]==yf.COMMA}(t,n)||function(e,t){return e[t][1]==yf.COMMA}(t,n)}function xf(e,t){for(var n=e.store,r=0,i=t.length;r<i;r++)n(e,t[r]),r<i-1&&n(e,zf(e))}function wf(e,t){for(var n=function(e){for(var t=e.length-1;t>=0&&e[t][0]==vf.COMMENT;t--);return t}(t),r=0,i=t.length;r<i;r++)Cf(e,t,r,n)}function Cf(e,t,n,r){var i,o=e.store,a=t[n],s=a[2],l=s&&s[0]===vf.PROPERTY_BLOCK;i=e.format?!(!e.format.semicolonAfterLastProperty&&!l)||n<r:n<r||l;var u=n===r;switch(a[0]){case vf.AT_RULE:o(e,a),o(e,_f(e,ff.AfterProperty,!1));break;case vf.AT_RULE_BLOCK:xf(e,a[1]),o(e,Ef(e,ff.AfterRuleBegins,!0)),wf(e,a[2]),o(e,Af(e,ff.AfterRuleEnds,!1,u));break;case vf.COMMENT:o(e,a),o(e,Of(e,ff.AfterComment)+e.indentWith);break;case vf.PROPERTY:o(e,a[1]),o(e,function(e){return e.format?yf.COLON+(Tf(e,gf.BeforeValue)?yf.SPACE:hf):yf.COLON}(e)),s&&kf(e,a),o(e,i?_f(e,ff.AfterProperty,u):hf);break;case vf.RAW:o(e,a)}}function kf(e,t){var n,r,i=e.store;if(t[2][0]==vf.PROPERTY_BLOCK)i(e,Ef(e,ff.AfterBlockBegins,!1)),wf(e,t[2][1]),i(e,Af(e,ff.AfterBlockEnds,!1,!0));else for(n=2,r=t.length;n<r;n++)i(e,t[n]),n<r-1&&(bf(t)||!Sf(e,t,n))&&i(e,yf.SPACE)}function Of(e,t){return e.format?e.format.breaks[t]:hf}function Tf(e,t){return e.format&&e.format.spaces[t]}function Ef(e,t,n){return e.format?(e.indentBy+=e.format.indentBy,e.indentWith=e.format.indentWith.repeat(e.indentBy),(n&&Tf(e,gf.BeforeBlockBegins)?yf.SPACE:hf)+yf.OPEN_CURLY_BRACKET+Of(e,t)+e.indentWith):yf.OPEN_CURLY_BRACKET}function Af(e,t,n,r){return e.format?(e.indentBy-=e.format.indentBy,e.indentWith=e.format.indentWith.repeat(e.indentBy),Of(e,n?ff.BeforeBlockEnds:ff.AfterProperty)+e.indentWith+yf.CLOSE_CURLY_BRACKET+(r?hf:Of(e,t)+e.indentWith)):yf.CLOSE_CURLY_BRACKET}function _f(e,t,n){return e.format?yf.SEMICOLON+(n?hf:Of(e,t)+e.indentWith):yf.SEMICOLON}function zf(e){return e.format?yf.COMMA+Of(e,ff.BetweenSelectors)+e.indentWith:yf.COMMA}var Rf={all:function e(t,n){var r,i,o,a,s=t.store;for(o=0,a=n.length;o<a;o++)switch(i=o==a-1,(r=n[o])[0]){case vf.AT_RULE:s(t,r),s(t,_f(t,ff.AfterAtRule,i));break;case vf.AT_RULE_BLOCK:xf(t,r[1]),s(t,Ef(t,ff.AfterRuleBegins,!0)),wf(t,r[2]),s(t,Af(t,ff.AfterRuleEnds,!1,i));break;case vf.NESTED_BLOCK:xf(t,r[1]),s(t,Ef(t,ff.AfterBlockBegins,!0)),e(t,r[2]),s(t,Af(t,ff.AfterBlockEnds,!0,i));break;case vf.COMMENT:s(t,r),s(t,Of(t,ff.AfterComment)+t.indentWith);break;case vf.RAW:s(t,r);break;case vf.RULE:xf(t,r[1]),s(t,Ef(t,ff.AfterRuleBegins,!0)),wf(t,r[2]),s(t,Af(t,ff.AfterRuleEnds,!1,i))}},body:wf,property:Cf,rules:xf,value:kf},Lf=Rf;function Pf(e,t){e.output.push("string"==typeof t?t:t[1])}function Bf(){return{output:[],store:Pf}}var Wf=function(e){var t=Bf();return Lf.all(t,e),t.output.join("")},Mf=function(e){var t=Bf();return Lf.body(t,e),t.output.join("")},Uf=function(e,t){var n=Bf();return Lf.property(n,e,t,!0),n.output.join("")},If=function(e){var t=Bf();return Lf.rules(t,e),t.output.join("")},Nf=function(e){var t=Bf();return Lf.value(t,e),t.output.join("")},qf=$c,Df=Hd,Vf=Zd,jf=Xd,Ff=Jd,Gf=ep,Kf=op,Yf=fp,Hf=mf,$f=Zh,Qf=hm,Zf=ap,Xf=_d,Jf=zd,eg=If,tg="@charset",ng=new RegExp("^@charset","i"),rg=im,ig=/^(?:\-chrome\-|\-[\w\-]+\w|\w[\w\-]+\w|\w{1,}|\-\-\S+)$/,og=/^@import/i,ag=/^url\(/i,sg=/^--\S+$/;function lg(e){return ag.test(e)}function ug(e){return og.test(e[1])}function cg(e){var t;return("filter"==e.name||"-ms-filter"==e.name)&&((t=e.value[0][1]).indexOf("progid")>-1||0===t.indexOf("alpha")||0===t.indexOf("chroma"))}function dg(){}function pg(e,t,n){var r,i,o,a,s,l,u,c,d,p=n.options,m=eg(e),h=Yf(t),f=n.options.plugins.level1Value,g=n.options.plugins.level1Property;for(c=0,d=h.length;c<d;c++){var y,v,b,S;if(o=(i=h[c]).name,u=Hf[o]&&Hf[o].propertyOptimizer||dg,r=Hf[o]&&Hf[o].valueOptimizers||[$f.whiteSpace],ig.test(o))if(0!==i.value.length)if(!i.hack||(i.hack[0]!=Ff.ASTERISK&&i.hack[0]!=Ff.UNDERSCORE||p.compatibility.properties.iePrefixHack)&&(i.hack[0]!=Ff.BACKSLASH||p.compatibility.properties.ieSuffixHack)&&(i.hack[0]!=Ff.BANG||p.compatibility.properties.ieBangHack))if(p.compatibility.properties.ieFilters||!cg(i)){if(i.block)pg(e,i.value[0][1],n);else if(!sg.test(o)){for(y=0,b=i.value.length;y<b;y++){if(a=i.value[y][0],s=i.value[y][1],a==Zf.PROPERTY_BLOCK){i.unused=!0,n.warnings.push("Invalid value token at "+Jf(s[0][1][2][0])+". Ignoring.");break}if(lg(s)&&!n.validator.isUrl(s)){i.unused=!0,n.warnings.push("Broken URL '"+s+"' at "+Jf(i.value[y][2][0])+". Ignoring.");break}for(v=0,S=r.length;v<S;v++)s=r[v](o,s,p);for(v=0,S=f.length;v<S;v++)s=f[v](o,s,p);i.value[y][1]=s}for(u(m,i,p),y=0,b=g.length;y<b;y++)g[y](m,i,p)}}else i.unused=!0;else i.unused=!0;else l=i.all[i.position],n.warnings.push("Empty property '"+o+"' at "+Jf(l[1][2][0])+". Ignoring."),i.unused=!0;else l=i.all[i.position],n.warnings.push("Invalid property name '"+o+"' at "+Jf(l[1][2][0])+". Ignoring."),i.unused=!0}Kf(h),Gf(h),function(e,t){var n,r;for(r=0;r<e.length;r++)(n=e[r])[0]==Zf.COMMENT&&(mg(n,t),0===n[1].length&&(e.splice(r,1),r--))}(t,p)}function mg(e,t){e[1][2]==Xf.EXCLAMATION&&("all"==t.level[Qf.One].specialComments||t.commentsKept<t.level[Qf.One].specialComments)?t.commentsKept++:e[1]=[]}var hg=function e(t,n){var r=n.options,i=r.level[Qf.One],o=r.compatibility.selectors.ie7Hack,a=r.compatibility.selectors.adjacentSpace,s=r.compatibility.properties.spaceAfterClosingBrace,l=r.format,u=!1,c=!1;r.unitsRegexp=r.unitsRegexp||function(e){var t=["px","em","ex","cm","mm","in","pt","pc","%"];return["ch","rem","vh","vm","vmax","vmin","vw"].forEach((function(n){e.compatibility.units[n]&&t.push(n)})),new RegExp("(^|\\s|\\(|,)0(?:"+t.join("|")+")(\\W|$)","g")}(r),r.precision=r.precision||function(e){var t,n,r={matcher:null,units:{}},i=[];for(t in e)(n=e[t])!=rg&&(r.units[t]={},r.units[t].value=n,r.units[t].multiplier=Math.pow(10,n),i.push(t));return i.length>0&&(r.enabled=!0,r.decimalPointMatcher=new RegExp("(\\d)\\.($|"+i.join("|")+")($|W)","g"),r.zeroMatcher=new RegExp("(\\d*)(\\.\\d+)("+i.join("|")+")","g")),r}(i.roundingPrecision),r.commentsKept=r.commentsKept||0;for(var d=0,p=t.length;d<p;d++){var m=t[d];switch(m[0]){case Zf.AT_RULE:m[1]=ug(m)&&c?"":m[1],m[1]=i.tidyAtRules?jf(m[1]):m[1],u=!0;break;case Zf.AT_RULE_BLOCK:pg(m[1],m[2],n),c=!0;break;case Zf.NESTED_BLOCK:m[1]=i.tidyBlockScopes?Vf(m[1],s):m[1],e(m[2],n),c=!0;break;case Zf.COMMENT:mg(m,r);break;case Zf.RULE:m[1]=i.tidySelectors?Df(m[1],!o,a,l,n.warnings):m[1],m[1]=m[1].length>1?qf(m[1],i.selectorsSortingMethod):m[1],pg(m[1],m[2],n),c=!0}(m[0]==Zf.COMMENT&&0===m[1].length||i.removeEmpty&&(0===m[1].length||m[2]&&0===m[2].length))&&(t.splice(d,1),d--,p--)}return i.cleanupCharsets&&u&&function(e){for(var t=!1,n=0,r=e.length;n<r;n++){var i=e[n];i[0]==Zf.AT_RULE&&ng.test(i[1])&&(t||-1==i[1].indexOf(tg)?(e.splice(n,1),n--,r--):(t=!0,e.splice(n,1),e.unshift([Zf.AT_RULE,i[1].replace(ng,tg)])))}}(t),t},fg=_d,gg=Km,yg=/\/deep\//,vg=/^::/,bg=/:(-moz-|-ms-|-o-|-webkit-)/,Sg=":not",xg=[":dir",":lang",":not",":nth-child",":nth-last-child",":nth-last-of-type",":nth-of-type"],wg=/[>\+~]/,Cg=[":after",":before",":first-letter",":first-line",":lang"],kg=["::after","::before","::first-letter","::first-line"],Og="double-quote",Tg="single-quote",Eg="root";function Ag(e){return yg.test(e)}function _g(e){return bg.test(e)}function zg(e){var t,n,r,i,o,a,s=[],l=[],u=Eg,c=0,d=!1,p=!1;for(o=0,a=e.length;o<a;o++)t=e[o],i=!r&&wg.test(t),n=u==Og||u==Tg,r?l.push(t):t==fg.DOUBLE_QUOTE&&u==Eg?(l.push(t),u=Og):t==fg.DOUBLE_QUOTE&&u==Og?(l.push(t),u=Eg):t==fg.SINGLE_QUOTE&&u==Eg?(l.push(t),u=Tg):t==fg.SINGLE_QUOTE&&u==Tg?(l.push(t),u=Eg):n?l.push(t):t==fg.OPEN_ROUND_BRACKET?(l.push(t),c++):t==fg.CLOSE_ROUND_BRACKET&&1==c&&d?(l.push(t),s.push(l.join("")),c--,l=[],d=!1):t==fg.CLOSE_ROUND_BRACKET?(l.push(t),c--):t==fg.COLON&&0===c&&d&&!p?(s.push(l.join("")),(l=[]).push(t)):t!=fg.COLON||0!==c||p?t==fg.SPACE&&0===c&&d||i&&0===c&&d?(s.push(l.join("")),l=[],d=!1):l.push(t):((l=[]).push(t),d=!0),r=t==fg.BACK_SLASH,p=t==fg.COLON;return l.length>0&&d&&s.push(l.join("")),s}function Rg(e,t,n,r,i){return function(e,t,n){var r,i,o,a;for(o=0,a=e.length;o<a;o++)if(i=(r=e[o]).indexOf(fg.OPEN_ROUND_BRACKET)>-1?r.substring(0,r.indexOf(fg.OPEN_ROUND_BRACKET)):r,-1===t.indexOf(i)&&-1===n.indexOf(i))return!1;return!0}(t,n,r)&&function(e){var t,n,r,i,o,a;for(o=0,a=e.length;o<a;o++){if(n=(i=(r=(t=e[o]).indexOf(fg.OPEN_ROUND_BRACKET))>-1)?t.substring(0,r):t,i&&-1==xg.indexOf(n))return!1;if(!i&&xg.indexOf(n)>-1)return!1}return!0}(t)&&(t.length<2||!function(e,t){var n,r,i,o,a,s,l,u,c=0;for(l=0,u=t.length;l<u&&(n=t[l],i=t[l+1]);l++)if(r=e.indexOf(n,c),c=o=e.indexOf(n,r+1),r+n.length==o&&(a=n.indexOf(fg.OPEN_ROUND_BRACKET)>-1?n.substring(0,n.indexOf(fg.OPEN_ROUND_BRACKET)):n,s=i.indexOf(fg.OPEN_ROUND_BRACKET)>-1?i.substring(0,i.indexOf(fg.OPEN_ROUND_BRACKET)):i,a!=Sg||s!=Sg))return!0;return!1}(e,t))&&(t.length<2||i&&function(e){var t,n,r,i=0;for(n=0,r=e.length;n<r;n++)if(Lg(t=e[n])?i+=kg.indexOf(t)>-1?1:0:i+=Cg.indexOf(t)>-1?1:0,i>1)return!1;return!0}(t))}function Lg(e){return vg.test(e)}var Pg=function(e,t,n,r){var i,o,a,s=gg(e,fg.COMMA);for(o=0,a=s.length;o<a;o++)if(0===(i=s[o]).length||Ag(i)||_g(i)||i.indexOf(fg.COLON)>-1&&!Rg(i,zg(i),t,n,r))return!1;return!0},Bg=_d;var Wg=function(e,t,n){var r,i,o,a=t.value.length,s=n.value.length,l=Math.max(a,s),u=Math.min(a,s)-1;for(o=0;o<l;o++)if(r=t.value[o]&&t.value[o][1]||r,i=n.value[o]&&n.value[o][1]||i,r!=Bg.COMMA&&i!=Bg.COMMA&&!e(r,i,o,o<=u))return!1;return!0};var Mg=function(e){for(var t=e.value.length-1;t>=0;t--)if("inherit"==e.value[t][1])return!0;return!1};var Ug=mf,Ig=vp;function Ng(e,t){return 1==e.value.length&&t.isVariable(e.value[0][1])}function qg(e,t){return e.value.length>1&&e.value.filter((function(e){return t.isVariable(e[1])})).length>1}var Dg=function(e,t,n){for(var r,i,o,a=e.length-1;a>=0;a--){var s=e[a],l=Ug[s.name];if(!s.dynamic&&l&&l.shorthand){if(Ng(s,t)||qg(s,t)){s.optimizable=!1;continue}s.shorthand=!0,s.dirty=!0;try{if(s.components=l.breakUp(s,Ug,t),l.shorthandComponents)for(i=0,o=s.components.length;i<o;i++)(r=s.components[i]).components=Ug[r.name].breakUp(r,Ug,t)}catch(e){if(!(e instanceof Ig))throw e;s.components=[],n.push(e.message)}s.components.length>0?s.multiplex=s.components[0].multiplex:s.unused=!0}}},Vg=mf;var jg=function(e){var t=Vg[e.name];return t&&t.shorthand?t.restore(e,Vg):e.value},Fg=Wg,Gg=Mg,Kg=function(e){var t,n,r=e.value[0][1];for(t=1,n=e.value.length;t<n;t++)if(e.value[t][1]!=r)return!1;return!0},Yg=Dg,Hg=mf,$g=Fp,Qg=jg,Zg=op,Xg=gp,Jg=Mf,ey=ap;function ty(e,t,n,r){var i,o,a,s,l=e[t],u=[];for(i in n)void 0!==l&&i==l.name||(o=Hg[i],a=n[i],l&&ny(n,i,l)?delete n[i]:o.components.length>Object.keys(a).length||ry(a)||iy(a,i,r)&&ay(a)&&(sy(a)?ly(e,a,i,r):my(e,a,i,r),u.push(i)));for(s=u.length-1;s>=0;s--)delete n[u[s]]}function ny(e,t,n){var r,i=Hg[t],o=Hg[n.name];if("overridesShorthands"in i&&i.overridesShorthands.indexOf(n.name)>-1)return!0;if(o&&"componentOf"in o)for(r in e[t])if(o.componentOf.indexOf(r)>-1)return!0;return!1}function ry(e){var t,n;for(n in e){if(void 0!==t&&e[n].important!=t)return!0;t=e[n].important}return!1}function iy(e,t,n){var r,i,o,a,s=Hg[t],l=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,s.defaultValue]],u=Xg(l);for(Yg([u],n,[]),o=0,a=s.components.length;o<a;o++)if(r=e[s.components[o]],i=Hg[r.name].canOverride||oy,!Fg(i.bind(null,n),u.components[o],r))return!1;return!0}function oy(e,t,n){return t===n}function ay(e){var t,n,r,i,o=null;for(n in e)if(r=e[n],"restore"in(i=Hg[n])){if(Zg([r.all[r.position]],Qg),t=i.restore(r,Hg).length,null!==o&&t!==o)return!1;o=t}return!0}function sy(e){var t,n,r=null;for(t in e){if(n=Gg(e[t]),null!==r&&r!==n)return!0;r=n}return!1}function ly(e,t,n,r){var i,o,a,s,l=function(e,t,n){var r,i,o,a,s,l,u=[],c={},d={},p=Hg[t],m=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,p.defaultValue]],h=Xg(m);for(Yg([h],n,[]),s=0,l=p.components.length;s<l;s++)r=e[p.components[s]],Gg(r)?(i=r.all[r.position].slice(0,2),Array.prototype.push.apply(i,r.value),u.push(i),(o=$g(r)).value=uy(e,o.name),h.components[s]=o,c[r.name]=$g(r)):((o=$g(r)).all=r.all,h.components[s]=o,d[r.name]=r);return h.important=e[Object.keys(e).pop()].important,a=cy(d,1),m[1].push(a),Zg([h],Qg),m=m.slice(0,2),Array.prototype.push.apply(m,h.value),u.unshift(m),[u,h,c]}(t,n,r),u=function(e,t,n){var r,i,o,a,s,l,u=[],c={},d={},p=Hg[t],m=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,"inherit"]],h=Xg(m);for(Yg([h],n,[]),s=0,l=p.components.length;s<l;s++)r=e[p.components[s]],Gg(r)?c[r.name]=r:(i=r.all[r.position].slice(0,2),Array.prototype.push.apply(i,r.value),u.push(i),d[r.name]=$g(r));return o=cy(c,1),m[1].push(o),a=cy(c,2),m[2].push(a),u.unshift(m),[u,h,d]}(t,n,r),c=l[0],d=u[0],p=Jg(c).length<Jg(d).length,m=p?c:d,h=p?l[1]:u[1],f=p?l[2]:u[2],g=t[Object.keys(t).pop()],y=g.all,v=g.position;for(i in h.position=v,h.shorthand=!0,h.important=g.important,h.multiplex=!1,h.dirty=!0,h.all=y,h.all[v]=m[0],e.splice(v,1,h),t)(o=t[i]).unused=!0,h.multiplex=h.multiplex||o.multiplex,o.name in f&&(a=f[o.name],s=py(m,i),a.position=y.length,a.all=y,a.all.push(s),e.push(a))}function uy(e,t){var n=Hg[t];return"oppositeTo"in n?e[n.oppositeTo].value:[[ey.PROPERTY_VALUE,n.defaultValue]]}function cy(e,t){var n,r,i,o,a=[];for(o in e)i=(r=(n=e[o]).all[n.position])[t][r[t].length-1],Array.prototype.push.apply(a,i);return a.sort(dy)}function dy(e,t){var n=e[0],r=t[0],i=e[1],o=t[1];return n<r||n===r&&i<o?-1:1}function py(e,t){var n,r;for(n=0,r=e.length;n<r;n++)if(e[n][1][1]==t)return e[n]}function my(e,t,n,r){var i,o,a,s=Hg[n],l=[ey.PROPERTY,[ey.PROPERTY_NAME,n],[ey.PROPERTY_VALUE,s.defaultValue]],u=function(e,t,n){var r=Object.keys(t),i=t[r[0]].position,o=t[r[r.length-1]].position;return"border"==n&&function(e,t){for(var n=e.length-1;n>=0;n--)if(e[n].name==t)return!0;return!1}(e.slice(i,o),"border-image")?i:o}(e,t,n),c=Xg(l);c.shorthand=!0,c.dirty=!0,c.multiplex=!1,Yg([c],r,[]);for(var d=0,p=s.components.length;d<p;d++){var m=t[s.components[d]];c.components[d]=$g(m),c.important=m.important,c.multiplex=c.multiplex||m.multiplex,a=m.all}for(var h in t)t[h].unused=!0;i=cy(t,1),l[1].push(i),o=cy(t,2),l[2].push(o),c.position=u,c.all=a,c.all[u]=l,e.splice(u,1,c)}var hy=mf;function fy(e,t){return e.components.filter(t)[0]}var gy=mf;function yy(e,t){var n=gy[e.name];return"components"in n&&n.components.indexOf(t.name)>-1}var vy=_d;var by=mf;var Sy=Mg,xy=function(e){for(var t=e.value.length-1;t>=0;t--)if("unset"==e.value[t][1])return!0;return!1},wy=Wg,Cy=function(e,t){var n,r=(n=t,function(e){return n.name===e.name});return fy(e,r)||function(e,t){var n,r,i;if(!hy[e.name].shorthandComponents)return;for(r=0,i=e.components.length;r<i;r++)if(n=fy(e.components[r],t))return n;return}(e,r)},ky=function(e,t,n){return yy(e,t)||!n&&!!gy[e.name].shorthandComponents&&function(e,t){return e.components.some((function(e){return yy(e,t)}))}(e,t)},Oy=function(e){return"font"!=e.name||-1==e.value[0][1].indexOf(vy.INTERNAL)},Ty=function(e,t){return e.name in by&&"overridesShorthands"in by[e.name]&&by[e.name].overridesShorthands.indexOf(t.name)>-1},Ey=Rp,Ay=mf,_y=Fp,zy=jg,Ry=Gp,Ly=op,Py=ap,By=_d,Wy=Uf;function My(e,t,n){return t===n}function Uy(e,t){for(var n=0;n<e.components.length;n++){var r=e.components[n],i=Ay[r.name],o=i&&i.canOverride||My,a=Ry(r);if(a.value=[[Py.PROPERTY_VALUE,i.defaultValue]],!wy(o.bind(null,t),a,r))return!0}return!1}function Iy(e,t){t.unused=!0,Vy(t,Fy(e)),e.value=t.value}function Ny(e,t){t.unused=!0,e.multiplex=!0,e.value=t.value}function qy(e,t){t.multiplex?Ny(e,t):e.multiplex?Iy(e,t):function(e,t){t.unused=!0,e.value=t.value}(e,t)}function Dy(e,t){t.unused=!0;for(var n=0,r=e.components.length;n<r;n++)qy(e.components[n],t.components[n],e.multiplex)}function Vy(e,t){e.multiplex=!0,Ay[e.name].shorthand?function(e,t){var n,r,i;for(r=0,i=e.components.length;r<i;r++)(n=e.components[r]).multiplex||jy(n,t)}(e,t):jy(e,t)}function jy(e,t){for(var n,r=Ay[e.name],i="real"==r.intoMultiplexMode,o="real"==r.intoMultiplexMode?e.value.slice(0):"placeholder"==r.intoMultiplexMode?r.placeholderValue:r.defaultValue,a=Fy(e),s=o.length;a<t;a++)if(e.value.push([Py.PROPERTY_VALUE,By.COMMA]),Array.isArray(o))for(n=0;n<s;n++)e.value.push(i?o[n]:[Py.PROPERTY_VALUE,o[n]]);else e.value.push(i?o:[Py.PROPERTY_VALUE,o])}function Fy(e){for(var t=0,n=0,r=e.value.length;n<r;n++)e.value[n][1]==By.COMMA&&t++;return t+1}function Gy(e){var t=[Py.PROPERTY,[Py.PROPERTY_NAME,e.name]].concat(e.value);return Wy([t],0).length}function Ky(e,t,n){for(var r=0,i=t;i>=0&&(e[i].name!=n||e[i].unused||r++,!(r>1));i--);return r>1}function Yy(e,t){for(var n=0,r=e.components.length;n<r;n++)if(!Hy(t.isUrl,e.components[n])&&Hy(t.isFunction,e.components[n]))return!0;return!1}function Hy(e,t){for(var n=0,r=t.value.length;n<r;n++)if(t.value[n][1]!=By.COMMA&&e(t.value[n][1]))return!0;return!1}function $y(e,t){if(!e.multiplex&&!t.multiplex||e.multiplex&&t.multiplex)return!1;var n,r=e.multiplex?e:t,i=e.multiplex?t:e,o=_y(r);Ly([o],zy);var a=_y(i);Ly([a],zy);var s=Gy(o)+1+Gy(a);return e.multiplex?Iy(n=Cy(o,a),a):(n=Cy(a,o),Vy(a,Fy(o)),Ny(n,o)),Ly([a],zy),s<=Gy(a)}function Qy(e){return e.name in Ay}function Zy(e,t){return!e.multiplex&&("background"==e.name||"background-image"==e.name)&&t.multiplex&&("background"==t.name||"background-image"==t.name)&&function(e){for(var t=function(e){for(var t=[],n=0,r=[],i=e.length;n<i;n++){var o=e[n];o[1]==By.COMMA?(t.push(r),r=[]):r.push(o)}return t.push(r),t}(e),n=0,r=t.length;n<r;n++)if(1==t[n].length&&"none"==t[n][0][1])return!0;return!1}(t.value)}var Xy=function(e,t){var n,r,i,o,a,s,l,u={};if(!(e.length<3)){for(o=0,a=e.length;o<a;o++)if(i=e[o],n=Hg[i.name],!i.dynamic&&!i.unused&&!i.hack&&!i.block&&(!n||!n.singleTypeComponents||Kg(i))&&(ty(e,o,u,t),n&&n.componentOf))for(s=0,l=n.componentOf.length;s<l;s++)u[r=n.componentOf[s]]=u[r]||{},u[r][i.name]=i;ty(e,o,u,t)}},Jy=function(e,t,n,r){var i,o,a,s,l,u,c,d,p,m,h;e:for(p=e.length-1;p>=0;p--)if(Qy(o=e[p])&&!o.block){i=Ay[o.name].canOverride||My;t:for(m=p-1;m>=0;m--)if(Qy(a=e[m])&&!a.block&&!a.dynamic&&!o.dynamic&&!a.unused&&!o.unused&&(!a.hack||o.hack||o.important)&&(a.hack||a.important||!o.hack)&&(a.important!=o.important||a.hack[0]==o.hack[0])&&!(a.important==o.important&&(a.hack[0]!=o.hack[0]||a.hack[1]&&a.hack[1]!=o.hack[1])||Sy(o)||Zy(a,o)))if(o.shorthand&&ky(o,a)){if(!o.important&&a.important)continue;if(!Ey([a],o.components))continue;if(!Hy(r.isFunction,a)&&Yy(o,r))continue;if(!Oy(o)){a.unused=!0;continue}s=Cy(o,a),i=Ay[a.name].canOverride||My,wy(i.bind(null,r),a,s)&&(a.unused=!0)}else if(o.shorthand&&Ty(o,a)){if(!o.important&&a.important)continue;if(!Ey([a],o.components))continue;if(!Hy(r.isFunction,a)&&Yy(o,r))continue;for(h=(l=a.shorthand?a.components:[a]).length-1;h>=0;h--)if(u=l[h],c=Cy(o,u),i=Ay[u.name].canOverride||My,!wy(i.bind(null,r),a,c))continue t;a.unused=!0}else if(t&&a.shorthand&&!o.shorthand&&ky(a,o,!0)){if(o.important&&!a.important)continue;if(!o.important&&a.important){o.unused=!0;continue}if(Ky(e,p-1,a.name))continue;if(Yy(a,r))continue;if(!Oy(a))continue;if(xy(a)||xy(o))continue;if(s=Cy(a,o),wy(i.bind(null,r),s,o)){var f=!n.properties.backgroundClipMerging&&s.name.indexOf("background-clip")>-1||!n.properties.backgroundOriginMerging&&s.name.indexOf("background-origin")>-1||!n.properties.backgroundSizeMerging&&s.name.indexOf("background-size")>-1,g=Ay[o.name].nonMergeableValue===o.value[0][1];if(f||g)continue;if(!n.properties.merging&&Uy(a,r))continue;if(s.value[0][1]!=o.value[0][1]&&(Sy(a)||Sy(o)))continue;if($y(a,o))continue;!a.multiplex&&o.multiplex&&Vy(a,Fy(o)),qy(s,o),a.dirty=!0}}else if(t&&a.shorthand&&o.shorthand&&a.name==o.name){if(!a.multiplex&&o.multiplex)continue;if(!o.important&&a.important){o.unused=!0;continue e}if(o.important&&!a.important){a.unused=!0;continue}if(!Oy(o)){a.unused=!0;continue}for(h=a.components.length-1;h>=0;h--){var y=a.components[h],v=o.components[h];if(i=Ay[y.name].canOverride||My,!wy(i.bind(null,r),y,v))continue e}Dy(a,o),a.dirty=!0}else if(t&&a.shorthand&&o.shorthand&&ky(a,o)){if(!a.important&&o.important)continue;if(s=Cy(a,o),i=Ay[o.name].canOverride||My,!wy(i.bind(null,r),s,o))continue;if(a.important&&!o.important){o.unused=!0;continue}if(Ay[o.name].restore(o,Ay).length>1)continue;qy(s=Cy(a,o),o),o.dirty=!0}else if(a.name==o.name){if(d=!0,o.shorthand)for(h=o.components.length-1;h>=0&&d;h--)u=a.components[h],c=o.components[h],i=Ay[c.name].canOverride||My,d=d&&wy(i.bind(null,r),u,c);else i=Ay[o.name].canOverride||My,d=wy(i.bind(null,r),a,o);if(a.important&&!o.important&&d){o.unused=!0;continue}if(!a.important&&o.important&&d){a.unused=!0;continue}if(!d)continue;a.unused=!0}}},ev=Dg,tv=jg,nv=fp,rv=ep,iv=op,ov=hm;var av=function e(t,n,r,i){var o,a,s,l=i.options.level[ov.Two],u=nv(t,l.skipProperties);for(ev(u,i.validator,i.warnings),a=0,s=u.length;a<s;a++)(o=u[a]).block&&e(o.value[0][1],n,r,i);r&&l.mergeIntoShorthands&&Xy(u,i.validator),n&&l.overrideProperties&&Jy(u,r,i.options.compatibility,i.validator),iv(u,tv),rv(u)},sv=Pg,lv=av,uv=$c,cv=Hd,dv=hm,pv=Mf,mv=If,hv=ap;var fv=function(e,t){for(var n=[null,[],[]],r=t.options,i=r.compatibility.selectors.adjacentSpace,o=r.level[dv.One].selectorsSortingMethod,a=r.compatibility.selectors.mergeablePseudoClasses,s=r.compatibility.selectors.mergeablePseudoElements,l=r.compatibility.selectors.mergeLimit,u=r.compatibility.selectors.multiplePseudoMerging,c=0,d=e.length;c<d;c++){var p=e[c];p[0]==hv.RULE?n[0]==hv.RULE&&mv(p[1])==mv(n[1])?(Array.prototype.push.apply(n[2],p[2]),lv(n[2],!0,!0,t),p[2]=[]):n[0]==hv.RULE&&pv(p[2])==pv(n[2])&&sv(mv(p[1]),a,s,u)&&sv(mv(n[1]),a,s,u)&&n[1].length<l?(n[1]=cv(n[1].concat(p[1]),!1,i,!1,t.warnings),n[1]=n.length>1?uv(n[1],o):n[1],p[2]=[]):n=p:n=[null,[],[]]}},gv=/\-\-.+$/;function yv(e){return e.replace(gv,"")}var vv=function(e,t,n){var r,i,o,a,s,l;for(o=0,a=e.length;o<a;o++)for(r=e[o][1],s=0,l=t.length;s<l;s++){if(r==(i=t[s][1]))return!0;if(n&&yv(r)==yv(i))return!0}return!1},bv=_d,Sv=".",xv="#",wv=":",Cv=/[a-zA-Z]/,kv=/[\s,\(>~\+]/;function Ov(e,t){return e.indexOf(":not(",t)===t}var Tv=function(e){var t,n,r,i,o,a,s,l=[0,0,0],u=0,c=!1,d=!1;for(a=0,s=e.length;a<s;a++){if(t=e[a],n);else if(t!=bv.SINGLE_QUOTE||i||r)if(t==bv.SINGLE_QUOTE&&!i&&r)r=!1;else if(t!=bv.DOUBLE_QUOTE||i||r)if(t==bv.DOUBLE_QUOTE&&i&&!r)i=!1;else{if(r||i)continue;u>0&&!c||(t==bv.OPEN_ROUND_BRACKET?u++:t==bv.CLOSE_ROUND_BRACKET&&1==u?(u--,c=!1):t==bv.CLOSE_ROUND_BRACKET?u--:t==xv?l[0]++:t==Sv||t==bv.OPEN_SQUARE_BRACKET?l[1]++:t!=wv||d||Ov(e,a)?t==wv?c=!0:(0===a||o)&&Cv.test(t)&&l[2]++:(l[1]++,c=!1))}else i=!0;else r=!0;d=t==wv,o=!(n=t==bv.BACK_SLASH)&&kv.test(t)}return l};function Ev(e,t){var n;return e in t||(t[e]=n=Tv(e)),n||t[e]}var Av=vv,_v=function(e,t,n){var r,i,o,a,s,l;for(o=0,a=e.length;o<a;o++)for(r=Ev(e[o][1],n),s=0,l=t.length;s<l;s++)if(i=Ev(t[s][1],n),r[0]===i[0]&&r[1]===i[1]&&r[2]===i[2])return!0;return!1},zv=/align\-items|box\-align|box\-pack|flex|justify/,Rv=/^border\-(top|right|bottom|left|color|style|width|radius)/;function Lv(e,t,n){var r,i,o=e[0],a=e[1],s=e[2],l=e[5],u=e[6],c=t[0],d=t[1],p=t[2],m=t[5],h=t[6];return!("font"==o&&"line-height"==c||"font"==c&&"line-height"==o)&&((!zv.test(o)||!zv.test(c))&&(!(s==p&&Bv(o)==Bv(c)&&Pv(o)^Pv(c))&&(("border"!=s||!Rv.test(p)||!("border"==o||o==p||a!=d&&Wv(o,c)))&&(("border"!=p||!Rv.test(s)||!("border"==c||c==s||a!=d&&Wv(o,c)))&&(("border"!=s||"border"!=p||o==c||!(Mv(o)&&Uv(c)||Uv(o)&&Mv(c)))&&(s!=p||(!(o!=c||s!=p||a!=d&&(r=a,i=d,!Pv(r)||!Pv(i)||r.split("-")[1]==i.split("-")[2]))||(o!=c&&s==p&&o!=s&&c!=p||(o!=c&&s==p&&a==d||(!(!h||!u||Iv(s)||Iv(p)||Av(m,l,!1))||!_v(l,m,n)))))))))))}function Pv(e){return/^\-(?:moz|webkit|ms|o)\-/.test(e)}function Bv(e){return e.replace(/^\-(?:moz|webkit|ms|o)\-/,"")}function Wv(e,t){return e.split("-").pop()==t.split("-").pop()}function Mv(e){return"border-top"==e||"border-right"==e||"border-bottom"==e||"border-left"==e}function Uv(e){return"border-color"==e||"border-style"==e||"border-width"==e}function Iv(e){return"font"==e||"line-height"==e||"list-style"==e}var Nv=function(e,t,n){for(var r=t.length-1;r>=0;r--)for(var i=e.length-1;i>=0;i--)if(!Lv(e[i],t[r],n))return!1;return!0},qv=ap,Dv=If,Vv=Nf;function jv(e){return"list-style"==e?e:e.indexOf("-radius")>0?"border-radius":"border-collapse"==e||"border-spacing"==e||"border-image"==e?e:0===e.indexOf("border-")&&/^border\-\w+\-\w+$/.test(e)?e.match(/border\-\w+/)[0]:0===e.indexOf("border-")&&/^border\-\w+$/.test(e)?"border":0===e.indexOf("text-")||"-chrome-"==e?e:e.replace(/^\-\w+\-/,"").match(/([a-zA-Z]+)/)[0].toLowerCase()}var Fv=function e(t){var n,r,i,o,a,s,l=[];if(t[0]==qv.RULE)for(n=!/[\.\+>~]/.test(Dv(t[1])),a=0,s=t[2].length;a<s;a++)(r=t[2][a])[0]==qv.PROPERTY&&0!==(i=r[1][1]).length&&(o=Vv(r,a),l.push([i,o,jv(i),t[2][a],i+":"+o,t[1],n]));else if(t[0]==qv.NESTED_BLOCK)for(a=0,s=t[2].length;a<s;a++)l=l.concat(e(t[2][a]));return l},Gv=Nv,Kv=Lv,Yv=Fv,Hv=vv,$v=If,Qv=hm,Zv=ap;function Xv(e,t,n){var r,i,o,a,s,l,u,c;for(s=0,l=e.length;s<l;s++)for(i=(r=e[s])[5],u=0,c=t.length;u<c;u++)if(a=(o=t[u])[5],Hv(i,a,!0)&&!Kv(r,o,n))return!1;return!0}var Jv=Pg,eb=$c,tb=Hd,nb=hm,rb=Mf,ib=If,ob=ap;function ab(e){return/\.|\*| :/.test(e)}function sb(e){var t=ib(e[1]);return t.indexOf("__")>-1||t.indexOf("--")>-1}function lb(e){return e.replace(/--[^ ,>\+~:]+/g,"")}function ub(e,t){var n=lb(ib(e[1]));for(var r in t){var i=t[r],o=lb(ib(i[1]));(o.indexOf(n)>-1||n.indexOf(o)>-1)&&delete t[r]}}var cb=function(e,t){for(var n=t.options,r=n.level[nb.Two].mergeSemantically,i=n.compatibility.selectors.adjacentSpace,o=n.level[nb.One].selectorsSortingMethod,a=n.compatibility.selectors.mergeablePseudoClasses,s=n.compatibility.selectors.mergeablePseudoElements,l=n.compatibility.selectors.multiplePseudoMerging,u={},c=e.length-1;c>=0;c--){var d=e[c];if(d[0]==ob.RULE){d[2].length>0&&!r&&ab(ib(d[1]))&&(u={}),d[2].length>0&&r&&sb(d)&&ub(d,u);var p=rb(d[2]),m=u[p];m&&Jv(ib(d[1]),a,s,l)&&Jv(ib(m[1]),a,s,l)&&(d[2].length>0?(d[1]=tb(m[1].concat(d[1]),!1,i,!1,t.warnings),d[1]=d[1].length>1?eb(d[1],o):d[1]):d[1]=m[1].concat(d[1]),m[2]=[],u[p]=null),u[rb(d[2])]=d}}},db=Nv,pb=Fv,mb=av,hb=If,fb=ap;var gb=function e(t){for(var n=t.slice(0),r=0,i=n.length;r<i;r++)Array.isArray(n[r])&&(n[r]=e(n[r]));return n},yb=Pg,vb=av,bb=gb,Sb=ap,xb=Mf,wb=If;function Cb(e){for(var t=[],n=0;n<e.length;n++)t.push([e[n][1]]);return t}function kb(e,t,n,r,i){for(var o=[],a=[],s=[],l=t.length-1;l>=0;l--)if(!n.filterOut(l,o)){var u=t[l].where,c=e[u],d=bb(c[2]);o=o.concat(d),a.push(d),s.push(u)}vb(o,!0,!1,i);for(var p=s.length,m=o.length-1,h=p-1;h>=0;)if((0===h||o[m]&&a[h].indexOf(o[m])>-1)&&m>-1)m--;else{var f=o.splice(m+1);n.callback(e[s[h]],f,p,h),h--}}var Ob=function(e,t){for(var n=t.options,r=n.compatibility.selectors.mergeablePseudoClasses,i=n.compatibility.selectors.mergeablePseudoElements,o=n.compatibility.selectors.multiplePseudoMerging,a={},s=[],l=e.length-1;l>=0;l--){var u=e[l];if(u[0]==Sb.RULE&&0!==u[2].length)for(var c=wb(u[1]),d=u[1].length>1&&yb(c,r,i,o),p=Cb(u[1]),m=d?[c].concat(p):[c],h=0,f=m.length;h<f;h++){var g=m[h];a[g]?s.push(g):a[g]=[],a[g].push({where:l,list:p,isPartial:d&&h>0,isComplex:d&&0===h})}}!function(e,t,n,r,i){function o(e,t){return u[e].isPartial&&0===t.length}function a(e,t,n,r){u[n-r-1].isPartial||(e[2]=t)}for(var s=0,l=t.length;s<l;s++){var u=n[t[s]];kb(e,u,{filterOut:o,callback:a},r,i)}}(e,s,a,n,t),function(e,t,n,r){var i=n.compatibility.selectors.mergeablePseudoClasses,o=n.compatibility.selectors.mergeablePseudoElements,a=n.compatibility.selectors.multiplePseudoMerging,s={};function l(e){return s.data[e].where<s.intoPosition}function u(e,t,n,r){0===r&&s.reducedBodies.push(t)}e:for(var c in t){var d=t[c];if(d[0].isComplex){var p=d[d.length-1].where,m=e[p],h=[],f=yb(c,i,o,a)?d[0].list:[c];s.intoPosition=p,s.reducedBodies=h;for(var g=0,y=f.length;g<y;g++){var v=t[f[g]];if(v.length<2)continue e;if(s.data=v,kb(e,v,{filterOut:l,callback:u},n,r),xb(h[h.length-1])!=xb(h[0]))continue e}m[2]=h[0]}}}(e,a,n,t)},Tb=ap,Eb=Wf;var Ab=function(e){var t,n,r,i,o=[];for(r=0,i=e.length;r<i;r++)(t=e[r])[0]!=Tb.AT_RULE_BLOCK&&"@font-face"!=t[1][0][1]||(n=Eb([t]),o.indexOf(n)>-1?t[2]=[]:o.push(n))},_b=ap,zb=Wf,Rb=If;var Lb=function(e){var t,n,r,i,o,a={};for(i=0,o=e.length;i<o;i++)(n=e[i])[0]==_b.NESTED_BLOCK&&((t=a[r=Rb(n[1])+"%"+zb(n[2])])&&(t[2]=[]),a[r]=n)},Pb=ap,Bb=Mf,Wb=If;var Mb=function(e){for(var t,n,r,i,o={},a=[],s=0,l=e.length;s<l;s++)(n=e[s])[0]==Pb.RULE&&(o[t=Wb(n[1])]&&1==o[t].length?a.push(t):o[t]=o[t]||[],o[t].push(s));for(s=0,l=a.length;s<l;s++){i=[];for(var u=o[t=a[s]].length-1;u>=0;u--)n=e[o[t][u]],r=Bb(n[2]),i.indexOf(r)>-1?n[2]=[]:i.push(r)}},Ub=Dg,Ib=gp,Nb=op,qb=ap,Db=/^(\-moz\-|\-o\-|\-webkit\-)?animation-name$/,Vb=/^(\-moz\-|\-o\-|\-webkit\-)?animation$/,jb=/^@(\-moz\-|\-o\-|\-webkit\-)?keyframes /,Fb=/\s{0,31}!important$/,Gb=/^(['"]?)(.*)\1$/;function Kb(e){return e.replace(Gb,"$2").replace(Fb,"")}function Yb(e,t,n,r){var i,o,a,s,l,u={};for(s=0,l=e.length;s<l;s++)t(e[s],u);if(0!==Object.keys(u).length)for(i in Hb(e,n,u,r),u)for(s=0,l=(o=u[i]).length;s<l;s++)(a=o[s])[a[0]==qb.AT_RULE?1:2]=[]}function Hb(e,t,n,r){var i,o,a=t(n);for(i=0,o=e.length;i<o;i++)switch(e[i][0]){case qb.RULE:a(e[i],r);break;case qb.NESTED_BLOCK:Hb(e[i][2],t,n,r)}}function $b(e,t){var n;e[0]==qb.AT_RULE_BLOCK&&0===e[1][0][1].indexOf("@counter-style")&&(t[n=e[1][0][1].split(" ")[1]]=t[n]||[],t[n].push(e))}function Qb(e){return function(t,n){var r,i,o,a;for(o=0,a=t[2].length;o<a;o++)"list-style"==(r=t[2][o])[1][1]&&(i=Ib(r),Ub([i],n.validator,n.warnings),i.components[0].value[0][1]in e&&delete e[r[2][1]],Nb([i])),"list-style-type"==r[1][1]&&r[2][1]in e&&delete e[r[2][1]]}}function Zb(e,t){var n,r,i,o;if(e[0]==qb.AT_RULE_BLOCK&&"@font-face"==e[1][0][1])for(i=0,o=e[2].length;i<o;i++)if("font-family"==(n=e[2][i])[1][1]){t[r=Kb(n[2][1].toLowerCase())]=t[r]||[],t[r].push(e);break}}function Xb(e){return function(t,n){var r,i,o,a,s,l,u,c;for(s=0,l=t[2].length;s<l;s++){if("font"==(r=t[2][s])[1][1]){for(i=Ib(r),Ub([i],n.validator,n.warnings),u=0,c=(o=i.components[6]).value.length;u<c;u++)(a=Kb(o.value[u][1].toLowerCase()))in e&&delete e[a];Nb([i])}if("font-family"==r[1][1])for(u=2,c=r.length;u<c;u++)(a=Kb(r[u][1].toLowerCase()))in e&&delete e[a]}}}function Jb(e,t){var n;e[0]==qb.NESTED_BLOCK&&jb.test(e[1][0][1])&&(t[n=e[1][0][1].split(" ")[1]]=t[n]||[],t[n].push(e))}function eS(e){return function(t,n){var r,i,o,a,s,l,u;for(a=0,s=t[2].length;a<s;a++){if(r=t[2][a],Vb.test(r[1][1])){for(i=Ib(r),Ub([i],n.validator,n.warnings),l=0,u=(o=i.components[7]).value.length;l<u;l++)o.value[l][1]in e&&delete e[o.value[l][1]];Nb([i])}if(Db.test(r[1][1]))for(l=2,u=r.length;l<u;l++)r[l][1]in e&&delete e[r[l][1]]}}}function tS(e,t){var n;e[0]==qb.AT_RULE&&0===e[1].indexOf("@namespace")&&(t[n=e[1].split(" ")[1]]=t[n]||[],t[n].push(e))}function nS(e){var t=new RegExp(Object.keys(e).join("\\||")+"\\|","g");return function(n){var r,i,o,a,s,l;for(o=0,a=n[1].length;o<a;o++)for(s=0,l=(r=n[1][o][1].match(t)).length;s<l;s++)(i=r[s].substring(0,r[s].length-1))in e&&delete e[i]}}function rS(e,t){return e[1]>t[1]?1:-1}var iS=Lv,oS=Fv,aS=Pg,sS=function(e){for(var t=[],n=[],r=0,i=e.length;r<i;r++){var o=e[r];-1==n.indexOf(o[1])&&(n.push(o[1]),t.push(o))}return t.sort(rS)},lS=ap,uS=gb,cS=Mf,dS=If;function pS(e,t){return e>t?1:-1}var mS=fv,hS=function(e,t){for(var n=t.options.level[Qv.Two].mergeSemantically,r=t.cache.specificity,i={},o=[],a=e.length-1;a>=0;a--){var s=e[a];if(s[0]==Zv.NESTED_BLOCK){var l=$v(s[1]),u=i[l];u||(u=[],i[l]=u),u.push(a)}}for(var c in i){var d=i[c];e:for(var p=d.length-1;p>0;p--){var m=d[p],h=e[m],f=d[p-1],g=e[f];t:for(var y=1;y>=-1;y-=2){for(var v=1==y,b=v?m+1:f-1,S=v?f:m,x=v?1:-1,w=v?h:g,C=v?g:h,k=Yv(w);b!=S;){var O=Yv(e[b]);if(b+=x,!(n&&Xv(k,O,r)||Gv(k,O,r)))continue t}C[2]=v?w[2].concat(C[2]):C[2].concat(w[2]),w[2]=[],o.push(C);continue e}}}return o},fS=cb,gS=function(e,t){var n,r=t.cache.specificity,i={},o=[];for(n=e.length-1;n>=0;n--)if(e[n][0]==fb.RULE&&0!==e[n][2].length){var a=hb(e[n][1]);i[a]=[n].concat(i[a]||[]),2==i[a].length&&o.push(a)}for(n=o.length-1;n>=0;n--){var s=i[o[n]];e:for(var l=s.length-1;l>0;l--){var u=s[l-1],c=e[u],d=s[l],p=e[d];t:for(var m=1;m>=-1;m-=2){for(var h=1==m,f=h?u+1:d-1,g=h?d:u,y=h?1:-1,v=h?c:p,b=h?p:c,S=pb(v);f!=g;){var x=pb(e[f]);f+=y;var w=h?db(S,x,r):db(x,S,r);if(!w&&!h)continue e;if(!w&&h)continue t}h?(Array.prototype.push.apply(v[2],b[2]),b[2]=v[2]):Array.prototype.push.apply(b[2],v[2]),mb(b[2],!0,!0,t),v[2]=[]}}}},yS=Ob,vS=Ab,bS=Lb,SS=Mb,xS=function(e,t){Yb(e,$b,Qb,t),Yb(e,Zb,Xb,t),Yb(e,Jb,eS,t),Yb(e,tS,nS,t)},wS=function(e,t){var n,r,i,o=t.options,a=o.compatibility.selectors.mergeablePseudoClasses,s=o.compatibility.selectors.mergeablePseudoElements,l=o.compatibility.selectors.mergeLimit,u=o.compatibility.selectors.multiplePseudoMerging,c=t.cache.specificity,d={},p=[],m={},h=[],f="%";function g(e,t){var n=function(e){for(var t=[],n=0,r=e.length;n<r;n++)t.push(dS(e[n][1]));return t.join(f)}(t);return m[n]=m[n]||[],m[n].push([e,t]),n}function y(e){var t,n=e.split(f),r=[];for(var i in m){var o=i.split(f);for(t=o.length-1;t>=0;t--)if(n.indexOf(o[t])>-1){r.push(i);break}}for(t=r.length-1;t>=0;t--)delete m[r[t]]}function v(e){for(var t=[],n=[],r=e.length-1;r>=0;r--)aS(dS(e[r][1]),a,s,u)&&(n.unshift(e[r]),e[r][2].length>0&&-1==t.indexOf(e[r])&&t.push(e[r]));return t.length>1?n:[]}function b(e,t){var n=t[0],r=t[1],i=t[4],o=n.length+r.length+1,a=[],s=[],l=v(d[i]);if(!(l.length<2)){var u=x(l,o,1),c=u[0];if(c[1]>0)return function(e,t,n){for(var r=n.length-1;r>=0;r--){var i=g(t,n[r][0]);if(m[i].length>1&&T(e,m[i])){y(i);break}}}(e,t,u);for(var p=c[0].length-1;p>=0;p--)a=c[0][p][1].concat(a),s.unshift(c[0][p]);k(e,[t],a=sS(a),s)}}function S(e,t){return e[1]>t[1]?1:e[1]==t[1]?0:-1}function x(e,t,n){return w(e,t,n,1).sort(S)}function w(e,t,n,r){var i=[[e,C(e,t,n)]];if(e.length>2&&r>0)for(var o=e.length-1;o>=0;o--){var a=Array.prototype.slice.call(e,0);a.splice(o,1),i=i.concat(w(a,t,n,r-1))}return i}function C(e,t,n){for(var r=0,i=e.length-1;i>=0;i--)r+=e[i][2].length>n?dS(e[i][1]).length:-1;return r-(e.length-1)*t+1}function k(t,n,r,i){var o,a,s,l,u=[];for(o=i.length-1;o>=0;o--){var c=i[o];for(a=c[2].length-1;a>=0;a--){var d=c[2][a];for(s=0,l=n.length;s<l;s++){var p=n[s],m=d[1][1],h=p[0],f=p[4];if(m==h&&cS([d])==f){c[2].splice(a,1);break}}}}for(o=n.length-1;o>=0;o--)u.unshift(n[o][3]);var g=[lS.RULE,r,u];e.splice(t,0,g)}function O(e,t){var n=t[4],r=d[n];r&&r.length>1&&(function(e,t){var n,r,i=[],o=[],a=t[4],s=v(d[a]);if(s.length<2)return;e:for(var l in d){var u=d[l];for(n=s.length-1;n>=0;n--)if(-1==u.indexOf(s[n]))continue e;i.push(l)}if(i.length<2)return!1;for(n=i.length-1;n>=0;n--)for(r=p.length-1;r>=0;r--)if(p[r][4]==i[n]){o.unshift([p[r],s]);break}return T(e,o)}(e,t)||b(e,t))}function T(e,t){for(var n,r=0,i=[],o=t.length-1;o>=0;o--){r+=(n=t[o][0])[4].length+(o>0?1:0),i.push(n)}var a=x(t[0][1],r,i.length)[0];if(a[1]>0)return!1;var s=[],l=[];for(o=a[0].length-1;o>=0;o--)s=a[0][o][1].concat(s),l.unshift(a[0][o]);for(k(e,i,s=sS(s),l),o=i.length-1;o>=0;o--){n=i[o];var u=p.indexOf(n);delete d[n[4]],u>-1&&-1==h.indexOf(u)&&h.push(u)}return!0}function E(e,t,n){if(e[0]!=t[0])return!1;var r=t[4],i=d[r];return i&&i.indexOf(n)>-1}for(var A=e.length-1;A>=0;A--){var _,z,R,L,P,B=e[A];if(B[0]==lS.RULE)_=!0;else{if(B[0]!=lS.NESTED_BLOCK)continue;_=!1}var W=p.length,M=oS(B);h=[];var U=[];for(z=M.length-1;z>=0;z--)for(R=z-1;R>=0;R--)if(!iS(M[z],M[R],c)){U.push(z);break}for(z=M.length-1;z>=0;z--){var I=M[z],N=!1;for(R=0;R<W;R++){var q=p[R];-1==h.indexOf(R)&&(!iS(I,q,c)&&!E(I,q,B)||d[q[4]]&&d[q[4]].length===l)&&(O(A+1,q),-1==h.indexOf(R)&&(h.push(R),delete d[q[4]])),N||(N=I[0]==q[0]&&I[1]==q[1])&&(P=R)}if(_&&!(U.indexOf(z)>-1)){var D=I[4];N&&p[P][5].length+I[5].length>l?(O(A+1,p[P]),p.splice(P,1),d[D]=[B],N=!1):(d[D]=d[D]||[],d[D].push(B)),N?p[P]=(n=p[P],r=I,i=void 0,(i=uS(n))[5]=i[5].concat(r[5]),i):p.push(I)}}for(z=0,L=(h=h.sort(pS)).length;z<L;z++){var V=h[z]-z;p.splice(V,1)}}for(var j=e[0]&&e[0][0]==lS.AT_RULE&&0===e[0][1].indexOf("@charset")?1:0;j<e.length-1;j++){var F=e[j][0]===lS.AT_RULE&&0===e[j][1].indexOf("@import"),G=e[j][0]===lS.COMMENT;if(!F&&!G)break}for(A=0;A<p.length;A++)O(j,p[A])},CS=av,kS=hm,OS=ap;function TS(e){for(var t=0,n=e.length;t<n;t++){var r=e[t],i=!1;switch(r[0]){case OS.RULE:i=0===r[1].length||0===r[2].length;break;case OS.NESTED_BLOCK:TS(r[2]),i=0===r[2].length;break;case OS.AT_RULE:i=0===r[1].length;break;case OS.AT_RULE_BLOCK:i=0===r[2].length}i&&(e.splice(t,1),t--,n--)}}function ES(e,t){for(var n=0,r=e.length;n<r;n++){var i=e[n];switch(i[0]){case OS.RULE:CS(i[2],!0,!0,t);break;case OS.NESTED_BLOCK:ES(i[2],t)}}}function AS(e,t,n){var r,i,o=t.options.level[kS.Two],a=t.options.plugins.level2Block;if(function(e,t){for(var n=0,r=e.length;n<r;n++){var i=e[n];if(i[0]==OS.NESTED_BLOCK){var o=/@(-moz-|-o-|-webkit-)?keyframes/.test(i[1][0][1]);AS(i[2],t,!o)}}}(e,t),ES(e,t),o.removeDuplicateRules&&SS(e),o.mergeAdjacentRules&&mS(e,t),o.reduceNonAdjacentRules&&yS(e,t),o.mergeNonAdjacentRules&&"body"!=o.mergeNonAdjacentRules&&gS(e,t),o.mergeNonAdjacentRules&&"selector"!=o.mergeNonAdjacentRules&&fS(e,t),o.restructureRules&&o.mergeAdjacentRules&&n&&(wS(e,t),mS(e,t)),o.restructureRules&&!o.mergeAdjacentRules&&n&&wS(e,t),o.removeDuplicateFontRules&&vS(e),o.removeDuplicateMediaBlocks&&bS(e),o.removeUnusedAtRules&&xS(e,t),o.mergeMedia)for(i=(r=hS(e,t)).length-1;i>=0;i--)AS(r[i][2],t,!1);for(i=0;i<a.length;i++)a[i](e);return o.removeEmpty&&TS(e),e}var _S=AS,zS=new RegExp("^(\\-moz\\-|\\-webkit\\-)?calc\\([^\\)]+\\)$","i"),RS=/[0-9]/,LS=new RegExp("^(var\\(\\-\\-[^\\)]+\\)|[A-Z]+(\\-|[A-Z]|[0-9])+\\(.*?\\)|\\-(\\-|[A-Z]|[0-9])+\\(.*?\\))$","i"),PS=/^#(?:[0-9a-f]{4}|[0-9a-f]{8})$/i,BS=/^hsl\(\s{0,31}[\-\.]?\d+\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31}\)|hsla\(\s{0,31}[\-\.]?\d+\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\.?\d+\s{0,31}\)$/,WS=/^(\-[a-z0-9_][a-z0-9\-_]*|[a-z_][a-z0-9\-_]*)$/i,MS=/^[a-z]+$/i,US=/^-([a-z0-9]|-)*$/i,IS=/^("[^"]*"|'[^']*')$/i,NS=/^rgb\(\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31}\)|rgba\(\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\.\d]+\s{0,31}\)$/i,qS=/\d+(s|ms)/,DS=/^(cubic\-bezier|steps)\([^\)]+\)$/,VS=["ms","s"],jS=/^url\([\s\S]+\)$/i,FS=new RegExp("^var\\(\\-\\-[^\\)]+\\)$","i"),GS=/^#[0-9a-f]{8}$/i,KS=/^#[0-9a-f]{4}$/i,YS=/^#[0-9a-f]{6}$/i,HS=/^#[0-9a-f]{3}$/i,$S={"^":["inherit","initial","unset"],"*-style":["auto","dashed","dotted","double","groove","hidden","inset","none","outset","ridge","solid"],"*-timing-function":["ease","ease-in","ease-in-out","ease-out","linear","step-end","step-start"],"animation-direction":["alternate","alternate-reverse","normal","reverse"],"animation-fill-mode":["backwards","both","forwards","none"],"animation-iteration-count":["infinite"],"animation-name":["none"],"animation-play-state":["paused","running"],"background-attachment":["fixed","inherit","local","scroll"],"background-clip":["border-box","content-box","inherit","padding-box","text"],"background-origin":["border-box","content-box","inherit","padding-box"],"background-position":["bottom","center","left","right","top"],"background-repeat":["no-repeat","inherit","repeat","repeat-x","repeat-y","round","space"],"background-size":["auto","cover","contain"],"border-collapse":["collapse","inherit","separate"],bottom:["auto"],clear:["both","left","none","right"],color:["transparent"],cursor:["all-scroll","auto","col-resize","crosshair","default","e-resize","help","move","n-resize","ne-resize","no-drop","not-allowed","nw-resize","pointer","progress","row-resize","s-resize","se-resize","sw-resize","text","vertical-text","w-resize","wait"],display:["block","inline","inline-block","inline-table","list-item","none","table","table-caption","table-cell","table-column","table-column-group","table-footer-group","table-header-group","table-row","table-row-group"],float:["left","none","right"],left:["auto"],font:["caption","icon","menu","message-box","small-caption","status-bar","unset"],"font-size":["large","larger","medium","small","smaller","x-large","x-small","xx-large","xx-small"],"font-stretch":["condensed","expanded","extra-condensed","extra-expanded","normal","semi-condensed","semi-expanded","ultra-condensed","ultra-expanded"],"font-style":["italic","normal","oblique"],"font-variant":["normal","small-caps"],"font-weight":["100","200","300","400","500","600","700","800","900","bold","bolder","lighter","normal"],"line-height":["normal"],"list-style-position":["inside","outside"],"list-style-type":["armenian","circle","decimal","decimal-leading-zero","disc","decimal|disc","georgian","lower-alpha","lower-greek","lower-latin","lower-roman","none","square","upper-alpha","upper-latin","upper-roman"],overflow:["auto","hidden","scroll","visible"],position:["absolute","fixed","relative","static"],right:["auto"],"text-align":["center","justify","left","left|right","right"],"text-decoration":["line-through","none","overline","underline"],"text-overflow":["clip","ellipsis"],top:["auto"],"vertical-align":["baseline","bottom","middle","sub","super","text-bottom","text-top","top"],visibility:["collapse","hidden","visible"],"white-space":["normal","nowrap","pre"],width:["inherit","initial","medium","thick","thin"]},QS=["%","ch","cm","em","ex","in","mm","pc","pt","px","rem","vh","vm","vmax","vmin","vw"];function ZS(e){return"auto"!=e&&(ax("color")(e)||function(e){return HS.test(e)||KS.test(e)||YS.test(e)||GS.test(e)}(e)||XS(e)||function(e){return MS.test(e)}(e))}function XS(e){return lx(e)||tx(e)}function JS(e){return zS.test(e)}function ex(e){return LS.test(e)}function tx(e){return BS.test(e)}function nx(e){return PS.test(e)}function rx(e){return WS.test(e)}function ix(e){return IS.test(e)}function ox(e){return"none"==e||"inherit"==e||hx(e)}function ax(e){return function(t){return $S[e].indexOf(t)>-1}}function sx(e){return gx(e)==e.length}function lx(e){return NS.test(e)}function ux(e){return US.test(e)}function cx(e){return sx(e)&&parseFloat(e)>=0}function dx(e){return FS.test(e)}function px(e){var t=gx(e);return t==e.length&&0===parseInt(e)||t>-1&&VS.indexOf(e.slice(t+1))>-1||function(e){return ex(e)&&qS.test(e)}(e)}function mx(e,t){var n=gx(t);return n==t.length&&0===parseInt(t)||n>-1&&e.indexOf(t.slice(n+1).toLowerCase())>-1||"auto"==t||"inherit"==t}function hx(e){return jS.test(e)}function fx(e){return"auto"==e||sx(e)||ax("^")(e)}function gx(e){var t,n,r,i=!1,o=!1;for(n=0,r=e.length;n<r;n++)if(t=e[n],0!==n||"+"!=t&&"-"!=t){if(n>0&&o&&("+"==t||"-"==t))return n-1;if("."!=t||i){if("."==t&&i)return n-1;if(RS.test(t))continue;return n-1}i=!0}else o=!0;return n}var yx=function(e){var t,n=QS.slice(0).filter((function(t){return!(t in e.units)||!0===e.units[t]}));return e.customUnits.rpx&&n.push("rpx"),{colorOpacity:e.colors.opacity,colorHexAlpha:e.colors.hexAlpha,isAnimationDirectionKeyword:ax("animation-direction"),isAnimationFillModeKeyword:ax("animation-fill-mode"),isAnimationIterationCountKeyword:ax("animation-iteration-count"),isAnimationNameKeyword:ax("animation-name"),isAnimationPlayStateKeyword:ax("animation-play-state"),isTimingFunction:(t=ax("*-timing-function"),function(e){return t(e)||DS.test(e)}),isBackgroundAttachmentKeyword:ax("background-attachment"),isBackgroundClipKeyword:ax("background-clip"),isBackgroundOriginKeyword:ax("background-origin"),isBackgroundPositionKeyword:ax("background-position"),isBackgroundRepeatKeyword:ax("background-repeat"),isBackgroundSizeKeyword:ax("background-size"),isColor:ZS,isColorFunction:XS,isDynamicUnit:JS,isFontKeyword:ax("font"),isFontSizeKeyword:ax("font-size"),isFontStretchKeyword:ax("font-stretch"),isFontStyleKeyword:ax("font-style"),isFontVariantKeyword:ax("font-variant"),isFontWeightKeyword:ax("font-weight"),isFunction:ex,isGlobal:ax("^"),isHexAlphaColor:nx,isHslColor:tx,isIdentifier:rx,isImage:ox,isKeyword:ax,isLineHeightKeyword:ax("line-height"),isListStylePositionKeyword:ax("list-style-position"),isListStyleTypeKeyword:ax("list-style-type"),isNumber:sx,isPrefixed:ux,isPositiveNumber:cx,isQuotedText:ix,isRgbColor:lx,isStyleKeyword:ax("*-style"),isTime:px,isUnit:mx.bind(null,n),isUrl:hx,isVariable:dx,isWidth:ax("width"),isZIndex:fx}},vx={"*":{colors:{hexAlpha:!1,opacity:!0},customUnits:{rpx:!1},properties:{backgroundClipMerging:!0,backgroundOriginMerging:!0,backgroundSizeMerging:!0,colors:!0,ieBangHack:!1,ieFilters:!1,iePrefixHack:!1,ieSuffixHack:!1,merging:!0,shorterLengthUnits:!1,spaceAfterClosingBrace:!0,urlQuotes:!0,zeroUnits:!0},selectors:{adjacentSpace:!1,ie7Hack:!1,mergeablePseudoClasses:[":active",":after",":before",":empty",":checked",":disabled",":empty",":enabled",":first-child",":first-letter",":first-line",":first-of-type",":focus",":hover",":lang",":last-child",":last-of-type",":link",":not",":nth-child",":nth-last-child",":nth-last-of-type",":nth-of-type",":only-child",":only-of-type",":root",":target",":visited"],mergeablePseudoElements:["::after","::before","::first-letter","::first-line"],mergeLimit:8191,multiplePseudoMerging:!0},units:{ch:!0,in:!0,pc:!0,pt:!0,rem:!0,vh:!0,vm:!0,vmax:!0,vmin:!0,vw:!0}}};function bx(e,t){for(var n in e){var r=e[n];"object"!=typeof r||Array.isArray(r)?t[n]=n in t?t[n]:r:t[n]=bx(r,t[n]||{})}return t}vx.ie11=bx(vx["*"],{properties:{ieSuffixHack:!0}}),vx.ie10=bx(vx["*"],{properties:{ieSuffixHack:!0}}),vx.ie9=bx(vx["*"],{properties:{ieFilters:!0,ieSuffixHack:!0}}),vx.ie8=bx(vx.ie9,{colors:{opacity:!1},properties:{backgroundClipMerging:!1,backgroundOriginMerging:!1,backgroundSizeMerging:!1,iePrefixHack:!0,merging:!1},selectors:{mergeablePseudoClasses:[":after",":before",":first-child",":first-letter",":focus",":hover",":visited"],mergeablePseudoElements:[]},units:{ch:!1,rem:!1,vh:!1,vm:!1,vmax:!1,vmin:!1,vw:!1}}),vx.ie7=bx(vx.ie8,{properties:{ieBangHack:!0},selectors:{ie7Hack:!0,mergeablePseudoClasses:[":first-child",":first-letter",":hover",":visited"]}});var Sx=function(e){return bx(vx["*"],function(e){if("object"==typeof e)return e;if(!/[,\+\-]/.test(e))return vx[e]||vx["*"];var t=e.split(","),n=t[0]in vx?vx[t.shift()]:vx["*"];return e={},t.forEach((function(t){var n="+"==t[0],r=t.substring(1).split("."),i=r[0],o=r[1];e[i]=e[i]||{},e[i][o]=n})),bx(n,e)}(e))},xx=[],wx=[],Cx="undefined"!=typeof Uint8Array?Uint8Array:Array,kx=!1;function Ox(){kx=!0;for(var e="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",t=0,n=e.length;t<n;++t)xx[t]=e[t],wx[e.charCodeAt(t)]=t;wx["-".charCodeAt(0)]=62,wx["_".charCodeAt(0)]=63}function Tx(e,t,n){for(var r,i,o=[],a=t;a<n;a+=3)r=(e[a]<<16)+(e[a+1]<<8)+e[a+2],o.push(xx[(i=r)>>18&63]+xx[i>>12&63]+xx[i>>6&63]+xx[63&i]);return o.join("")}function Ex(e){var t;kx||Ox();for(var n=e.length,r=n%3,i="",o=[],a=16383,s=0,l=n-r;s<l;s+=a)o.push(Tx(e,s,s+a>l?l:s+a));return 1===r?(t=e[n-1],i+=xx[t>>2],i+=xx[t<<4&63],i+="=="):2===r&&(t=(e[n-2]<<8)+e[n-1],i+=xx[t>>10],i+=xx[t>>4&63],i+=xx[t<<2&63],i+="="),o.push(i),o.join("")}function Ax(e,t,n,r,i){var o,a,s=8*i-r-1,l=(1<<s)-1,u=l>>1,c=-7,d=n?i-1:0,p=n?-1:1,m=e[t+d];for(d+=p,o=m&(1<<-c)-1,m>>=-c,c+=s;c>0;o=256*o+e[t+d],d+=p,c-=8);for(a=o&(1<<-c)-1,o>>=-c,c+=r;c>0;a=256*a+e[t+d],d+=p,c-=8);if(0===o)o=1-u;else{if(o===l)return a?NaN:1/0*(m?-1:1);a+=Math.pow(2,r),o-=u}return(m?-1:1)*a*Math.pow(2,o-r)}function _x(e,t,n,r,i,o){var a,s,l,u=8*o-i-1,c=(1<<u)-1,d=c>>1,p=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,m=r?0:o-1,h=r?1:-1,f=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(s=isNaN(t)?1:0,a=c):(a=Math.floor(Math.log(t)/Math.LN2),t*(l=Math.pow(2,-a))<1&&(a--,l*=2),(t+=a+d>=1?p/l:p*Math.pow(2,1-d))*l>=2&&(a++,l/=2),a+d>=c?(s=0,a=c):a+d>=1?(s=(t*l-1)*Math.pow(2,i),a+=d):(s=t*Math.pow(2,d-1)*Math.pow(2,i),a=0));i>=8;e[n+m]=255&s,m+=h,s/=256,i-=8);for(a=a<<i|s,u+=i;u>0;e[n+m]=255&a,m+=h,a/=256,u-=8);e[n+m-h]|=128*f}var zx={}.toString,Rx=Array.isArray||function(e){return"[object Array]"==zx.call(e)};function Lx(){return Bx.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function Px(e,t){if(Lx()<t)throw new RangeError("Invalid typed array length");return Bx.TYPED_ARRAY_SUPPORT?(e=new Uint8Array(t)).__proto__=Bx.prototype:(null===e&&(e=new Bx(t)),e.length=t),e}function Bx(e,t,n){if(!(Bx.TYPED_ARRAY_SUPPORT||this instanceof Bx))return new Bx(e,t,n);if("number"==typeof e){if("string"==typeof t)throw new Error("If encoding is specified then the first argument must be a string");return Ux(this,e)}return Wx(this,e,t,n)}function Wx(e,t,n,r){if("number"==typeof t)throw new TypeError('"value" argument must not be a number');return"undefined"!=typeof ArrayBuffer&&t instanceof ArrayBuffer?function(e,t,n,r){if(t.byteLength,n<0||t.byteLength<n)throw new RangeError("'offset' is out of bounds");if(t.byteLength<n+(r||0))throw new RangeError("'length' is out of bounds");t=void 0===n&&void 0===r?new Uint8Array(t):void 0===r?new Uint8Array(t,n):new Uint8Array(t,n,r);Bx.TYPED_ARRAY_SUPPORT?(e=t).__proto__=Bx.prototype:e=Ix(e,t);return e}(e,t,n,r):"string"==typeof t?function(e,t,n){"string"==typeof n&&""!==n||(n="utf8");if(!Bx.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var r=0|Dx(t,n),i=(e=Px(e,r)).write(t,n);i!==r&&(e=e.slice(0,i));return e}(e,t,n):function(e,t){if(qx(t)){var n=0|Nx(t.length);return 0===(e=Px(e,n)).length||t.copy(e,0,0,n),e}if(t){if("undefined"!=typeof ArrayBuffer&&t.buffer instanceof ArrayBuffer||"length"in t)return"number"!=typeof t.length||(r=t.length)!=r?Px(e,0):Ix(e,t);if("Buffer"===t.type&&Rx(t.data))return Ix(e,t.data)}var r;throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}(e,t)}function Mx(e){if("number"!=typeof e)throw new TypeError('"size" argument must be a number');if(e<0)throw new RangeError('"size" argument must not be negative')}function Ux(e,t){if(Mx(t),e=Px(e,t<0?0:0|Nx(t)),!Bx.TYPED_ARRAY_SUPPORT)for(var n=0;n<t;++n)e[n]=0;return e}function Ix(e,t){var n=t.length<0?0:0|Nx(t.length);e=Px(e,n);for(var r=0;r<n;r+=1)e[r]=255&t[r];return e}function Nx(e){if(e>=Lx())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+Lx().toString(16)+" bytes");return 0|e}function qx(e){return!(null==e||!e._isBuffer)}function Dx(e,t){if(qx(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return hw(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return fw(e).length;default:if(r)return hw(e).length;t=(""+t).toLowerCase(),r=!0}}function Vx(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return rw(this,t,n);case"utf8":case"utf-8":return Jx(this,t,n);case"ascii":return tw(this,t,n);case"latin1":case"binary":return nw(this,t,n);case"base64":return Xx(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return iw(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function jx(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function Fx(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=Bx.from(t,r)),qx(t))return 0===t.length?-1:Gx(e,t,n,r,i);if("number"==typeof t)return t&=255,Bx.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):Gx(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function Gx(e,t,n,r,i){var o,a=1,s=e.length,l=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,s/=2,l/=2,n/=2}function u(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(i){var c=-1;for(o=n;o<s;o++)if(u(e,o)===u(t,-1===c?0:o-c)){if(-1===c&&(c=o),o-c+1===l)return c*a}else-1!==c&&(o-=o-c),c=-1}else for(n+l>s&&(n=s-l),o=n;o>=0;o--){for(var d=!0,p=0;p<l;p++)if(u(e,o+p)!==u(t,p)){d=!1;break}if(d)return o}return-1}function Kx(e,t,n,r){n=Number(n)||0;var i=e.length-n;r?(r=Number(r))>i&&(r=i):r=i;var o=t.length;if(o%2!=0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var a=0;a<r;++a){var s=parseInt(t.substr(2*a,2),16);if(isNaN(s))return a;e[n+a]=s}return a}function Yx(e,t,n,r){return gw(hw(t,e.length-n),e,n,r)}function Hx(e,t,n,r){return gw(function(e){for(var t=[],n=0;n<e.length;++n)t.push(255&e.charCodeAt(n));return t}(t),e,n,r)}function $x(e,t,n,r){return Hx(e,t,n,r)}function Qx(e,t,n,r){return gw(fw(t),e,n,r)}function Zx(e,t,n,r){return gw(function(e,t){for(var n,r,i,o=[],a=0;a<e.length&&!((t-=2)<0);++a)r=(n=e.charCodeAt(a))>>8,i=n%256,o.push(i),o.push(r);return o}(t,e.length-n),e,n,r)}function Xx(e,t,n){return 0===t&&n===e.length?Ex(e):Ex(e.slice(t,n))}function Jx(e,t,n){n=Math.min(e.length,n);for(var r=[],i=t;i<n;){var o,a,s,l,u=e[i],c=null,d=u>239?4:u>223?3:u>191?2:1;if(i+d<=n)switch(d){case 1:u<128&&(c=u);break;case 2:128==(192&(o=e[i+1]))&&(l=(31&u)<<6|63&o)>127&&(c=l);break;case 3:o=e[i+1],a=e[i+2],128==(192&o)&&128==(192&a)&&(l=(15&u)<<12|(63&o)<<6|63&a)>2047&&(l<55296||l>57343)&&(c=l);break;case 4:o=e[i+1],a=e[i+2],s=e[i+3],128==(192&o)&&128==(192&a)&&128==(192&s)&&(l=(15&u)<<18|(63&o)<<12|(63&a)<<6|63&s)>65535&&l<1114112&&(c=l)}null===c?(c=65533,d=1):c>65535&&(c-=65536,r.push(c>>>10&1023|55296),c=56320|1023&c),r.push(c),i+=d}return function(e){var t=e.length;if(t<=ew)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r<t;)n+=String.fromCharCode.apply(String,e.slice(r,r+=ew));return n}(r)}Bx.TYPED_ARRAY_SUPPORT=void 0===fc.TYPED_ARRAY_SUPPORT||fc.TYPED_ARRAY_SUPPORT,Bx.poolSize=8192,Bx._augment=function(e){return e.__proto__=Bx.prototype,e},Bx.from=function(e,t,n){return Wx(null,e,t,n)},Bx.TYPED_ARRAY_SUPPORT&&(Bx.prototype.__proto__=Uint8Array.prototype,Bx.__proto__=Uint8Array),Bx.alloc=function(e,t,n){return function(e,t,n,r){return Mx(t),t<=0?Px(e,t):void 0!==n?"string"==typeof r?Px(e,t).fill(n,r):Px(e,t).fill(n):Px(e,t)}(null,e,t,n)},Bx.allocUnsafe=function(e){return Ux(null,e)},Bx.allocUnsafeSlow=function(e){return Ux(null,e)},Bx.isBuffer=yw,Bx.compare=function(e,t){if(!qx(e)||!qx(t))throw new TypeError("Arguments must be Buffers");if(e===t)return 0;for(var n=e.length,r=t.length,i=0,o=Math.min(n,r);i<o;++i)if(e[i]!==t[i]){n=e[i],r=t[i];break}return n<r?-1:r<n?1:0},Bx.isEncoding=function(e){switch(String(e).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},Bx.concat=function(e,t){if(!Rx(e))throw new TypeError('"list" argument must be an Array of Buffers');if(0===e.length)return Bx.alloc(0);var n;if(void 0===t)for(t=0,n=0;n<e.length;++n)t+=e[n].length;var r=Bx.allocUnsafe(t),i=0;for(n=0;n<e.length;++n){var o=e[n];if(!qx(o))throw new TypeError('"list" argument must be an Array of Buffers');o.copy(r,i),i+=o.length}return r},Bx.byteLength=Dx,Bx.prototype._isBuffer=!0,Bx.prototype.swap16=function(){var e=this.length;if(e%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var t=0;t<e;t+=2)jx(this,t,t+1);return this},Bx.prototype.swap32=function(){var e=this.length;if(e%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var t=0;t<e;t+=4)jx(this,t,t+3),jx(this,t+1,t+2);return this},Bx.prototype.swap64=function(){var e=this.length;if(e%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var t=0;t<e;t+=8)jx(this,t,t+7),jx(this,t+1,t+6),jx(this,t+2,t+5),jx(this,t+3,t+4);return this},Bx.prototype.toString=function(){var e=0|this.length;return 0===e?"":0===arguments.length?Jx(this,0,e):Vx.apply(this,arguments)},Bx.prototype.equals=function(e){if(!qx(e))throw new TypeError("Argument must be a Buffer");return this===e||0===Bx.compare(this,e)},Bx.prototype.inspect=function(){var e="";return this.length>0&&(e=this.toString("hex",0,50).match(/.{2}/g).join(" "),this.length>50&&(e+=" ... ")),"<Buffer "+e+">"},Bx.prototype.compare=function(e,t,n,r,i){if(!qx(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(this===e)return 0;for(var o=(i>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),s=Math.min(o,a),l=this.slice(r,i),u=e.slice(t,n),c=0;c<s;++c)if(l[c]!==u[c]){o=l[c],a=u[c];break}return o<a?-1:a<o?1:0},Bx.prototype.includes=function(e,t,n){return-1!==this.indexOf(e,t,n)},Bx.prototype.indexOf=function(e,t,n){return Fx(this,e,t,n,!0)},Bx.prototype.lastIndexOf=function(e,t,n){return Fx(this,e,t,n,!1)},Bx.prototype.write=function(e,t,n,r){if(void 0===t)r="utf8",n=this.length,t=0;else if(void 0===n&&"string"==typeof t)r=t,n=this.length,t=0;else{if(!isFinite(t))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");t|=0,isFinite(n)?(n|=0,void 0===r&&(r="utf8")):(r=n,n=void 0)}var i=this.length-t;if((void 0===n||n>i)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return Kx(this,e,t,n);case"utf8":case"utf-8":return Yx(this,e,t,n);case"ascii":return Hx(this,e,t,n);case"latin1":case"binary":return $x(this,e,t,n);case"base64":return Qx(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return Zx(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},Bx.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var ew=4096;function tw(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;i<n;++i)r+=String.fromCharCode(127&e[i]);return r}function nw(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;i<n;++i)r+=String.fromCharCode(e[i]);return r}function rw(e,t,n){var r=e.length;(!t||t<0)&&(t=0),(!n||n<0||n>r)&&(n=r);for(var i="",o=t;o<n;++o)i+=mw(e[o]);return i}function iw(e,t,n){for(var r=e.slice(t,n),i="",o=0;o<r.length;o+=2)i+=String.fromCharCode(r[o]+256*r[o+1]);return i}function ow(e,t,n){if(e%1!=0||e<0)throw new RangeError("offset is not uint");if(e+t>n)throw new RangeError("Trying to access beyond buffer length")}function aw(e,t,n,r,i,o){if(!qx(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||t<o)throw new RangeError('"value" argument is out of bounds');if(n+r>e.length)throw new RangeError("Index out of range")}function sw(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i<o;++i)e[n+i]=(t&255<<8*(r?i:1-i))>>>8*(r?i:1-i)}function lw(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i<o;++i)e[n+i]=t>>>8*(r?i:3-i)&255}function uw(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function cw(e,t,n,r,i){return i||uw(e,0,n,4),_x(e,t,n,r,23,4),n+4}function dw(e,t,n,r,i){return i||uw(e,0,n,8),_x(e,t,n,r,52,8),n+8}Bx.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t<e&&(t=e),Bx.TYPED_ARRAY_SUPPORT)(n=this.subarray(e,t)).__proto__=Bx.prototype;else{var i=t-e;n=new Bx(i,void 0);for(var o=0;o<i;++o)n[o]=this[o+e]}return n},Bx.prototype.readUIntLE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e],i=1,o=0;++o<t&&(i*=256);)r+=this[e+o]*i;return r},Bx.prototype.readUIntBE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e+--t],i=1;t>0&&(i*=256);)r+=this[e+--t]*i;return r},Bx.prototype.readUInt8=function(e,t){return t||ow(e,1,this.length),this[e]},Bx.prototype.readUInt16LE=function(e,t){return t||ow(e,2,this.length),this[e]|this[e+1]<<8},Bx.prototype.readUInt16BE=function(e,t){return t||ow(e,2,this.length),this[e]<<8|this[e+1]},Bx.prototype.readUInt32LE=function(e,t){return t||ow(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},Bx.prototype.readUInt32BE=function(e,t){return t||ow(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},Bx.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e],i=1,o=0;++o<t&&(i*=256);)r+=this[e+o]*i;return r>=(i*=128)&&(r-=Math.pow(2,8*t)),r},Bx.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return o>=(i*=128)&&(o-=Math.pow(2,8*t)),o},Bx.prototype.readInt8=function(e,t){return t||ow(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},Bx.prototype.readInt16LE=function(e,t){t||ow(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},Bx.prototype.readInt16BE=function(e,t){t||ow(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},Bx.prototype.readInt32LE=function(e,t){return t||ow(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},Bx.prototype.readInt32BE=function(e,t){return t||ow(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},Bx.prototype.readFloatLE=function(e,t){return t||ow(e,4,this.length),Ax(this,e,!0,23,4)},Bx.prototype.readFloatBE=function(e,t){return t||ow(e,4,this.length),Ax(this,e,!1,23,4)},Bx.prototype.readDoubleLE=function(e,t){return t||ow(e,8,this.length),Ax(this,e,!0,52,8)},Bx.prototype.readDoubleBE=function(e,t){return t||ow(e,8,this.length),Ax(this,e,!1,52,8)},Bx.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||aw(this,e,t,n,Math.pow(2,8*n)-1,0);var i=1,o=0;for(this[t]=255&e;++o<n&&(i*=256);)this[t+o]=e/i&255;return t+n},Bx.prototype.writeUIntBE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||aw(this,e,t,n,Math.pow(2,8*n)-1,0);var i=n-1,o=1;for(this[t+i]=255&e;--i>=0&&(o*=256);)this[t+i]=e/o&255;return t+n},Bx.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,1,255,0),Bx.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},Bx.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,2,65535,0),Bx.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):sw(this,e,t,!0),t+2},Bx.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,2,65535,0),Bx.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):sw(this,e,t,!1),t+2},Bx.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,4,4294967295,0),Bx.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):lw(this,e,t,!0),t+4},Bx.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,4,4294967295,0),Bx.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):lw(this,e,t,!1),t+4},Bx.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);aw(this,e,t,n,i-1,-i)}var o=0,a=1,s=0;for(this[t]=255&e;++o<n&&(a*=256);)e<0&&0===s&&0!==this[t+o-1]&&(s=1),this[t+o]=(e/a>>0)-s&255;return t+n},Bx.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);aw(this,e,t,n,i-1,-i)}var o=n-1,a=1,s=0;for(this[t+o]=255&e;--o>=0&&(a*=256);)e<0&&0===s&&0!==this[t+o+1]&&(s=1),this[t+o]=(e/a>>0)-s&255;return t+n},Bx.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,1,127,-128),Bx.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},Bx.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,2,32767,-32768),Bx.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):sw(this,e,t,!0),t+2},Bx.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,2,32767,-32768),Bx.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):sw(this,e,t,!1),t+2},Bx.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,4,2147483647,-2147483648),Bx.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):lw(this,e,t,!0),t+4},Bx.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||aw(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),Bx.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):lw(this,e,t,!1),t+4},Bx.prototype.writeFloatLE=function(e,t,n){return cw(this,e,t,!0,n)},Bx.prototype.writeFloatBE=function(e,t,n){return cw(this,e,t,!1,n)},Bx.prototype.writeDoubleLE=function(e,t,n){return dw(this,e,t,!0,n)},Bx.prototype.writeDoubleBE=function(e,t,n){return dw(this,e,t,!1,n)},Bx.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r<n&&(r=n),r===n)return 0;if(0===e.length||0===this.length)return 0;if(t<0)throw new RangeError("targetStart out of bounds");if(n<0||n>=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t<r-n&&(r=e.length-t+n);var i,o=r-n;if(this===e&&n<t&&t<r)for(i=o-1;i>=0;--i)e[i+t]=this[i+n];else if(o<1e3||!Bx.TYPED_ARRAY_SUPPORT)for(i=0;i<o;++i)e[i+t]=this[i+n];else Uint8Array.prototype.set.call(e,this.subarray(n,n+o),t);return o},Bx.prototype.fill=function(e,t,n,r){if("string"==typeof e){if("string"==typeof t?(r=t,t=0,n=this.length):"string"==typeof n&&(r=n,n=this.length),1===e.length){var i=e.charCodeAt(0);i<256&&(e=i)}if(void 0!==r&&"string"!=typeof r)throw new TypeError("encoding must be a string");if("string"==typeof r&&!Bx.isEncoding(r))throw new TypeError("Unknown encoding: "+r)}else"number"==typeof e&&(e&=255);if(t<0||this.length<t||this.length<n)throw new RangeError("Out of range index");if(n<=t)return this;var o;if(t>>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(o=t;o<n;++o)this[o]=e;else{var a=qx(e)?e:hw(new Bx(e,r).toString()),s=a.length;for(o=0;o<n-t;++o)this[o+t]=a[o%s]}return this};var pw=/[^+\/0-9A-Za-z-_]/g;function mw(e){return e<16?"0"+e.toString(16):e.toString(16)}function hw(e,t){var n;t=t||1/0;for(var r=e.length,i=null,o=[],a=0;a<r;++a){if((n=e.charCodeAt(a))>55295&&n<57344){if(!i){if(n>56319){(t-=3)>-1&&o.push(239,191,189);continue}if(a+1===r){(t-=3)>-1&&o.push(239,191,189);continue}i=n;continue}if(n<56320){(t-=3)>-1&&o.push(239,191,189),i=n;continue}n=65536+(i-55296<<10|n-56320)}else i&&(t-=3)>-1&&o.push(239,191,189);if(i=null,n<128){if((t-=1)<0)break;o.push(n)}else if(n<2048){if((t-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function fw(e){return function(e){var t,n,r,i,o,a;kx||Ox();var s=e.length;if(s%4>0)throw new Error("Invalid string. Length must be a multiple of 4");o="="===e[s-2]?2:"="===e[s-1]?1:0,a=new Cx(3*s/4-o),r=o>0?s-4:s;var l=0;for(t=0,n=0;t<r;t+=4,n+=3)i=wx[e.charCodeAt(t)]<<18|wx[e.charCodeAt(t+1)]<<12|wx[e.charCodeAt(t+2)]<<6|wx[e.charCodeAt(t+3)],a[l++]=i>>16&255,a[l++]=i>>8&255,a[l++]=255&i;return 2===o?(i=wx[e.charCodeAt(t)]<<2|wx[e.charCodeAt(t+1)]>>4,a[l++]=255&i):1===o&&(i=wx[e.charCodeAt(t)]<<10|wx[e.charCodeAt(t+1)]<<4|wx[e.charCodeAt(t+2)]>>2,a[l++]=i>>8&255,a[l++]=255&i),a}(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(pw,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function gw(e,t,n,r){for(var i=0;i<r&&!(i+n>=t.length||i>=e.length);++i)t[i+n]=e[i];return i}function yw(e){return null!=e&&(!!e._isBuffer||vw(e)||function(e){return"function"==typeof e.readFloatLE&&"function"==typeof e.slice&&vw(e.slice(0,0))}(e))}function vw(e){return!!e.constructor&&"function"==typeof e.constructor.isBuffer&&e.constructor.isBuffer(e)}var bw,Sw,xw=zw(fc.fetch)&&zw(fc.ReadableStream);function ww(e){Sw||(Sw=new fc.XMLHttpRequest).open("GET",fc.location.host?"/":"https://example.com");try{return Sw.responseType=e,Sw.responseType===e}catch(e){return!1}}var Cw=void 0!==fc.ArrayBuffer,kw=Cw&&zw(fc.ArrayBuffer.prototype.slice),Ow=Cw&&ww("arraybuffer"),Tw=!xw&&kw&&ww("ms-stream"),Ew=!xw&&Cw&&ww("moz-chunked-arraybuffer"),Aw=zw(Sw.overrideMimeType),_w=zw(fc.VBArray);function zw(e){return"function"==typeof e}Sw=null;var Rw,Lw,Pw={exports:{}},Bw=Pw.exports={};function Ww(){throw new Error("setTimeout has not been defined")}function Mw(){throw new Error("clearTimeout has not been defined")}function Uw(e){if(Rw===setTimeout)return setTimeout(e,0);if((Rw===Ww||!Rw)&&setTimeout)return Rw=setTimeout,setTimeout(e,0);try{return Rw(e,0)}catch(t){try{return Rw.call(null,e,0)}catch(t){return Rw.call(this,e,0)}}}!function(){try{Rw="function"==typeof setTimeout?setTimeout:Ww}catch(e){Rw=Ww}try{Lw="function"==typeof clearTimeout?clearTimeout:Mw}catch(e){Lw=Mw}}();var Iw,Nw=[],qw=!1,Dw=-1;function Vw(){qw&&Iw&&(qw=!1,Iw.length?Nw=Iw.concat(Nw):Dw=-1,Nw.length&&jw())}function jw(){if(!qw){var e=Uw(Vw);qw=!0;for(var t=Nw.length;t;){for(Iw=Nw,Nw=[];++Dw<t;)Iw&&Iw[Dw].run();Dw=-1,t=Nw.length}Iw=null,qw=!1,function(e){if(Lw===clearTimeout)return clearTimeout(e);if((Lw===Mw||!Lw)&&clearTimeout)return Lw=clearTimeout,clearTimeout(e);try{Lw(e)}catch(t){try{return Lw.call(null,e)}catch(t){return Lw.call(this,e)}}}(e)}}function Fw(e,t){this.fun=e,this.array=t}function Gw(){}Bw.nextTick=function(e){var t=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)t[n-1]=arguments[n];Nw.push(new Fw(e,t)),1!==Nw.length||qw||Uw(jw)},Fw.prototype.run=function(){this.fun.apply(null,this.array)},Bw.title="browser",Bw.browser=!0,Bw.env={},Bw.argv=[],Bw.version="",Bw.versions={},Bw.on=Gw,Bw.addListener=Gw,Bw.once=Gw,Bw.off=Gw,Bw.removeListener=Gw,Bw.removeAllListeners=Gw,Bw.emit=Gw,Bw.prependListener=Gw,Bw.prependOnceListener=Gw,Bw.listeners=function(e){return[]},Bw.binding=function(e){throw new Error("process.binding is not supported")},Bw.cwd=function(){return"/"},Bw.chdir=function(e){throw new Error("process.chdir is not supported")},Bw.umask=function(){return 0};var Kw=Pw.exports,Yw="function"==typeof Object.create?function(e,t){e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}})}:function(e,t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e},Hw=/%[sdj%]/g;function $w(e){if(!sC(e)){for(var t=[],n=0;n<arguments.length;n++)t.push(Jw(arguments[n]));return t.join(" ")}n=1;for(var r=arguments,i=r.length,o=String(e).replace(Hw,(function(e){if("%%"===e)return"%";if(n>=i)return e;switch(e){case"%s":return String(r[n++]);case"%d":return Number(r[n++]);case"%j":try{return JSON.stringify(r[n++])}catch(e){return"[Circular]"}default:return e}})),a=r[n];n<i;a=r[++n])aC(a)||!cC(a)?o+=" "+a:o+=" "+Jw(a);return o}function Qw(e,t){if(lC(fc.process))return function(){return Qw(e,t).apply(this,arguments)};if(!0===Kw.noDeprecation)return e;var n=!1;return function(){if(!n){if(Kw.throwDeprecation)throw new Error(t);Kw.traceDeprecation?console.trace(t):console.error(t),n=!0}return e.apply(this,arguments)}}var Zw,Xw={};function Jw(e,t){var n={seen:[],stylize:tC};return arguments.length>=3&&(n.depth=arguments[2]),arguments.length>=4&&(n.colors=arguments[3]),oC(t)?n.showHidden=t:t&&fC(n,t),lC(n.showHidden)&&(n.showHidden=!1),lC(n.depth)&&(n.depth=2),lC(n.colors)&&(n.colors=!1),lC(n.customInspect)&&(n.customInspect=!0),n.colors&&(n.stylize=eC),nC(n,e,n.depth)}function eC(e,t){var n=Jw.styles[t];return n?"["+Jw.colors[n][0]+"m"+e+"["+Jw.colors[n][1]+"m":e}function tC(e,t){return e}function nC(e,t,n){if(e.customInspect&&t&&mC(t.inspect)&&t.inspect!==Jw&&(!t.constructor||t.constructor.prototype!==t)){var r=t.inspect(n,e);return sC(r)||(r=nC(e,r,n)),r}var i=function(e,t){if(lC(t))return e.stylize("undefined","undefined");if(sC(t)){var n="'"+JSON.stringify(t).replace(/^"|"$/g,"").replace(/'/g,"\\'").replace(/\\"/g,'"')+"'";return e.stylize(n,"string")}if(r=t,"number"==typeof r)return e.stylize(""+t,"number");var r;if(oC(t))return e.stylize(""+t,"boolean");if(aC(t))return e.stylize("null","null")}(e,t);if(i)return i;var o=Object.keys(t),a=function(e){var t={};return e.forEach((function(e,n){t[e]=!0})),t}(o);if(e.showHidden&&(o=Object.getOwnPropertyNames(t)),pC(t)&&(o.indexOf("message")>=0||o.indexOf("description")>=0))return rC(t);if(0===o.length){if(mC(t)){var s=t.name?": "+t.name:"";return e.stylize("[Function"+s+"]","special")}if(uC(t))return e.stylize(RegExp.prototype.toString.call(t),"regexp");if(dC(t))return e.stylize(Date.prototype.toString.call(t),"date");if(pC(t))return rC(t)}var l,u,c="",d=!1,p=["{","}"];(l=t,Array.isArray(l)&&(d=!0,p=["[","]"]),mC(t))&&(c=" [Function"+(t.name?": "+t.name:"")+"]");return uC(t)&&(c=" "+RegExp.prototype.toString.call(t)),dC(t)&&(c=" "+Date.prototype.toUTCString.call(t)),pC(t)&&(c=" "+rC(t)),0!==o.length||d&&0!=t.length?n<0?uC(t)?e.stylize(RegExp.prototype.toString.call(t),"regexp"):e.stylize("[Object]","special"):(e.seen.push(t),u=d?function(e,t,n,r,i){for(var o=[],a=0,s=t.length;a<s;++a)gC(t,String(a))?o.push(iC(e,t,n,r,String(a),!0)):o.push("");return i.forEach((function(i){i.match(/^\d+$/)||o.push(iC(e,t,n,r,i,!0))})),o}(e,t,n,a,o):o.map((function(r){return iC(e,t,n,a,r,d)})),e.seen.pop(),function(e,t,n){if(e.reduce((function(e,t){return t.indexOf("\n"),e+t.replace(/\u001b\[\d\d?m/g,"").length+1}),0)>60)return n[0]+(""===t?"":t+"\n ")+" "+e.join(",\n ")+" "+n[1];return n[0]+t+" "+e.join(", ")+" "+n[1]}(u,c,p)):p[0]+c+p[1]}function rC(e){return"["+Error.prototype.toString.call(e)+"]"}function iC(e,t,n,r,i,o){var a,s,l;if((l=Object.getOwnPropertyDescriptor(t,i)||{value:t[i]}).get?s=l.set?e.stylize("[Getter/Setter]","special"):e.stylize("[Getter]","special"):l.set&&(s=e.stylize("[Setter]","special")),gC(r,i)||(a="["+i+"]"),s||(e.seen.indexOf(l.value)<0?(s=aC(n)?nC(e,l.value,null):nC(e,l.value,n-1)).indexOf("\n")>-1&&(s=o?s.split("\n").map((function(e){return" "+e})).join("\n").substr(2):"\n"+s.split("\n").map((function(e){return" "+e})).join("\n")):s=e.stylize("[Circular]","special")),lC(a)){if(o&&i.match(/^\d+$/))return s;(a=JSON.stringify(""+i)).match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)?(a=a.substr(1,a.length-2),a=e.stylize(a,"name")):(a=a.replace(/'/g,"\\'").replace(/\\"/g,'"').replace(/(^"|"$)/g,"'"),a=e.stylize(a,"string"))}return a+": "+s}function oC(e){return"boolean"==typeof e}function aC(e){return null===e}function sC(e){return"string"==typeof e}function lC(e){return void 0===e}function uC(e){return cC(e)&&"[object RegExp]"===hC(e)}function cC(e){return"object"==typeof e&&null!==e}function dC(e){return cC(e)&&"[object Date]"===hC(e)}function pC(e){return cC(e)&&("[object Error]"===hC(e)||e instanceof Error)}function mC(e){return"function"==typeof e}function hC(e){return Object.prototype.toString.call(e)}function fC(e,t){if(!t||!cC(t))return e;for(var n=Object.keys(t),r=n.length;r--;)e[n[r]]=t[n[r]];return e}function gC(e,t){return Object.prototype.hasOwnProperty.call(e,t)}Jw.colors={bold:[1,22],italic:[3,23],underline:[4,24],inverse:[7,27],white:[37,39],grey:[90,39],black:[30,39],blue:[34,39],cyan:[36,39],green:[32,39],magenta:[35,39],red:[31,39],yellow:[33,39]},Jw.styles={special:"cyan",number:"yellow",boolean:"yellow",undefined:"grey",null:"bold",string:"green",date:"magenta",regexp:"red"};var yC,vC={exports:{}},bC="object"==typeof Reflect?Reflect:null,SC=bC&&"function"==typeof bC.apply?bC.apply:function(e,t,n){return Function.prototype.apply.call(e,t,n)};yC=bC&&"function"==typeof bC.ownKeys?bC.ownKeys:Object.getOwnPropertySymbols?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:function(e){return Object.getOwnPropertyNames(e)};var xC=Number.isNaN||function(e){return e!=e};function wC(){wC.init.call(this)}vC.exports=wC,vC.exports.once=function(e,t){return new Promise((function(n,r){function i(n){e.removeListener(t,o),r(n)}function o(){"function"==typeof e.removeListener&&e.removeListener("error",i),n([].slice.call(arguments))}LC(e,t,o,{once:!0}),"error"!==t&&function(e,t,n){"function"==typeof e.on&&LC(e,"error",t,n)}(e,i,{once:!0})}))},wC.EventEmitter=wC,wC.prototype._events=void 0,wC.prototype._eventsCount=0,wC.prototype._maxListeners=void 0;var CC=10;function kC(e){if("function"!=typeof e)throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof e)}function OC(e){return void 0===e._maxListeners?wC.defaultMaxListeners:e._maxListeners}function TC(e,t,n,r){var i,o,a,s;if(kC(n),void 0===(o=e._events)?(o=e._events=Object.create(null),e._eventsCount=0):(void 0!==o.newListener&&(e.emit("newListener",t,n.listener?n.listener:n),o=e._events),a=o[t]),void 0===a)a=o[t]=n,++e._eventsCount;else if("function"==typeof a?a=o[t]=r?[n,a]:[a,n]:r?a.unshift(n):a.push(n),(i=OC(e))>0&&a.length>i&&!a.warned){a.warned=!0;var l=new Error("Possible EventEmitter memory leak detected. "+a.length+" "+String(t)+" listeners added. Use emitter.setMaxListeners() to increase limit");l.name="MaxListenersExceededWarning",l.emitter=e,l.type=t,l.count=a.length,s=l,console&&console.warn&&console.warn(s)}return e}function EC(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,0===arguments.length?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function AC(e,t,n){var r={fired:!1,wrapFn:void 0,target:e,type:t,listener:n},i=EC.bind(r);return i.listener=n,r.wrapFn=i,i}function _C(e,t,n){var r=e._events;if(void 0===r)return[];var i=r[t];return void 0===i?[]:"function"==typeof i?n?[i.listener||i]:[i]:n?function(e){for(var t=new Array(e.length),n=0;n<t.length;++n)t[n]=e[n].listener||e[n];return t}(i):RC(i,i.length)}function zC(e){var t=this._events;if(void 0!==t){var n=t[e];if("function"==typeof n)return 1;if(void 0!==n)return n.length}return 0}function RC(e,t){for(var n=new Array(t),r=0;r<t;++r)n[r]=e[r];return n}function LC(e,t,n,r){if("function"==typeof e.on)r.once?e.once(t,n):e.on(t,n);else{if("function"!=typeof e.addEventListener)throw new TypeError('The "emitter" argument must be of type EventEmitter. Received type '+typeof e);e.addEventListener(t,(function i(o){r.once&&e.removeEventListener(t,i),n(o)}))}}Object.defineProperty(wC,"defaultMaxListeners",{enumerable:!0,get:function(){return CC},set:function(e){if("number"!=typeof e||e<0||xC(e))throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received '+e+".");CC=e}}),wC.init=function(){void 0!==this._events&&this._events!==Object.getPrototypeOf(this)._events||(this._events=Object.create(null),this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},wC.prototype.setMaxListeners=function(e){if("number"!=typeof e||e<0||xC(e))throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received '+e+".");return this._maxListeners=e,this},wC.prototype.getMaxListeners=function(){return OC(this)},wC.prototype.emit=function(e){for(var t=[],n=1;n<arguments.length;n++)t.push(arguments[n]);var r="error"===e,i=this._events;if(void 0!==i)r=r&&void 0===i.error;else if(!r)return!1;if(r){var o;if(t.length>0&&(o=t[0]),o instanceof Error)throw o;var a=new Error("Unhandled error."+(o?" ("+o.message+")":""));throw a.context=o,a}var s=i[e];if(void 0===s)return!1;if("function"==typeof s)SC(s,this,t);else{var l=s.length,u=RC(s,l);for(n=0;n<l;++n)SC(u[n],this,t)}return!0},wC.prototype.addListener=function(e,t){return TC(this,e,t,!1)},wC.prototype.on=wC.prototype.addListener,wC.prototype.prependListener=function(e,t){return TC(this,e,t,!0)},wC.prototype.once=function(e,t){return kC(t),this.on(e,AC(this,e,t)),this},wC.prototype.prependOnceListener=function(e,t){return kC(t),this.prependListener(e,AC(this,e,t)),this},wC.prototype.removeListener=function(e,t){var n,r,i,o,a;if(kC(t),void 0===(r=this._events))return this;if(void 0===(n=r[e]))return this;if(n===t||n.listener===t)0==--this._eventsCount?this._events=Object.create(null):(delete r[e],r.removeListener&&this.emit("removeListener",e,n.listener||t));else if("function"!=typeof n){for(i=-1,o=n.length-1;o>=0;o--)if(n[o]===t||n[o].listener===t){a=n[o].listener,i=o;break}if(i<0)return this;0===i?n.shift():function(e,t){for(;t+1<e.length;t++)e[t]=e[t+1];e.pop()}(n,i),1===n.length&&(r[e]=n[0]),void 0!==r.removeListener&&this.emit("removeListener",e,a||t)}return this},wC.prototype.off=wC.prototype.removeListener,wC.prototype.removeAllListeners=function(e){var t,n,r;if(void 0===(n=this._events))return this;if(void 0===n.removeListener)return 0===arguments.length?(this._events=Object.create(null),this._eventsCount=0):void 0!==n[e]&&(0==--this._eventsCount?this._events=Object.create(null):delete n[e]),this;if(0===arguments.length){var i,o=Object.keys(n);for(r=0;r<o.length;++r)"removeListener"!==(i=o[r])&&this.removeAllListeners(i);return this.removeAllListeners("removeListener"),this._events=Object.create(null),this._eventsCount=0,this}if("function"==typeof(t=n[e]))this.removeListener(e,t);else if(void 0!==t)for(r=t.length-1;r>=0;r--)this.removeListener(e,t[r]);return this},wC.prototype.listeners=function(e){return _C(this,e,!0)},wC.prototype.rawListeners=function(e){return _C(this,e,!1)},wC.listenerCount=function(e,t){return"function"==typeof e.listenerCount?e.listenerCount(t):zC.call(e,t)},wC.prototype.listenerCount=zC,wC.prototype.eventNames=function(){return this._eventsCount>0?yC(this._events):[]};for(var PC=vC.exports,BC={},WC={byteLength:function(e){var t=VC(e),n=t[0],r=t[1];return 3*(n+r)/4-r},toByteArray:function(e){var t,n,r=VC(e),i=r[0],o=r[1],a=new IC(function(e,t,n){return 3*(t+n)/4-n}(0,i,o)),s=0,l=o>0?i-4:i;for(n=0;n<l;n+=4)t=UC[e.charCodeAt(n)]<<18|UC[e.charCodeAt(n+1)]<<12|UC[e.charCodeAt(n+2)]<<6|UC[e.charCodeAt(n+3)],a[s++]=t>>16&255,a[s++]=t>>8&255,a[s++]=255&t;2===o&&(t=UC[e.charCodeAt(n)]<<2|UC[e.charCodeAt(n+1)]>>4,a[s++]=255&t);1===o&&(t=UC[e.charCodeAt(n)]<<10|UC[e.charCodeAt(n+1)]<<4|UC[e.charCodeAt(n+2)]>>2,a[s++]=t>>8&255,a[s++]=255&t);return a},fromByteArray:function(e){for(var t,n=e.length,r=n%3,i=[],o=16383,a=0,s=n-r;a<s;a+=o)i.push(jC(e,a,a+o>s?s:a+o));1===r?(t=e[n-1],i.push(MC[t>>2]+MC[t<<4&63]+"==")):2===r&&(t=(e[n-2]<<8)+e[n-1],i.push(MC[t>>10]+MC[t>>4&63]+MC[t<<2&63]+"="));return i.join("")}},MC=[],UC=[],IC="undefined"!=typeof Uint8Array?Uint8Array:Array,NC="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",qC=0,DC=NC.length;qC<DC;++qC)MC[qC]=NC[qC],UC[NC.charCodeAt(qC)]=qC;function VC(e){var t=e.length;if(t%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");return-1===n&&(n=t),[n,n===t?0:4-n%4]}function jC(e,t,n){for(var r,i,o=[],a=t;a<n;a+=3)r=(e[a]<<16&16711680)+(e[a+1]<<8&65280)+(255&e[a+2]),o.push(MC[(i=r)>>18&63]+MC[i>>12&63]+MC[i>>6&63]+MC[63&i]);return o.join("")}UC["-".charCodeAt(0)]=62,UC["_".charCodeAt(0)]=63;var FC={};
1
+ var CriticalCSSGenerator=function(){"use strict";var e="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function t(e){if(e.__esModule)return e;var t=Object.defineProperty({},"__esModule",{value:!0});return Object.keys(e).forEach((function(n){var r=Object.getOwnPropertyDescriptor(e,n);Object.defineProperty(t,n,r.get?r:{enumerable:!0,get:function(){return e[n]}})})),t}class n extends Error{constructor(e,t,n){i[e]||(e="UnknownError",t={message:JSON.stringify(t)}),super(i[e].getMessage(t,n)),this.type=e,this.data=t,this.children=n||[]}getChildren(){return this.children}getType(){return this.type}getData(){return this.data}has(e){return Object.prototype.hasOwnProperty.call(this.data,e)}get(e){return this.data[e]}toJSON(){const e=i[this.type];return{type:this.type,data:this.data,message:e.getMessage(this.data,this.children),children:this.children.map((e=>e.toJSON()))}}static fromJSON(e){const t=i[e.type];if(!t)return new r({message:e.message||e});const o=(e.children||[]).map(n.fromJSON);return new t(e.data,o)}}class r extends n{constructor({message:e}){super("UnknownError",{message:e})}static getMessage(e){return e.message}}const i={CrossDomainError:class extends n{constructor({url:e}){super("CrossDomainError",{url:e})}static getMessage(e){return`Failed to fetch cross-domain content at ${e.url}`}},LoadTimeoutError:class extends n{constructor({url:e}){super("LoadTimeoutError",{url:e})}static getMessage(e){return`Timeout while reading ${e.url}`}},RedirectError:class extends n{constructor({url:e,redirectUrl:t}){super("RedirectError",{url:e,redirectUrl:t})}static getMessage(e){return`Failed to process ${e.url} because it redirects to ${e.redirectUrl} which cannot be verified`}},HttpError:class extends n{constructor({url:e,code:t}){super("HttpError",{url:e,code:t})}static getMessage(e){return`HTTP error ${e.code} on URL ${e.url}`}},UrlVerifyError:class extends n{constructor({url:e}){super("UrlVerifyError",{url:e})}static getMessage(e){return`Failed to verify page at ${e.url}`}},SuccessTargetError:class extends n{constructor(e,t){super("SuccessTargetError",e,t)}static getMessage(e,t){return"Insufficient pages loaded to meet success target. Errors:\n"+t.map((e=>e.message)).join("\n")}},GenericUrlError:class extends n{constructor({url:e,message:t}){super("GenericUrlError",{url:e,message:t})}static getMessage(e){return`Error while loading ${e.url}: ${e.message}`}},ConfigurationError:class extends n{constructor({message:e}){super("ConfigurationError",{message:e})}static getMessage(e){return`Invalid configuration: ${e.message}`}},InternalError:class extends n{constructor({message:e}){super("InternalError",{message:e})}static getMessage(e){return`Internal error: ${e.message}`}},UnknownError:r};var o={...i,CriticalCssError:n};const{InternalError:a}=o;class s{constructor(){this.urlErrors={}}trackUrlError(e,t){this.urlErrors[e]=t}filterValidUrls(e){return e.filter((e=>!this.urlErrors[e]))}async runInPage(e,t,n,...r){throw new a({message:"Undefined interface method: BrowserInterface.runInPage()"})}async cleanup(){}async getCssIncludes(e){return await this.runInPage(e,null,s.innerGetCssIncludes)}static innerGetCssIncludes(e){return[...e.document.getElementsByTagName("link")].filter((e=>"stylesheet"===e.rel)).reduce(((e,t)=>(e[t.href]={media:t.media||null},e)),{})}}var l=s;const u=l,{ConfigurationError:c}=o;var d=class extends u{constructor(e){super(),this.pages=e}async runInPage(e,t,n,...r){const i=this.pages[e];if(!i)throw new c({message:`Puppeteer interface does not include URL ${e}`});t&&await i.setViewport(t);const o=await i.evaluateHandle((()=>o));return i.evaluate(n,o,...r)}};const p=l,{ConfigurationError:m,CrossDomainError:h,HttpError:f,GenericUrlError:g,LoadTimeoutError:y,RedirectError:v,UrlVerifyError:b}=o;var S=class extends p{constructor({requestGetParameters:e,loadTimeout:t,verifyPage:n,allowScripts:r}={}){if(super(),this.requestGetParameters=e||{},this.loadTimeout=t||6e4,this.verifyPage=n,r=!1!==r,!n)throw new m({message:"You must specify a page verification callback"});this.currentUrl=null,this.currentSize={width:void 0,height:void 0},this.wrapperDiv=document.createElement("div"),this.wrapperDiv.setAttribute("style","position:fixed; z-index: -1000; opacity: 0; top: 50px;"),document.body.append(this.wrapperDiv),this.iframe=document.createElement("iframe"),this.iframe.setAttribute("style","max-width: none; max-height: none; border: 0px;"),this.iframe.setAttribute("aria-hidden","true"),this.iframe.setAttribute("sandbox","allow-same-origin "+(r?"allow-scripts":"")),this.wrapperDiv.append(this.iframe)}cleanup(){this.iframe.remove(),this.wrapperDiv.remove()}async runInPage(e,t,n,...r){return await this.loadPage(e),t&&await this.resize(t),n(this.iframe.contentWindow,...r)}addGetParameters(e){const t=new URL(e);for(const e of Object.keys(this.requestGetParameters))t.searchParams.append(e,this.requestGetParameters[e]);return t.toString()}async diagnoseUrlError(e){try{const t=await fetch(e,{redirect:"manual"});return"opaqueredirect"===t.type?new v({url:e,redirectUrl:t.url}):200===t.status?null:new f({url:e,code:t.status})}catch(t){return new g({url:e,message:t.message})}}async loadPage(e){if(e===this.currentUrl)return;const t=this.addGetParameters(e);await new Promise(((n,r)=>{const i=t=>{this.trackUrlError(e,t),r(t)},o=setTimeout((()=>{this.iframe.onload=void 0,i(new y({url:t}))}),this.loadTimeout);this.iframe.onload=async()=>{try{if(this.iframe.onload=void 0,clearTimeout(o),!this.iframe.contentDocument)throw await this.diagnoseUrlError(t)||new h({url:t});if(!this.verifyPage(e,this.iframe.contentWindow,this.iframe.contentDocument))throw await this.diagnoseUrlError(t)||new b({url:t});n()}catch(e){i(e)}},this.iframe.src=t}))}async resize({width:e,height:t}){if(this.currentSize.width!==e||this.currentSize.height!==t)return new Promise((n=>{this.iframe.width=e,this.iframe.height=t,setTimeout(n,1)}))}},x={exports:{}},w={};function C(e){return{prev:null,next:null,data:e}}function k(e,t,n){var r;return null!==T?(r=T,T=T.cursor,r.prev=t,r.next=n,r.cursor=e.cursor):r={prev:t,next:n,cursor:e.cursor},e.cursor=r,r}function O(e){var t=e.cursor;e.cursor=t.cursor,t.prev=null,t.next=null,t.cursor=T,T=t}var T=null,E=function(){this.cursor=null,this.head=null,this.tail=null};E.createItem=C,E.prototype.createItem=C,E.prototype.updateCursors=function(e,t,n,r){for(var i=this.cursor;null!==i;)i.prev===e&&(i.prev=t),i.next===n&&(i.next=r),i=i.cursor},E.prototype.getSize=function(){for(var e=0,t=this.head;t;)e++,t=t.next;return e},E.prototype.fromArray=function(e){var t=null;this.head=null;for(var n=0;n<e.length;n++){var r=C(e[n]);null!==t?t.next=r:this.head=r,r.prev=t,t=r}return this.tail=t,this},E.prototype.toArray=function(){for(var e=this.head,t=[];e;)t.push(e.data),e=e.next;return t},E.prototype.toJSON=E.prototype.toArray,E.prototype.isEmpty=function(){return null===this.head},E.prototype.first=function(){return this.head&&this.head.data},E.prototype.last=function(){return this.tail&&this.tail.data},E.prototype.each=function(e,t){var n;void 0===t&&(t=this);for(var r=k(this,null,this.head);null!==r.next;)n=r.next,r.next=n.next,e.call(t,n.data,n,this);O(this)},E.prototype.forEach=E.prototype.each,E.prototype.eachRight=function(e,t){var n;void 0===t&&(t=this);for(var r=k(this,this.tail,null);null!==r.prev;)n=r.prev,r.prev=n.prev,e.call(t,n.data,n,this);O(this)},E.prototype.forEachRight=E.prototype.eachRight,E.prototype.reduce=function(e,t,n){var r;void 0===n&&(n=this);for(var i=k(this,null,this.head),o=t;null!==i.next;)r=i.next,i.next=r.next,o=e.call(n,o,r.data,r,this);return O(this),o},E.prototype.reduceRight=function(e,t,n){var r;void 0===n&&(n=this);for(var i=k(this,this.tail,null),o=t;null!==i.prev;)r=i.prev,i.prev=r.prev,o=e.call(n,o,r.data,r,this);return O(this),o},E.prototype.nextUntil=function(e,t,n){if(null!==e){var r;void 0===n&&(n=this);for(var i=k(this,null,e);null!==i.next&&(r=i.next,i.next=r.next,!t.call(n,r.data,r,this)););O(this)}},E.prototype.prevUntil=function(e,t,n){if(null!==e){var r;void 0===n&&(n=this);for(var i=k(this,e,null);null!==i.prev&&(r=i.prev,i.prev=r.prev,!t.call(n,r.data,r,this)););O(this)}},E.prototype.some=function(e,t){var n=this.head;for(void 0===t&&(t=this);null!==n;){if(e.call(t,n.data,n,this))return!0;n=n.next}return!1},E.prototype.map=function(e,t){var n=new E,r=this.head;for(void 0===t&&(t=this);null!==r;)n.appendData(e.call(t,r.data,r,this)),r=r.next;return n},E.prototype.filter=function(e,t){var n=new E,r=this.head;for(void 0===t&&(t=this);null!==r;)e.call(t,r.data,r,this)&&n.appendData(r.data),r=r.next;return n},E.prototype.clear=function(){this.head=null,this.tail=null},E.prototype.copy=function(){for(var e=new E,t=this.head;null!==t;)e.insert(C(t.data)),t=t.next;return e},E.prototype.prepend=function(e){return this.updateCursors(null,e,this.head,e),null!==this.head?(this.head.prev=e,e.next=this.head):this.tail=e,this.head=e,this},E.prototype.prependData=function(e){return this.prepend(C(e))},E.prototype.append=function(e){return this.insert(e)},E.prototype.appendData=function(e){return this.insert(C(e))},E.prototype.insert=function(e,t){if(null!=t)if(this.updateCursors(t.prev,e,t,e),null===t.prev){if(this.head!==t)throw new Error("before doesn't belong to list");this.head=e,t.prev=e,e.next=t,this.updateCursors(null,e)}else t.prev.next=e,e.prev=t.prev,t.prev=e,e.next=t;else this.updateCursors(this.tail,e,null,e),null!==this.tail?(this.tail.next=e,e.prev=this.tail):this.head=e,this.tail=e;return this},E.prototype.insertData=function(e,t){return this.insert(C(e),t)},E.prototype.remove=function(e){if(this.updateCursors(e,e.prev,e,e.next),null!==e.prev)e.prev.next=e.next;else{if(this.head!==e)throw new Error("item doesn't belong to list");this.head=e.next}if(null!==e.next)e.next.prev=e.prev;else{if(this.tail!==e)throw new Error("item doesn't belong to list");this.tail=e.prev}return e.prev=null,e.next=null,e},E.prototype.push=function(e){this.insert(C(e))},E.prototype.pop=function(){if(null!==this.tail)return this.remove(this.tail)},E.prototype.unshift=function(e){this.prepend(C(e))},E.prototype.shift=function(){if(null!==this.head)return this.remove(this.head)},E.prototype.prependList=function(e){return this.insertList(e,this.head)},E.prototype.appendList=function(e){return this.insertList(e)},E.prototype.insertList=function(e,t){return null===e.head||(null!=t?(this.updateCursors(t.prev,e.tail,t,e.head),null!==t.prev?(t.prev.next=e.head,e.head.prev=t.prev):this.head=e.head,t.prev=e.tail,e.tail.next=t):(this.updateCursors(this.tail,e.tail,null,e.head),null!==this.tail?(this.tail.next=e.head,e.head.prev=this.tail):this.head=e.head,this.tail=e.tail),e.head=null,e.tail=null),this},E.prototype.replace=function(e,t){"head"in t?this.insertList(t,e):this.insert(t,e),this.remove(e)};var A=E,_=function(e,t){var n=Object.create(SyntaxError.prototype),r=new Error;return n.name=e,n.message=t,Object.defineProperty(n,"stack",{get:function(){return(r.stack||"").replace(/^(.+\n){1,3}/,e+": "+t+"\n")}}),n},z=_,R=" ";function L(e,t){function n(e,t){return r.slice(e,t).map((function(t,n){for(var r=String(e+n+1);r.length<l;)r=" "+r;return r+" |"+t})).join("\n")}var r=e.source.split(/\r\n?|\n|\f/),i=e.line,o=e.column,a=Math.max(1,i-t)-1,s=Math.min(i+t,r.length+1),l=Math.max(4,String(s).length)+1,u=0;(o+=(R.length-1)*(r[i-1].substr(0,o-1).match(/\t/g)||[]).length)>100&&(u=o-60+3,o=58);for(var c=a;c<=s;c++)c>=0&&c<r.length&&(r[c]=r[c].replace(/\t/g,R),r[c]=(u>0&&r[c].length>u?"…":"")+r[c].substr(u,98)+(r[c].length>u+100-1?"…":""));return[n(a,i),new Array(o+l+2).join("-")+"^",n(i,s)].filter(Boolean).join("\n")}var P=function(e,t,n,r,i){var o=z("SyntaxError",e);return o.source=t,o.offset=n,o.line=r,o.column=i,o.sourceFragment=function(e){return L(o,isNaN(e)?0:e)},Object.defineProperty(o,"formattedMessage",{get:function(){return"Parse error: "+o.message+"\n"+L(o,2)}}),o.parseError={offset:n,line:r,column:i},o},B={EOF:0,Ident:1,Function:2,AtKeyword:3,Hash:4,String:5,BadString:6,Url:7,BadUrl:8,Delim:9,Number:10,Percentage:11,Dimension:12,WhiteSpace:13,CDO:14,CDC:15,Colon:16,Semicolon:17,Comma:18,LeftSquareBracket:19,RightSquareBracket:20,LeftParenthesis:21,RightParenthesis:22,LeftCurlyBracket:23,RightCurlyBracket:24,Comment:25},W=Object.keys(B).reduce((function(e,t){return e[B[t]]=t,e}),{}),M={TYPE:B,NAME:W};function U(e){return e>=48&&e<=57}function I(e){return e>=65&&e<=90}function N(e){return e>=97&&e<=122}function q(e){return I(e)||N(e)}function D(e){return e>=128}function V(e){return q(e)||D(e)||95===e}function j(e){return e>=0&&e<=8||11===e||e>=14&&e<=31||127===e}function F(e){return 10===e||13===e||12===e}function G(e){return F(e)||32===e||9===e}function K(e,t){return 92===e&&(!F(t)&&0!==t)}var Y=new Array(128);$.Eof=128,$.WhiteSpace=130,$.Digit=131,$.NameStart=132,$.NonPrintable=133;for(var H=0;H<Y.length;H++)switch(!0){case G(H):Y[H]=$.WhiteSpace;break;case U(H):Y[H]=$.Digit;break;case V(H):Y[H]=$.NameStart;break;case j(H):Y[H]=$.NonPrintable;break;default:Y[H]=H||$.Eof}function $(e){return e<128?Y[e]:$.NameStart}var Q={isDigit:U,isHexDigit:function(e){return U(e)||e>=65&&e<=70||e>=97&&e<=102},isUppercaseLetter:I,isLowercaseLetter:N,isLetter:q,isNonAscii:D,isNameStart:V,isName:function(e){return V(e)||U(e)||45===e},isNonPrintable:j,isNewline:F,isWhiteSpace:G,isValidEscape:K,isIdentifierStart:function(e,t,n){return 45===e?V(t)||45===t||K(t,n):!!V(e)||92===e&&K(e,t)},isNumberStart:function(e,t,n){return 43===e||45===e?U(t)?2:46===t&&U(n)?3:0:46===e?U(t)?2:0:U(e)?1:0},isBOM:function(e){return 65279===e||65534===e?1:0},charCodeCategory:$},Z=Q.isDigit,X=Q.isHexDigit,J=Q.isUppercaseLetter,ee=Q.isName,te=Q.isWhiteSpace,ne=Q.isValidEscape;function re(e,t){return t<e.length?e.charCodeAt(t):0}function ie(e,t,n){return 13===n&&10===re(e,t+1)?2:1}function oe(e,t,n){var r=e.charCodeAt(t);return J(r)&&(r|=32),r===n}function ae(e,t){for(;t<e.length&&Z(e.charCodeAt(t));t++);return t}function se(e,t){if(X(re(e,(t+=2)-1))){for(var n=Math.min(e.length,t+5);t<n&&X(re(e,t));t++);var r=re(e,t);te(r)&&(t+=ie(e,t,r))}return t}var le={consumeEscaped:se,consumeName:function(e,t){for(;t<e.length;t++){var n=e.charCodeAt(t);if(!ee(n)){if(!ne(n,re(e,t+1)))break;t=se(e,t)-1}}return t},consumeNumber:function(e,t){var n=e.charCodeAt(t);if(43!==n&&45!==n||(n=e.charCodeAt(t+=1)),Z(n)&&(t=ae(e,t+1),n=e.charCodeAt(t)),46===n&&Z(e.charCodeAt(t+1))&&(n=e.charCodeAt(t+=2),t=ae(e,t)),oe(e,t,101)){var r=0;45!==(n=e.charCodeAt(t+1))&&43!==n||(r=1,n=e.charCodeAt(t+2)),Z(n)&&(t=ae(e,t+1+r+1))}return t},consumeBadUrlRemnants:function(e,t){for(;t<e.length;t++){var n=e.charCodeAt(t);if(41===n){t++;break}ne(n,re(e,t+1))&&(t=se(e,t))}return t},cmpChar:oe,cmpStr:function(e,t,n,r){if(n-t!==r.length)return!1;if(t<0||n>e.length)return!1;for(var i=t;i<n;i++){var o=e.charCodeAt(i),a=r.charCodeAt(i-t);if(J(o)&&(o|=32),o!==a)return!1}return!0},getNewlineLength:ie,findWhiteSpaceStart:function(e,t){for(;t>=0&&te(e.charCodeAt(t));t--);return t+1},findWhiteSpaceEnd:function(e,t){for(;t<e.length&&te(e.charCodeAt(t));t++);return t}},ue=M.TYPE,ce=M.NAME,de=le.cmpStr,pe=ue.EOF,me=ue.WhiteSpace,he=ue.Comment,fe=16777215,ge=24,ye=function(){this.offsetAndType=null,this.balance=null,this.reset()};ye.prototype={reset:function(){this.eof=!1,this.tokenIndex=-1,this.tokenType=0,this.tokenStart=this.firstCharOffset,this.tokenEnd=this.firstCharOffset},lookupType:function(e){return(e+=this.tokenIndex)<this.tokenCount?this.offsetAndType[e]>>ge:pe},lookupOffset:function(e){return(e+=this.tokenIndex)<this.tokenCount?this.offsetAndType[e-1]&fe:this.source.length},lookupValue:function(e,t){return(e+=this.tokenIndex)<this.tokenCount&&de(this.source,this.offsetAndType[e-1]&fe,this.offsetAndType[e]&fe,t)},getTokenStart:function(e){return e===this.tokenIndex?this.tokenStart:e>0?e<this.tokenCount?this.offsetAndType[e-1]&fe:this.offsetAndType[this.tokenCount]&fe:this.firstCharOffset},getRawLength:function(e,t){var n,r=e,i=this.offsetAndType[Math.max(r-1,0)]&fe;e:for(;r<this.tokenCount&&!((n=this.balance[r])<e);r++)switch(t(this.offsetAndType[r]>>ge,this.source,i)){case 1:break e;case 2:r++;break e;default:this.balance[n]===r&&(r=n),i=this.offsetAndType[r]&fe}return r-this.tokenIndex},isBalanceEdge:function(e){return this.balance[this.tokenIndex]<e},isDelim:function(e,t){return t?this.lookupType(t)===ue.Delim&&this.source.charCodeAt(this.lookupOffset(t))===e:this.tokenType===ue.Delim&&this.source.charCodeAt(this.tokenStart)===e},getTokenValue:function(){return this.source.substring(this.tokenStart,this.tokenEnd)},getTokenLength:function(){return this.tokenEnd-this.tokenStart},substrToCursor:function(e){return this.source.substring(e,this.tokenStart)},skipWS:function(){for(var e=this.tokenIndex,t=0;e<this.tokenCount&&this.offsetAndType[e]>>ge===me;e++,t++);t>0&&this.skip(t)},skipSC:function(){for(;this.tokenType===me||this.tokenType===he;)this.next()},skip:function(e){var t=this.tokenIndex+e;t<this.tokenCount?(this.tokenIndex=t,this.tokenStart=this.offsetAndType[t-1]&fe,t=this.offsetAndType[t],this.tokenType=t>>ge,this.tokenEnd=t&fe):(this.tokenIndex=this.tokenCount,this.next())},next:function(){var e=this.tokenIndex+1;e<this.tokenCount?(this.tokenIndex=e,this.tokenStart=this.tokenEnd,e=this.offsetAndType[e],this.tokenType=e>>ge,this.tokenEnd=e&fe):(this.tokenIndex=this.tokenCount,this.eof=!0,this.tokenType=pe,this.tokenStart=this.tokenEnd=this.source.length)},forEachToken(e){for(var t=0,n=this.firstCharOffset;t<this.tokenCount;t++){var r=n,i=this.offsetAndType[t],o=i&fe;n=o,e(i>>ge,r,o,t)}},dump(){var e=new Array(this.tokenCount);return this.forEachToken(((t,n,r,i)=>{e[i]={idx:i,type:ce[t],chunk:this.source.substring(n,r),balance:this.balance[i]}})),e}};var ve=ye;function be(e){return e}function Se(e,t,n,r){var i,o;switch(e.type){case"Group":i=function(e,t,n,r){var i=" "===e.combinator||r?e.combinator:" "+e.combinator+" ",o=e.terms.map((function(e){return Se(e,t,n,r)})).join(i);return(e.explicit||n)&&(o=(r||","===o[0]?"[":"[ ")+o+(r?"]":" ]")),o}(e,t,n,r)+(e.disallowEmpty?"!":"");break;case"Multiplier":return Se(e.term,t,n,r)+t(0===(o=e).min&&0===o.max?"*":0===o.min&&1===o.max?"?":1===o.min&&0===o.max?o.comma?"#":"+":1===o.min&&1===o.max?"":(o.comma?"#":"")+(o.min===o.max?"{"+o.min+"}":"{"+o.min+","+(0!==o.max?o.max:"")+"}"),e);case"Type":i="<"+e.name+(e.opts?t(function(e){switch(e.type){case"Range":return" ["+(null===e.min?"-∞":e.min)+","+(null===e.max?"∞":e.max)+"]";default:throw new Error("Unknown node type `"+e.type+"`")}}(e.opts),e.opts):"")+">";break;case"Property":i="<'"+e.name+"'>";break;case"Keyword":i=e.name;break;case"AtKeyword":i="@"+e.name;break;case"Function":i=e.name+"(";break;case"String":case"Token":i=e.value;break;case"Comma":i=",";break;default:throw new Error("Unknown node type `"+e.type+"`")}return t(i,e)}var xe=function(e,t){var n=be,r=!1,i=!1;return"function"==typeof t?n=t:t&&(r=Boolean(t.forceBraces),i=Boolean(t.compact),"function"==typeof t.decorate&&(n=t.decorate)),Se(e,n,r,i)};const we=_,Ce=xe,ke={offset:0,line:1,column:1};function Oe(e,t){const n=e&&e.loc&&e.loc[t];return n?"line"in n?Te(n):n:null}function Te({offset:e,line:t,column:n},r){const i={offset:e,line:t,column:n};if(r){const e=r.split(/\n|\r\n?|\f/);i.offset+=r.length,i.line+=e.length-1,i.column=1===e.length?i.column+r.length:e.pop().length+1}return i}var Ee=function(e,t){const n=we("SyntaxReferenceError",e+(t?" `"+t+"`":""));return n.reference=t,n},Ae=function(e,t,n,r){const i=we("SyntaxMatchError",e),{css:o,mismatchOffset:a,mismatchLength:s,start:l,end:u}=function(e,t){const n=e.tokens,r=e.longestMatch,i=r<n.length&&n[r].node||null,o=i!==t?i:null;let a,s,l=0,u=0,c=0,d="";for(let e=0;e<n.length;e++){const t=n[e].value;e===r&&(u=t.length,l=d.length),null!==o&&n[e].node===o&&(e<=r?c++:c=0),d+=t}return r===n.length||c>1?(a=Oe(o||t,"end")||Te(ke,d),s=Te(a)):(a=Oe(o,"start")||Te(Oe(t,"start")||ke,d.slice(0,l)),s=Oe(o,"end")||Te(a,d.substr(l,u))),{css:d,mismatchOffset:l,mismatchLength:u,start:a,end:s}}(r,n);return i.rawMessage=e,i.syntax=t?Ce(t):"<generic>",i.css=o,i.mismatchOffset=a,i.mismatchLength=s,i.message=e+"\n syntax: "+i.syntax+"\n value: "+(o||"<empty string>")+"\n --------"+new Array(i.mismatchOffset+1).join("-")+"^",Object.assign(i,l),i.loc={source:n&&n.loc&&n.loc.source||"<unknown>",start:l,end:u},i},_e=Object.prototype.hasOwnProperty,ze=Object.create(null),Re=Object.create(null);function Le(e,t){return t=t||0,e.length-t>=2&&45===e.charCodeAt(t)&&45===e.charCodeAt(t+1)}function Pe(e,t){if(t=t||0,e.length-t>=3&&45===e.charCodeAt(t)&&45!==e.charCodeAt(t+1)){var n=e.indexOf("-",t+2);if(-1!==n)return e.substring(t,n+1)}return""}var Be={keyword:function(e){if(_e.call(ze,e))return ze[e];var t=e.toLowerCase();if(_e.call(ze,t))return ze[e]=ze[t];var n=Le(t,0),r=n?"":Pe(t,0);return ze[e]=Object.freeze({basename:t.substr(r.length),name:t,vendor:r,prefix:r,custom:n})},property:function(e){if(_e.call(Re,e))return Re[e];var t=e,n=e[0];"/"===n?n="/"===e[1]?"//":"/":"_"!==n&&"*"!==n&&"$"!==n&&"#"!==n&&"+"!==n&&"&"!==n&&(n="");var r=Le(t,n.length);if(!r&&(t=t.toLowerCase(),_e.call(Re,t)))return Re[e]=Re[t];var i=r?"":Pe(t,n.length),o=t.substr(0,n.length+i.length);return Re[e]=Object.freeze({basename:t.substr(o.length),name:t.substr(n.length),hack:n,vendor:i,prefix:o,custom:r})},isCustomProperty:Le,vendorPrefix:Pe},We="undefined"!=typeof Uint32Array?Uint32Array:Array,Me=function(e,t){return null===e||e.length<t?new We(Math.max(t+1024,16384)):e},Ue=ve,Ie=Me,Ne=M,qe=Ne.TYPE,De=Q,Ve=De.isNewline,je=De.isName,Fe=De.isValidEscape,Ge=De.isNumberStart,Ke=De.isIdentifierStart,Ye=De.charCodeCategory,He=De.isBOM,$e=le,Qe=$e.cmpStr,Ze=$e.getNewlineLength,Xe=$e.findWhiteSpaceEnd,Je=$e.consumeEscaped,et=$e.consumeName,tt=$e.consumeNumber,nt=$e.consumeBadUrlRemnants,rt=16777215,it=24;function ot(e,t){function n(t){return t<a?e.charCodeAt(t):0}function r(){return d=tt(e,d),Ke(n(d),n(d+1),n(d+2))?(g=qe.Dimension,void(d=et(e,d))):37===n(d)?(g=qe.Percentage,void d++):void(g=qe.Number)}function i(){const t=d;return d=et(e,d),Qe(e,t,d,"url")&&40===n(d)?34===n(d=Xe(e,d+1))||39===n(d)?(g=qe.Function,void(d=t+4)):void function(){for(g=qe.Url,d=Xe(e,d);d<e.length;d++){var t=e.charCodeAt(d);switch(Ye(t)){case 41:return void d++;case Ye.Eof:return;case Ye.WhiteSpace:return 41===n(d=Xe(e,d))||d>=e.length?void(d<e.length&&d++):(d=nt(e,d),void(g=qe.BadUrl));case 34:case 39:case 40:case Ye.NonPrintable:return d=nt(e,d),void(g=qe.BadUrl);case 92:if(Fe(t,n(d+1))){d=Je(e,d)-1;break}return d=nt(e,d),void(g=qe.BadUrl)}}}():40===n(d)?(g=qe.Function,void d++):void(g=qe.Ident)}function o(t){for(t||(t=n(d++)),g=qe.String;d<e.length;d++){var r=e.charCodeAt(d);switch(Ye(r)){case t:return void d++;case Ye.Eof:return;case Ye.WhiteSpace:if(Ve(r))return d+=Ze(e,d,r),void(g=qe.BadString);break;case 92:if(d===e.length-1)break;var i=n(d+1);Ve(i)?d+=Ze(e,d+1,i):Fe(r,i)&&(d=Je(e,d)-1)}}}t||(t=new Ue);for(var a=(e=String(e||"")).length,s=Ie(t.offsetAndType,a+1),l=Ie(t.balance,a+1),u=0,c=He(n(0)),d=c,p=0,m=0,h=0;d<a;){var f=e.charCodeAt(d),g=0;switch(l[u]=a,Ye(f)){case Ye.WhiteSpace:g=qe.WhiteSpace,d=Xe(e,d+1);break;case 34:o();break;case 35:je(n(d+1))||Fe(n(d+1),n(d+2))?(g=qe.Hash,d=et(e,d+1)):(g=qe.Delim,d++);break;case 39:o();break;case 40:g=qe.LeftParenthesis,d++;break;case 41:g=qe.RightParenthesis,d++;break;case 43:Ge(f,n(d+1),n(d+2))?r():(g=qe.Delim,d++);break;case 44:g=qe.Comma,d++;break;case 45:Ge(f,n(d+1),n(d+2))?r():45===n(d+1)&&62===n(d+2)?(g=qe.CDC,d+=3):Ke(f,n(d+1),n(d+2))?i():(g=qe.Delim,d++);break;case 46:Ge(f,n(d+1),n(d+2))?r():(g=qe.Delim,d++);break;case 47:42===n(d+1)?(g=qe.Comment,1===(d=e.indexOf("*/",d+2)+2)&&(d=e.length)):(g=qe.Delim,d++);break;case 58:g=qe.Colon,d++;break;case 59:g=qe.Semicolon,d++;break;case 60:33===n(d+1)&&45===n(d+2)&&45===n(d+3)?(g=qe.CDO,d+=4):(g=qe.Delim,d++);break;case 64:Ke(n(d+1),n(d+2),n(d+3))?(g=qe.AtKeyword,d=et(e,d+1)):(g=qe.Delim,d++);break;case 91:g=qe.LeftSquareBracket,d++;break;case 92:Fe(f,n(d+1))?i():(g=qe.Delim,d++);break;case 93:g=qe.RightSquareBracket,d++;break;case 123:g=qe.LeftCurlyBracket,d++;break;case 125:g=qe.RightCurlyBracket,d++;break;case Ye.Digit:r();break;case Ye.NameStart:i();break;case Ye.Eof:break;default:g=qe.Delim,d++}switch(g){case p:for(p=(m=l[h=m&rt])>>it,l[u]=h,l[h++]=u;h<u;h++)l[h]===a&&(l[h]=u);break;case qe.LeftParenthesis:case qe.Function:l[u]=m,m=(p=qe.RightParenthesis)<<it|u;break;case qe.LeftSquareBracket:l[u]=m,m=(p=qe.RightSquareBracket)<<it|u;break;case qe.LeftCurlyBracket:l[u]=m,m=(p=qe.RightCurlyBracket)<<it|u}s[u++]=g<<it|d}for(s[u]=qe.EOF<<it|d,l[u]=a,l[a]=a;0!==m;)m=l[h=m&rt],l[h]=a;return t.source=e,t.firstCharOffset=c,t.offsetAndType=s,t.tokenCount=u,t.balance=l,t.reset(),t.next(),t}Object.keys(Ne).forEach((function(e){ot[e]=Ne[e]})),Object.keys(De).forEach((function(e){ot[e]=De[e]})),Object.keys($e).forEach((function(e){ot[e]=$e[e]}));var at=ot,st=at.isDigit,lt=at.cmpChar,ut=at.TYPE,ct=ut.Delim,dt=ut.WhiteSpace,pt=ut.Comment,mt=ut.Ident,ht=ut.Number,ft=ut.Dimension,gt=45,yt=!0;function vt(e,t){return null!==e&&e.type===ct&&e.value.charCodeAt(0)===t}function bt(e,t,n){for(;null!==e&&(e.type===dt||e.type===pt);)e=n(++t);return t}function St(e,t,n,r){if(!e)return 0;var i=e.value.charCodeAt(t);if(43===i||i===gt){if(n)return 0;t++}for(;t<e.value.length;t++)if(!st(e.value.charCodeAt(t)))return 0;return r+1}function xt(e,t,n){var r=!1,i=bt(e,t,n);if(null===(e=n(i)))return t;if(e.type!==ht){if(!vt(e,43)&&!vt(e,gt))return t;if(r=!0,i=bt(n(++i),i,n),null===(e=n(i))&&e.type!==ht)return 0}if(!r){var o=e.value.charCodeAt(0);if(43!==o&&o!==gt)return 0}return St(e,r?0:1,r,i)}var wt=at.isHexDigit,Ct=at.cmpChar,kt=at.TYPE,Ot=kt.Ident,Tt=kt.Delim,Et=kt.Number,At=kt.Dimension;function _t(e,t){return null!==e&&e.type===Tt&&e.value.charCodeAt(0)===t}function zt(e,t){return e.value.charCodeAt(0)===t}function Rt(e,t,n){for(var r=t,i=0;r<e.value.length;r++){var o=e.value.charCodeAt(r);if(45===o&&n&&0!==i)return Rt(e,t+i+1,!1)>0?6:0;if(!wt(o))return 0;if(++i>6)return 0}return i}function Lt(e,t,n){if(!e)return 0;for(;_t(n(t),63);){if(++e>6)return 0;t++}return t}var Pt=at,Bt=Pt.isIdentifierStart,Wt=Pt.isHexDigit,Mt=Pt.isDigit,Ut=Pt.cmpStr,It=Pt.consumeNumber,Nt=Pt.TYPE,qt=function(e,t){var n=0;if(!e)return 0;if(e.type===ht)return St(e,0,false,n);if(e.type===mt&&e.value.charCodeAt(0)===gt){if(!lt(e.value,1,110))return 0;switch(e.value.length){case 2:return xt(t(++n),n,t);case 3:return e.value.charCodeAt(2)!==gt?0:(n=bt(t(++n),n,t),St(e=t(n),0,yt,n));default:return e.value.charCodeAt(2)!==gt?0:St(e,3,yt,n)}}else if(e.type===mt||vt(e,43)&&t(n+1).type===mt){if(e.type!==mt&&(e=t(++n)),null===e||!lt(e.value,0,110))return 0;switch(e.value.length){case 1:return xt(t(++n),n,t);case 2:return e.value.charCodeAt(1)!==gt?0:(n=bt(t(++n),n,t),St(e=t(n),0,yt,n));default:return e.value.charCodeAt(1)!==gt?0:St(e,2,yt,n)}}else if(e.type===ft){for(var r=e.value.charCodeAt(0),i=43===r||r===gt?1:0,o=i;o<e.value.length&&st(e.value.charCodeAt(o));o++);return o===i?0:lt(e.value,o,110)?o+1===e.value.length?xt(t(++n),n,t):e.value.charCodeAt(o+1)!==gt?0:o+2===e.value.length?(n=bt(t(++n),n,t),St(e=t(n),0,yt,n)):St(e,o+2,yt,n):0}return 0},Dt=function(e,t){var n=0;if(null===e||e.type!==Ot||!Ct(e.value,0,117))return 0;if(null===(e=t(++n)))return 0;if(_t(e,43))return null===(e=t(++n))?0:e.type===Ot?Lt(Rt(e,0,!0),++n,t):_t(e,63)?Lt(1,++n,t):0;if(e.type===Et){if(!zt(e,43))return 0;var r=Rt(e,1,!0);return 0===r?0:null===(e=t(++n))?n:e.type===At||e.type===Et?zt(e,45)&&Rt(e,1,!1)?n+1:0:Lt(r,n,t)}return e.type===At&&zt(e,43)?Lt(Rt(e,1,!0),++n,t):0},Vt=["unset","initial","inherit"],jt=["calc(","-moz-calc(","-webkit-calc("];function Ft(e,t){return t<e.length?e.charCodeAt(t):0}function Gt(e,t){return Ut(e,0,e.length,t)}function Kt(e,t){for(var n=0;n<t.length;n++)if(Gt(e,t[n]))return!0;return!1}function Yt(e,t){return t===e.length-2&&(92===e.charCodeAt(t)&&Mt(e.charCodeAt(t+1)))}function Ht(e,t,n){if(e&&"Range"===e.type){var r=Number(void 0!==n&&n!==t.length?t.substr(0,n):t);if(isNaN(r))return!0;if(null!==e.min&&r<e.min)return!0;if(null!==e.max&&r>e.max)return!0}return!1}function $t(e,t){var n=e.index,r=0;do{if(r++,e.balance<=n)break}while(e=t(r));return r}function Qt(e){return function(t,n,r){return null===t?0:t.type===Nt.Function&&Kt(t.value,jt)?$t(t,n):e(t,n,r)}}function Zt(e){return function(t){return null===t||t.type!==e?0:1}}function Xt(e){return function(t,n,r){if(null===t||t.type!==Nt.Dimension)return 0;var i=It(t.value,0);if(null!==e){var o=t.value.indexOf("\\",i),a=-1!==o&&Yt(t.value,o)?t.value.substring(i,o):t.value.substr(i);if(!1===e.hasOwnProperty(a.toLowerCase()))return 0}return Ht(r,t.value,i)?0:1}}function Jt(e){return"function"!=typeof e&&(e=function(){return 0}),function(t,n,r){return null!==t&&t.type===Nt.Number&&0===Number(t.value)?1:e(t,n,r)}}var en={"ident-token":Zt(Nt.Ident),"function-token":Zt(Nt.Function),"at-keyword-token":Zt(Nt.AtKeyword),"hash-token":Zt(Nt.Hash),"string-token":Zt(Nt.String),"bad-string-token":Zt(Nt.BadString),"url-token":Zt(Nt.Url),"bad-url-token":Zt(Nt.BadUrl),"delim-token":Zt(Nt.Delim),"number-token":Zt(Nt.Number),"percentage-token":Zt(Nt.Percentage),"dimension-token":Zt(Nt.Dimension),"whitespace-token":Zt(Nt.WhiteSpace),"CDO-token":Zt(Nt.CDO),"CDC-token":Zt(Nt.CDC),"colon-token":Zt(Nt.Colon),"semicolon-token":Zt(Nt.Semicolon),"comma-token":Zt(Nt.Comma),"[-token":Zt(Nt.LeftSquareBracket),"]-token":Zt(Nt.RightSquareBracket),"(-token":Zt(Nt.LeftParenthesis),")-token":Zt(Nt.RightParenthesis),"{-token":Zt(Nt.LeftCurlyBracket),"}-token":Zt(Nt.RightCurlyBracket),string:Zt(Nt.String),ident:Zt(Nt.Ident),"custom-ident":function(e){if(null===e||e.type!==Nt.Ident)return 0;var t=e.value.toLowerCase();return Kt(t,Vt)||Gt(t,"default")?0:1},"custom-property-name":function(e){return null===e||e.type!==Nt.Ident||45!==Ft(e.value,0)||45!==Ft(e.value,1)?0:1},"hex-color":function(e){if(null===e||e.type!==Nt.Hash)return 0;var t=e.value.length;if(4!==t&&5!==t&&7!==t&&9!==t)return 0;for(var n=1;n<t;n++)if(!Wt(e.value.charCodeAt(n)))return 0;return 1},"id-selector":function(e){return null===e||e.type!==Nt.Hash?0:Bt(Ft(e.value,1),Ft(e.value,2),Ft(e.value,3))?1:0},"an-plus-b":qt,urange:Dt,"declaration-value":function(e,t){if(!e)return 0;var n=0,r=0,i=e.index;e:do{switch(e.type){case Nt.BadString:case Nt.BadUrl:break e;case Nt.RightCurlyBracket:case Nt.RightParenthesis:case Nt.RightSquareBracket:if(e.balance>e.index||e.balance<i)break e;r--;break;case Nt.Semicolon:if(0===r)break e;break;case Nt.Delim:if("!"===e.value&&0===r)break e;break;case Nt.Function:case Nt.LeftParenthesis:case Nt.LeftSquareBracket:case Nt.LeftCurlyBracket:r++}if(n++,e.balance<=i)break}while(e=t(n));return n},"any-value":function(e,t){if(!e)return 0;var n=e.index,r=0;e:do{switch(e.type){case Nt.BadString:case Nt.BadUrl:break e;case Nt.RightCurlyBracket:case Nt.RightParenthesis:case Nt.RightSquareBracket:if(e.balance>e.index||e.balance<n)break e}if(r++,e.balance<=n)break}while(e=t(r));return r},dimension:Qt(Xt(null)),angle:Qt(Xt({deg:!0,grad:!0,rad:!0,turn:!0})),decibel:Qt(Xt({db:!0})),frequency:Qt(Xt({hz:!0,khz:!0})),flex:Qt(Xt({fr:!0})),length:Qt(Jt(Xt({px:!0,mm:!0,cm:!0,in:!0,pt:!0,pc:!0,q:!0,em:!0,ex:!0,ch:!0,rem:!0,vh:!0,vw:!0,vmin:!0,vmax:!0,vm:!0}))),resolution:Qt(Xt({dpi:!0,dpcm:!0,dppx:!0,x:!0})),semitones:Qt(Xt({st:!0})),time:Qt(Xt({s:!0,ms:!0})),percentage:Qt((function(e,t,n){return null===e||e.type!==Nt.Percentage||Ht(n,e.value,e.value.length-1)?0:1})),zero:Jt(),number:Qt((function(e,t,n){if(null===e)return 0;var r=It(e.value,0);return r===e.value.length||Yt(e.value,r)?Ht(n,e.value,r)?0:1:0})),integer:Qt((function(e,t,n){if(null===e||e.type!==Nt.Number)return 0;for(var r=43===e.value.charCodeAt(0)||45===e.value.charCodeAt(0)?1:0;r<e.value.length;r++)if(!Mt(e.value.charCodeAt(r)))return 0;return Ht(n,e.value,r)?0:1})),"-ms-legacy-expression":function(e){return e+="(",function(t,n){return null!==t&&Gt(t.value,e)?$t(t,n):0}}("expression")},tn=_,nn=function(e,t,n){var r=tn("SyntaxError",e);return r.input=t,r.offset=n,r.rawMessage=e,r.message=r.rawMessage+"\n "+r.input+"\n--"+new Array((r.offset||r.input.length)+1).join("-")+"^",r},rn=nn,on=function(e){this.str=e,this.pos=0};on.prototype={charCodeAt:function(e){return e<this.str.length?this.str.charCodeAt(e):0},charCode:function(){return this.charCodeAt(this.pos)},nextCharCode:function(){return this.charCodeAt(this.pos+1)},nextNonWsCode:function(e){return this.charCodeAt(this.findWsEnd(e))},findWsEnd:function(e){for(;e<this.str.length;e++){var t=this.str.charCodeAt(e);if(13!==t&&10!==t&&12!==t&&32!==t&&9!==t)break}return e},substringToPos:function(e){return this.str.substring(this.pos,this.pos=e)},eat:function(e){this.charCode()!==e&&this.error("Expect `"+String.fromCharCode(e)+"`"),this.pos++},peek:function(){return this.pos<this.str.length?this.str.charAt(this.pos++):""},error:function(e){throw new rn(e,this.str,this.pos)}};var an=on,sn=123,ln=function(e){for(var t="function"==typeof Uint32Array?new Uint32Array(128):new Array(128),n=0;n<128;n++)t[n]=e(String.fromCharCode(n))?1:0;return t}((function(e){return/[a-zA-Z0-9\-]/.test(e)})),un={" ":1,"&&":2,"||":3,"|":4};function cn(e){return e.substringToPos(e.findWsEnd(e.pos))}function dn(e){for(var t=e.pos;t<e.str.length;t++){var n=e.str.charCodeAt(t);if(n>=128||0===ln[n])break}return e.pos===t&&e.error("Expect a keyword"),e.substringToPos(t)}function pn(e){for(var t=e.pos;t<e.str.length;t++){var n=e.str.charCodeAt(t);if(n<48||n>57)break}return e.pos===t&&e.error("Expect a number"),e.substringToPos(t)}function mn(e){var t=e.str.indexOf("'",e.pos+1);return-1===t&&(e.pos=e.str.length,e.error("Expect an apostrophe")),e.substringToPos(t+1)}function hn(e){var t,n=null;return e.eat(sn),t=pn(e),44===e.charCode()?(e.pos++,125!==e.charCode()&&(n=pn(e))):n=t,e.eat(125),{min:Number(t),max:n?Number(n):0}}function fn(e,t){var n=function(e){var t=null,n=!1;switch(e.charCode()){case 42:e.pos++,t={min:0,max:0};break;case 43:e.pos++,t={min:1,max:0};break;case 63:e.pos++,t={min:0,max:1};break;case 35:e.pos++,n=!0,t=e.charCode()===sn?hn(e):{min:1,max:0};break;case sn:t=hn(e);break;default:return null}return{type:"Multiplier",comma:n,min:t.min,max:t.max,term:null}}(e);return null!==n?(n.term=t,n):t}function gn(e){var t=e.peek();return""===t?null:{type:"Token",value:t}}function yn(e){var t,n=null;return e.eat(60),t=dn(e),40===e.charCode()&&41===e.nextCharCode()&&(e.pos+=2,t+="()"),91===e.charCodeAt(e.findWsEnd(e.pos))&&(cn(e),n=function(e){var t=null,n=null,r=1;return e.eat(91),45===e.charCode()&&(e.peek(),r=-1),-1==r&&8734===e.charCode()?e.peek():t=r*Number(pn(e)),cn(e),e.eat(44),cn(e),8734===e.charCode()?e.peek():(r=1,45===e.charCode()&&(e.peek(),r=-1),n=r*Number(pn(e))),e.eat(93),null===t&&null===n?null:{type:"Range",min:t,max:n}}(e)),e.eat(62),fn(e,{type:"Type",name:t,opts:n})}function vn(e,t){function n(e,t){return{type:"Group",terms:e,combinator:t,disallowEmpty:!1,explicit:!1}}for(t=Object.keys(t).sort((function(e,t){return un[e]-un[t]}));t.length>0;){for(var r=t.shift(),i=0,o=0;i<e.length;i++){var a=e[i];"Combinator"===a.type&&(a.value===r?(-1===o&&(o=i-1),e.splice(i,1),i--):(-1!==o&&i-o>1&&(e.splice(o,i-o,n(e.slice(o,i),r)),i=o+1),o=-1))}-1!==o&&t.length&&e.splice(o,i-o,n(e.slice(o,i),r))}return r}function bn(e){for(var t,n=[],r={},i=null,o=e.pos;t=Sn(e);)"Spaces"!==t.type&&("Combinator"===t.type?(null!==i&&"Combinator"!==i.type||(e.pos=o,e.error("Unexpected combinator")),r[t.value]=!0):null!==i&&"Combinator"!==i.type&&(r[" "]=!0,n.push({type:"Combinator",value:" "})),n.push(t),i=t,o=e.pos);return null!==i&&"Combinator"===i.type&&(e.pos-=o,e.error("Unexpected combinator")),{type:"Group",terms:n,combinator:vn(n,r)||" ",disallowEmpty:!1,explicit:!1}}function Sn(e){var t=e.charCode();if(t<128&&1===ln[t])return function(e){var t;return t=dn(e),40===e.charCode()?(e.pos++,{type:"Function",name:t}):fn(e,{type:"Keyword",name:t})}(e);switch(t){case 93:break;case 91:return fn(e,function(e){var t;return e.eat(91),t=bn(e),e.eat(93),t.explicit=!0,33===e.charCode()&&(e.pos++,t.disallowEmpty=!0),t}(e));case 60:return 39===e.nextCharCode()?function(e){var t;return e.eat(60),e.eat(39),t=dn(e),e.eat(39),e.eat(62),fn(e,{type:"Property",name:t})}(e):yn(e);case 124:return{type:"Combinator",value:e.substringToPos(124===e.nextCharCode()?e.pos+2:e.pos+1)};case 38:return e.pos++,e.eat(38),{type:"Combinator",value:"&&"};case 44:return e.pos++,{type:"Comma"};case 39:return fn(e,{type:"String",value:mn(e)});case 32:case 9:case 10:case 13:case 12:return{type:"Spaces",value:cn(e)};case 64:return(t=e.nextCharCode())<128&&1===ln[t]?(e.pos++,{type:"AtKeyword",name:dn(e)}):gn(e);case 42:case 43:case 63:case 35:case 33:break;case sn:if((t=e.nextCharCode())<48||t>57)return gn(e);break;default:return gn(e)}}function xn(e){var t=new an(e),n=bn(t);return t.pos!==e.length&&t.error("Unexpected input"),1===n.terms.length&&"Group"===n.terms[0].type&&(n=n.terms[0]),n}xn("[a&&<b>#|<'c'>*||e() f{2} /,(% g#{1,2} h{2,})]!");var wn=xn,Cn=function(){};function kn(e){return"function"==typeof e?e:Cn}var On=function(e,t,n){var r=Cn,i=Cn;if("function"==typeof t?r=t:t&&(r=kn(t.enter),i=kn(t.leave)),r===Cn&&i===Cn)throw new Error("Neither `enter` nor `leave` walker handler is set or both aren't a function");!function e(t){switch(r.call(n,t),t.type){case"Group":t.terms.forEach(e);break;case"Multiplier":e(t.term);break;case"Type":case"Property":case"Keyword":case"AtKeyword":case"Function":case"String":case"Token":case"Comma":break;default:throw new Error("Unknown type: "+t.type)}i.call(n,t)}(e)},Tn=at,En=new ve,An={decorator:function(e){var t=null,n={len:0,node:null},r=[n],i="";return{children:e.children,node:function(n){var r=t;t=n,e.node.call(this,n),t=r},chunk:function(e){i+=e,n.node!==t?r.push({len:e.length,node:t}):n.len+=e.length},result:function(){return _n(i,r)}}}};function _n(e,t){var n=[],r=0,i=0,o=t?t[i].node:null;for(Tn(e,En);!En.eof;){if(t)for(;i<t.length&&r+t[i].len<=En.tokenStart;)r+=t[i++].len,o=t[i].node;n.push({type:En.tokenType,value:En.getTokenValue(),index:En.tokenIndex,balance:En.balance[En.tokenIndex],node:o}),En.next()}return n}var zn=wn,Rn={type:"Match"},Ln={type:"Mismatch"},Pn={type:"DisallowEmpty"};function Bn(e,t,n){return t===Rn&&n===Ln||e===Rn&&t===Rn&&n===Rn?e:("If"===e.type&&e.else===Ln&&t===Rn&&(t=e.then,e=e.match),{type:"If",match:e,then:t,else:n})}function Wn(e){return e.length>2&&40===e.charCodeAt(e.length-2)&&41===e.charCodeAt(e.length-1)}function Mn(e){return"Keyword"===e.type||"AtKeyword"===e.type||"Function"===e.type||"Type"===e.type&&Wn(e.name)}function Un(e,t,n){switch(e){case" ":for(var r=Rn,i=t.length-1;i>=0;i--){r=Bn(s=t[i],r,Ln)}return r;case"|":r=Ln;var o=null;for(i=t.length-1;i>=0;i--){if(Mn(s=t[i])&&(null===o&&i>0&&Mn(t[i-1])&&(r=Bn({type:"Enum",map:o=Object.create(null)},Rn,r)),null!==o)){var a=(Wn(s.name)?s.name.slice(0,-1):s.name).toLowerCase();if(a in o==!1){o[a]=s;continue}}o=null,r=Bn(s,Rn,r)}return r;case"&&":if(t.length>5)return{type:"MatchOnce",terms:t,all:!0};for(r=Ln,i=t.length-1;i>=0;i--){var s=t[i];l=t.length>1?Un(e,t.filter((function(e){return e!==s})),!1):Rn,r=Bn(s,l,r)}return r;case"||":if(t.length>5)return{type:"MatchOnce",terms:t,all:!1};for(r=n?Rn:Ln,i=t.length-1;i>=0;i--){var l;s=t[i];l=t.length>1?Un(e,t.filter((function(e){return e!==s})),!0):Rn,r=Bn(s,l,r)}return r}}function In(e){if("function"==typeof e)return{type:"Generic",fn:e};switch(e.type){case"Group":var t=Un(e.combinator,e.terms.map(In),!1);return e.disallowEmpty&&(t=Bn(t,Pn,Ln)),t;case"Multiplier":return function(e){var t=Rn,n=In(e.term);if(0===e.max)n=Bn(n,Pn,Ln),(t=Bn(n,null,Ln)).then=Bn(Rn,Rn,t),e.comma&&(t.then.else=Bn({type:"Comma",syntax:e},t,Ln));else for(var r=e.min||1;r<=e.max;r++)e.comma&&t!==Rn&&(t=Bn({type:"Comma",syntax:e},t,Ln)),t=Bn(n,Bn(Rn,Rn,t),Ln);if(0===e.min)t=Bn(Rn,Rn,t);else for(r=0;r<e.min-1;r++)e.comma&&t!==Rn&&(t=Bn({type:"Comma",syntax:e},t,Ln)),t=Bn(n,t,Ln);return t}(e);case"Type":case"Property":return{type:e.type,name:e.name,syntax:e};case"Keyword":return{type:e.type,name:e.name.toLowerCase(),syntax:e};case"AtKeyword":return{type:e.type,name:"@"+e.name.toLowerCase(),syntax:e};case"Function":return{type:e.type,name:e.name.toLowerCase()+"(",syntax:e};case"String":return 3===e.value.length?{type:"Token",value:e.value.charAt(1),syntax:e}:{type:e.type,value:e.value.substr(1,e.value.length-2).replace(/\\'/g,"'"),syntax:e};case"Token":return{type:e.type,value:e.value,syntax:e};case"Comma":return{type:e.type,syntax:e};default:throw new Error("Unknown node type:",e.type)}}var Nn={MATCH:Rn,MISMATCH:Ln,DISALLOW_EMPTY:Pn,buildMatchGraph:function(e,t){return"string"==typeof e&&(e=zn(e)),{type:"MatchGraph",match:In(e),syntax:t||null,source:e}}},qn=Object.prototype.hasOwnProperty,Dn=Nn.MATCH,Vn=Nn.MISMATCH,jn=Nn.DISALLOW_EMPTY,Fn=M.TYPE,Gn="Match";function Kn(e){for(var t=null,n=null,r=e;null!==r;)n=r.prev,r.prev=t,t=r,r=n;return t}function Yn(e,t){if(e.length!==t.length)return!1;for(var n=0;n<e.length;n++){var r=e.charCodeAt(n);if(r>=65&&r<=90&&(r|=32),r!==t.charCodeAt(n))return!1}return!0}function Hn(e){return null===e||(e.type===Fn.Comma||e.type===Fn.Function||e.type===Fn.LeftParenthesis||e.type===Fn.LeftSquareBracket||e.type===Fn.LeftCurlyBracket||function(e){return e.type===Fn.Delim&&"?"!==e.value}(e))}function $n(e){return null===e||(e.type===Fn.RightParenthesis||e.type===Fn.RightSquareBracket||e.type===Fn.RightCurlyBracket||e.type===Fn.Delim)}function Qn(e,t,n){function r(){do{y++,g=y<e.length?e[y]:null}while(null!==g&&(g.type===Fn.WhiteSpace||g.type===Fn.Comment))}function i(t){var n=y+t;return n<e.length?e[n]:null}function o(e,t){return{nextState:e,matchStack:b,syntaxStack:c,thenStack:d,tokenIndex:y,prev:t}}function a(e){d={nextState:e,matchStack:b,syntaxStack:c,prev:d}}function s(e){p=o(e,p)}function l(){b={type:1,syntax:t.syntax,token:g,prev:b},r(),m=null,y>v&&(v=y)}function u(){b=2===b.type?b.prev:{type:3,syntax:c.syntax,token:b.token,prev:b},c=c.prev}var c=null,d=null,p=null,m=null,h=0,f=null,g=null,y=-1,v=0,b={type:0,syntax:null,token:null,prev:null};for(r();null===f&&++h<15e3;)switch(t.type){case"Match":if(null===d){if(null!==g&&(y!==e.length-1||"\\0"!==g.value&&"\\9"!==g.value)){t=Vn;break}f=Gn;break}if((t=d.nextState)===jn){if(d.matchStack===b){t=Vn;break}t=Dn}for(;d.syntaxStack!==c;)u();d=d.prev;break;case"Mismatch":if(null!==m&&!1!==m)(null===p||y>p.tokenIndex)&&(p=m,m=!1);else if(null===p){f="Mismatch";break}t=p.nextState,d=p.thenStack,c=p.syntaxStack,b=p.matchStack,y=p.tokenIndex,g=y<e.length?e[y]:null,p=p.prev;break;case"MatchGraph":t=t.match;break;case"If":t.else!==Vn&&s(t.else),t.then!==Dn&&a(t.then),t=t.match;break;case"MatchOnce":t={type:"MatchOnceBuffer",syntax:t,index:0,mask:0};break;case"MatchOnceBuffer":var S=t.syntax.terms;if(t.index===S.length){if(0===t.mask||t.syntax.all){t=Vn;break}t=Dn;break}if(t.mask===(1<<S.length)-1){t=Dn;break}for(;t.index<S.length;t.index++){var x=1<<t.index;if(0==(t.mask&x)){s(t),a({type:"AddMatchOnce",syntax:t.syntax,mask:t.mask|x}),t=S[t.index++];break}}break;case"AddMatchOnce":t={type:"MatchOnceBuffer",syntax:t.syntax,index:0,mask:t.mask};break;case"Enum":if(null!==g)if(-1!==(T=g.value.toLowerCase()).indexOf("\\")&&(T=T.replace(/\\[09].*$/,"")),qn.call(t.map,T)){t=t.map[T];break}t=Vn;break;case"Generic":var w=null!==c?c.opts:null,C=y+Math.floor(t.fn(g,i,w));if(!isNaN(C)&&C>y){for(;y<C;)l();t=Dn}else t=Vn;break;case"Type":case"Property":var k="Type"===t.type?"types":"properties",O=qn.call(n,k)?n[k][t.name]:null;if(!O||!O.match)throw new Error("Bad syntax reference: "+("Type"===t.type?"<"+t.name+">":"<'"+t.name+"'>"));if(!1!==m&&null!==g&&"Type"===t.type)if("custom-ident"===t.name&&g.type===Fn.Ident||"length"===t.name&&"0"===g.value){null===m&&(m=o(t,p)),t=Vn;break}c={syntax:t.syntax,opts:t.syntax.opts||null!==c&&c.opts||null,prev:c},b={type:2,syntax:t.syntax,token:b.token,prev:b},t=O.match;break;case"Keyword":var T=t.name;if(null!==g){var E=g.value;if(-1!==E.indexOf("\\")&&(E=E.replace(/\\[09].*$/,"")),Yn(E,T)){l(),t=Dn;break}}t=Vn;break;case"AtKeyword":case"Function":if(null!==g&&Yn(g.value,t.name)){l(),t=Dn;break}t=Vn;break;case"Token":if(null!==g&&g.value===t.value){l(),t=Dn;break}t=Vn;break;case"Comma":null!==g&&g.type===Fn.Comma?Hn(b.token)?t=Vn:(l(),t=$n(g)?Vn:Dn):t=Hn(b.token)||$n(g)?Dn:Vn;break;case"String":var A="";for(C=y;C<e.length&&A.length<t.value.length;C++)A+=e[C].value;if(Yn(A,t.value)){for(;y<C;)l();t=Dn}else t=Vn;break;default:throw new Error("Unknown node type: "+t.type)}switch(h,f){case null:console.warn("[csstree-match] BREAK after 15000 iterations"),f="Maximum iteration number exceeded (please fill an issue on https://github.com/csstree/csstree/issues)",b=null;break;case Gn:for(;null!==c;)u();break;default:b=null}return{tokens:e,reason:f,iterations:h,match:b,longestMatch:v}}var Zn=function(e,t,n){var r=Qn(e,t,n||{});if(null===r.match)return r;var i=r.match,o=r.match={syntax:t.syntax||null,match:[]},a=[o];for(i=Kn(i).prev;null!==i;){switch(i.type){case 2:o.match.push(o={syntax:i.syntax,match:[]}),a.push(o);break;case 3:a.pop(),o=a[a.length-1];break;default:o.match.push({syntax:i.syntax||null,token:i.token.value,node:i.token.node})}i=i.prev}return r};function Xn(e){function t(e){return null!==e&&("Type"===e.type||"Property"===e.type||"Keyword"===e.type)}var n=null;return null!==this.matched&&function r(i){if(Array.isArray(i.match)){for(var o=0;o<i.match.length;o++)if(r(i.match[o]))return t(i.syntax)&&n.unshift(i.syntax),!0}else if(i.node===e)return n=t(i.syntax)?[i.syntax]:[],!0;return!1}(this.matched),n}function Jn(e,t,n){var r=Xn.call(e,t);return null!==r&&r.some(n)}var er={getTrace:Xn,isType:function(e,t){return Jn(this,e,(function(e){return"Type"===e.type&&e.name===t}))},isProperty:function(e,t){return Jn(this,e,(function(e){return"Property"===e.type&&e.name===t}))},isKeyword:function(e){return Jn(this,e,(function(e){return"Keyword"===e.type}))}},tr=A;function nr(e){return"node"in e?e.node:nr(e.match[0])}function rr(e){return"node"in e?e.node:rr(e.match[e.match.length-1])}var ir={matchFragments:function(e,t,n,r,i){var o=[];return null!==n.matched&&function n(a){if(null!==a.syntax&&a.syntax.type===r&&a.syntax.name===i){var s=nr(a),l=rr(a);e.syntax.walk(t,(function(e,t,n){if(e===s){var r=new tr;do{if(r.appendData(t.data),t.data===l)break;t=t.next}while(null!==t);o.push({parent:n,nodes:r})}}))}Array.isArray(a.match)&&a.match.forEach(n)}(n.matched),o}},or=A,ar=Object.prototype.hasOwnProperty;function sr(e){return"number"==typeof e&&isFinite(e)&&Math.floor(e)===e&&e>=0}function lr(e){return Boolean(e)&&sr(e.offset)&&sr(e.line)&&sr(e.column)}function ur(e,t){return function(n,r){if(!n||n.constructor!==Object)return r(n,"Type of node should be an Object");for(var i in n){var o=!0;if(!1!==ar.call(n,i)){if("type"===i)n.type!==e&&r(n,"Wrong node type `"+n.type+"`, expected `"+e+"`");else if("loc"===i){if(null===n.loc)continue;if(n.loc&&n.loc.constructor===Object)if("string"!=typeof n.loc.source)i+=".source";else if(lr(n.loc.start)){if(lr(n.loc.end))continue;i+=".end"}else i+=".start";o=!1}else if(t.hasOwnProperty(i)){var a=0;for(o=!1;!o&&a<t[i].length;a++){var s=t[i][a];switch(s){case String:o="string"==typeof n[i];break;case Boolean:o="boolean"==typeof n[i];break;case null:o=null===n[i];break;default:"string"==typeof s?o=n[i]&&n[i].type===s:Array.isArray(s)&&(o=n[i]instanceof or)}}}else r(n,"Unknown field `"+i+"` for "+e+" node type");o||r(n,"Bad value for `"+e+"."+i+"`")}}for(var i in t)ar.call(t,i)&&!1===ar.call(n,i)&&r(n,"Field `"+e+"."+i+"` is missed")}}function cr(e,t){var n=t.structure,r={type:String,loc:!0},i={type:'"'+e+'"'};for(var o in n)if(!1!==ar.call(n,o)){for(var a=[],s=r[o]=Array.isArray(n[o])?n[o].slice():[n[o]],l=0;l<s.length;l++){var u=s[l];if(u===String||u===Boolean)a.push(u.name);else if(null===u)a.push("null");else if("string"==typeof u)a.push("<"+u+">");else{if(!Array.isArray(u))throw new Error("Wrong value `"+u+"` in `"+e+"."+o+"` structure definition");a.push("List")}}i[o]=a.join(" | ")}return{docs:i,check:ur(e,r)}}var dr=Ee,pr=Ae,mr=Be,hr=en,fr=wn,gr=xe,yr=On,vr=function(e,t){return"string"==typeof e?_n(e,null):t.generate(e,An)},br=Nn.buildMatchGraph,Sr=Zn,xr=er,wr=ir,Cr=function(e){var t={};if(e.node)for(var n in e.node)if(ar.call(e.node,n)){var r=e.node[n];if(!r.structure)throw new Error("Missed `structure` field in `"+n+"` node type definition");t[n]=cr(n,r)}return t},kr=br("inherit | initial | unset"),Or=br("inherit | initial | unset | <-ms-legacy-expression>");function Tr(e,t,n){var r={};for(var i in e)e[i].syntax&&(r[i]=n?e[i].syntax:gr(e[i].syntax,{compact:t}));return r}function Er(e,t,n){const r={};for(const[i,o]of Object.entries(e))r[i]={prelude:o.prelude&&(n?o.prelude.syntax:gr(o.prelude.syntax,{compact:t})),descriptors:o.descriptors&&Tr(o.descriptors,t,n)};return r}function Ar(e,t,n){return{matched:e,iterations:n,error:t,getTrace:xr.getTrace,isType:xr.isType,isProperty:xr.isProperty,isKeyword:xr.isKeyword}}function _r(e,t,n,r){var i,o=vr(n,e.syntax);return function(e){for(var t=0;t<e.length;t++)if("var("===e[t].value.toLowerCase())return!0;return!1}(o)?Ar(null,new Error("Matching for a tree with var() is not supported")):(r&&(i=Sr(o,e.valueCommonSyntax,e)),r&&i.match||(i=Sr(o,t.match,e)).match?Ar(i.match,null,i.iterations):Ar(null,new pr(i.reason,t.syntax,n,i),i.iterations))}var zr=function(e,t,n){if(this.valueCommonSyntax=kr,this.syntax=t,this.generic=!1,this.atrules={},this.properties={},this.types={},this.structure=n||Cr(e),e){if(e.types)for(var r in e.types)this.addType_(r,e.types[r]);if(e.generic)for(var r in this.generic=!0,hr)this.addType_(r,hr[r]);if(e.atrules)for(var r in e.atrules)this.addAtrule_(r,e.atrules[r]);if(e.properties)for(var r in e.properties)this.addProperty_(r,e.properties[r])}};zr.prototype={structure:{},checkStructure:function(e){function t(e,t){r.push({node:e,message:t})}var n=this.structure,r=[];return this.syntax.walk(e,(function(e){n.hasOwnProperty(e.type)?n[e.type].check(e,t):t(e,"Unknown node type `"+e.type+"`")})),!!r.length&&r},createDescriptor:function(e,t,n,r=null){var i={type:t,name:n},o={type:t,name:n,parent:r,syntax:null,match:null};return"function"==typeof e?o.match=br(e,i):("string"==typeof e?Object.defineProperty(o,"syntax",{get:function(){return Object.defineProperty(o,"syntax",{value:fr(e)}),o.syntax}}):o.syntax=e,Object.defineProperty(o,"match",{get:function(){return Object.defineProperty(o,"match",{value:br(o.syntax,i)}),o.match}})),o},addAtrule_:function(e,t){t&&(this.atrules[e]={type:"Atrule",name:e,prelude:t.prelude?this.createDescriptor(t.prelude,"AtrulePrelude",e):null,descriptors:t.descriptors?Object.keys(t.descriptors).reduce(((n,r)=>(n[r]=this.createDescriptor(t.descriptors[r],"AtruleDescriptor",r,e),n)),{}):null})},addProperty_:function(e,t){t&&(this.properties[e]=this.createDescriptor(t,"Property",e))},addType_:function(e,t){t&&(this.types[e]=this.createDescriptor(t,"Type",e),t===hr["-ms-legacy-expression"]&&(this.valueCommonSyntax=Or))},checkAtruleName:function(e){if(!this.getAtrule(e))return new dr("Unknown at-rule","@"+e)},checkAtrulePrelude:function(e,t){let n=this.checkAtruleName(e);if(n)return n;var r=this.getAtrule(e);return!r.prelude&&t?new SyntaxError("At-rule `@"+e+"` should not contain a prelude"):r.prelude&&!t?new SyntaxError("At-rule `@"+e+"` should contain a prelude"):void 0},checkAtruleDescriptorName:function(e,t){let n=this.checkAtruleName(e);if(n)return n;var r=this.getAtrule(e),i=mr.keyword(t);return r.descriptors?r.descriptors[i.name]||r.descriptors[i.basename]?void 0:new dr("Unknown at-rule descriptor",t):new SyntaxError("At-rule `@"+e+"` has no known descriptors")},checkPropertyName:function(e){return mr.property(e).custom?new Error("Lexer matching doesn't applicable for custom properties"):this.getProperty(e)?void 0:new dr("Unknown property",e)},matchAtrulePrelude:function(e,t){var n=this.checkAtrulePrelude(e,t);return n?Ar(null,n):t?_r(this,this.getAtrule(e).prelude,t,!1):Ar(null,null)},matchAtruleDescriptor:function(e,t,n){var r=this.checkAtruleDescriptorName(e,t);if(r)return Ar(null,r);var i=this.getAtrule(e),o=mr.keyword(t);return _r(this,i.descriptors[o.name]||i.descriptors[o.basename],n,!1)},matchDeclaration:function(e){return"Declaration"!==e.type?Ar(null,new Error("Not a Declaration node")):this.matchProperty(e.property,e.value)},matchProperty:function(e,t){var n=this.checkPropertyName(e);return n?Ar(null,n):_r(this,this.getProperty(e),t,!0)},matchType:function(e,t){var n=this.getType(e);return n?_r(this,n,t,!1):Ar(null,new dr("Unknown type",e))},match:function(e,t){return"string"==typeof e||e&&e.type?("string"!=typeof e&&e.match||(e=this.createDescriptor(e,"Type","anonymous")),_r(this,e,t,!1)):Ar(null,new dr("Bad syntax"))},findValueFragments:function(e,t,n,r){return wr.matchFragments(this,t,this.matchProperty(e,t),n,r)},findDeclarationValueFragments:function(e,t,n){return wr.matchFragments(this,e.value,this.matchDeclaration(e),t,n)},findAllFragments:function(e,t,n){var r=[];return this.syntax.walk(e,{visit:"Declaration",enter:function(e){r.push.apply(r,this.findDeclarationValueFragments(e,t,n))}.bind(this)}),r},getAtrule:function(e,t=!0){var n=mr.keyword(e);return(n.vendor&&t?this.atrules[n.name]||this.atrules[n.basename]:this.atrules[n.name])||null},getAtrulePrelude:function(e,t=!0){const n=this.getAtrule(e,t);return n&&n.prelude||null},getAtruleDescriptor:function(e,t){return this.atrules.hasOwnProperty(e)&&this.atrules.declarators&&this.atrules[e].declarators[t]||null},getProperty:function(e,t=!0){var n=mr.property(e);return(n.vendor&&t?this.properties[n.name]||this.properties[n.basename]:this.properties[n.name])||null},getType:function(e){return this.types.hasOwnProperty(e)?this.types[e]:null},validate:function(){function e(r,i,o,a){if(o.hasOwnProperty(i))return o[i];o[i]=!1,null!==a.syntax&&yr(a.syntax,(function(a){if("Type"===a.type||"Property"===a.type){var s="Type"===a.type?r.types:r.properties,l="Type"===a.type?t:n;s.hasOwnProperty(a.name)&&!e(r,a.name,l,s[a.name])||(o[i]=!0)}}),this)}var t={},n={};for(var r in this.types)e(this,r,t,this.types[r]);for(var r in this.properties)e(this,r,n,this.properties[r]);return t=Object.keys(t).filter((function(e){return t[e]})),n=Object.keys(n).filter((function(e){return n[e]})),t.length||n.length?{types:t,properties:n}:null},dump:function(e,t){return{generic:this.generic,types:Tr(this.types,!t,e),properties:Tr(this.properties,!t,e),atrules:Er(this.atrules,!t,e)}},toString:function(){return JSON.stringify(this.dump())}};var Rr=zr,Lr={SyntaxError:nn,parse:wn,generate:xe,walk:On},Pr=Me,Br=at.isBOM;var Wr=function(){this.lines=null,this.columns=null,this.linesAndColumnsComputed=!1};Wr.prototype={setSource:function(e,t,n,r){this.source=e,this.startOffset=void 0===t?0:t,this.startLine=void 0===n?1:n,this.startColumn=void 0===r?1:r,this.linesAndColumnsComputed=!1},ensureLinesAndColumnsComputed:function(){this.linesAndColumnsComputed||(!function(e,t){for(var n=t.length,r=Pr(e.lines,n),i=e.startLine,o=Pr(e.columns,n),a=e.startColumn,s=t.length>0?Br(t.charCodeAt(0)):0;s<n;s++){var l=t.charCodeAt(s);r[s]=i,o[s]=a++,10!==l&&13!==l&&12!==l||(13===l&&s+1<n&&10===t.charCodeAt(s+1)&&(r[++s]=i,o[s]=a),i++,a=1)}r[s]=i,o[s]=a,e.lines=r,e.columns=o}(this,this.source),this.linesAndColumnsComputed=!0)},getLocation:function(e,t){return this.ensureLinesAndColumnsComputed(),{source:t,offset:this.startOffset+e,line:this.lines[e],column:this.columns[e]}},getLocationRange:function(e,t,n){return this.ensureLinesAndColumnsComputed(),{source:n,start:{offset:this.startOffset+e,line:this.lines[e],column:this.columns[e]},end:{offset:this.startOffset+t,line:this.lines[t],column:this.columns[t]}}}};var Mr=Wr,Ur=at.TYPE,Ir=Ur.WhiteSpace,Nr=Ur.Comment,qr=Mr,Dr=P,Vr=ve,jr=A,Fr=at,Gr=M,{findWhiteSpaceStart:Kr,cmpStr:Yr}=le,Hr=function(e){var t=this.createList(),n=null,r={recognizer:e,space:null,ignoreWS:!1,ignoreWSAfter:!1};for(this.scanner.skipSC();!this.scanner.eof;){switch(this.scanner.tokenType){case Nr:this.scanner.next();continue;case Ir:r.ignoreWS?this.scanner.next():r.space=this.WhiteSpace();continue}if(void 0===(n=e.getNode.call(this,r)))break;null!==r.space&&(t.push(r.space),r.space=null),t.push(n),r.ignoreWSAfter?(r.ignoreWSAfter=!1,r.ignoreWS=!0):r.ignoreWS=!1}return t},$r=function(){},Qr=Gr.TYPE,Zr=Gr.NAME,Xr=Qr.WhiteSpace,Jr=Qr.Comment,ei=Qr.Ident,ti=Qr.Function,ni=Qr.Url,ri=Qr.Hash,ii=Qr.Percentage,oi=Qr.Number;function ai(e){return function(){return this[e]()}}var si={},li={},ui={},ci="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split("");ui.encode=function(e){if(0<=e&&e<ci.length)return ci[e];throw new TypeError("Must be between 0 and 63: "+e)},ui.decode=function(e){return 65<=e&&e<=90?e-65:97<=e&&e<=122?e-97+26:48<=e&&e<=57?e-48+52:43==e?62:47==e?63:-1};var di=ui;li.encode=function(e){var t,n="",r=function(e){return e<0?1+(-e<<1):0+(e<<1)}(e);do{t=31&r,(r>>>=5)>0&&(t|=32),n+=di.encode(t)}while(r>0);return n},li.decode=function(e,t,n){var r,i,o,a,s=e.length,l=0,u=0;do{if(t>=s)throw new Error("Expected more digits in base 64 VLQ value.");if(-1===(i=di.decode(e.charCodeAt(t++))))throw new Error("Invalid base64 digit: "+e.charAt(t-1));r=!!(32&i),l+=(i&=31)<<u,u+=5}while(r);n.value=(a=(o=l)>>1,1==(1&o)?-a:a),n.rest=t};var pi={};!function(e){e.getArg=function(e,t,n){if(t in e)return e[t];if(3===arguments.length)return n;throw new Error('"'+t+'" is a required argument.')};var t=/^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/,n=/^data:.+\,.+$/;function r(e){var n=e.match(t);return n?{scheme:n[1],auth:n[2],host:n[3],port:n[4],path:n[5]}:null}function i(e){var t="";return e.scheme&&(t+=e.scheme+":"),t+="//",e.auth&&(t+=e.auth+"@"),e.host&&(t+=e.host),e.port&&(t+=":"+e.port),e.path&&(t+=e.path),t}function o(t){var n=t,o=r(t);if(o){if(!o.path)return t;n=o.path}for(var a,s=e.isAbsolute(n),l=n.split(/\/+/),u=0,c=l.length-1;c>=0;c--)"."===(a=l[c])?l.splice(c,1):".."===a?u++:u>0&&(""===a?(l.splice(c+1,u),u=0):(l.splice(c,2),u--));return""===(n=l.join("/"))&&(n=s?"/":"."),o?(o.path=n,i(o)):n}function a(e,t){""===e&&(e="."),""===t&&(t=".");var a=r(t),s=r(e);if(s&&(e=s.path||"/"),a&&!a.scheme)return s&&(a.scheme=s.scheme),i(a);if(a||t.match(n))return t;if(s&&!s.host&&!s.path)return s.host=t,i(s);var l="/"===t.charAt(0)?t:o(e.replace(/\/+$/,"")+"/"+t);return s?(s.path=l,i(s)):l}e.urlParse=r,e.urlGenerate=i,e.normalize=o,e.join=a,e.isAbsolute=function(e){return"/"===e.charAt(0)||t.test(e)},e.relative=function(e,t){""===e&&(e="."),e=e.replace(/\/$/,"");for(var n=0;0!==t.indexOf(e+"/");){var r=e.lastIndexOf("/");if(r<0)return t;if((e=e.slice(0,r)).match(/^([^\/]+:\/)?\/*$/))return t;++n}return Array(n+1).join("../")+t.substr(e.length+1)};var s=!("__proto__"in Object.create(null));function l(e){return e}function u(e){if(!e)return!1;var t=e.length;if(t<9)return!1;if(95!==e.charCodeAt(t-1)||95!==e.charCodeAt(t-2)||111!==e.charCodeAt(t-3)||116!==e.charCodeAt(t-4)||111!==e.charCodeAt(t-5)||114!==e.charCodeAt(t-6)||112!==e.charCodeAt(t-7)||95!==e.charCodeAt(t-8)||95!==e.charCodeAt(t-9))return!1;for(var n=t-10;n>=0;n--)if(36!==e.charCodeAt(n))return!1;return!0}function c(e,t){return e===t?0:null===e?1:null===t?-1:e>t?1:-1}e.toSetString=s?l:function(e){return u(e)?"$"+e:e},e.fromSetString=s?l:function(e){return u(e)?e.slice(1):e},e.compareByOriginalPositions=function(e,t,n){var r=c(e.source,t.source);return 0!==r||0!==(r=e.originalLine-t.originalLine)||0!==(r=e.originalColumn-t.originalColumn)||n||0!==(r=e.generatedColumn-t.generatedColumn)||0!==(r=e.generatedLine-t.generatedLine)?r:c(e.name,t.name)},e.compareByGeneratedPositionsDeflated=function(e,t,n){var r=e.generatedLine-t.generatedLine;return 0!==r||0!==(r=e.generatedColumn-t.generatedColumn)||n||0!==(r=c(e.source,t.source))||0!==(r=e.originalLine-t.originalLine)||0!==(r=e.originalColumn-t.originalColumn)?r:c(e.name,t.name)},e.compareByGeneratedPositionsInflated=function(e,t){var n=e.generatedLine-t.generatedLine;return 0!==n||0!==(n=e.generatedColumn-t.generatedColumn)||0!==(n=c(e.source,t.source))||0!==(n=e.originalLine-t.originalLine)||0!==(n=e.originalColumn-t.originalColumn)?n:c(e.name,t.name)},e.parseSourceMapInput=function(e){return JSON.parse(e.replace(/^\)]}'[^\n]*\n/,""))},e.computeSourceURL=function(e,t,n){if(t=t||"",e&&("/"!==e[e.length-1]&&"/"!==t[0]&&(e+="/"),t=e+t),n){var s=r(n);if(!s)throw new Error("sourceMapURL could not be parsed");if(s.path){var l=s.path.lastIndexOf("/");l>=0&&(s.path=s.path.substring(0,l+1))}t=a(i(s),t)}return o(t)}}(pi);var mi={},hi=pi,fi=Object.prototype.hasOwnProperty,gi="undefined"!=typeof Map;function yi(){this._array=[],this._set=gi?new Map:Object.create(null)}yi.fromArray=function(e,t){for(var n=new yi,r=0,i=e.length;r<i;r++)n.add(e[r],t);return n},yi.prototype.size=function(){return gi?this._set.size:Object.getOwnPropertyNames(this._set).length},yi.prototype.add=function(e,t){var n=gi?e:hi.toSetString(e),r=gi?this.has(e):fi.call(this._set,n),i=this._array.length;r&&!t||this._array.push(e),r||(gi?this._set.set(e,i):this._set[n]=i)},yi.prototype.has=function(e){if(gi)return this._set.has(e);var t=hi.toSetString(e);return fi.call(this._set,t)},yi.prototype.indexOf=function(e){if(gi){var t=this._set.get(e);if(t>=0)return t}else{var n=hi.toSetString(e);if(fi.call(this._set,n))return this._set[n]}throw new Error('"'+e+'" is not in the set.')},yi.prototype.at=function(e){if(e>=0&&e<this._array.length)return this._array[e];throw new Error("No element indexed by "+e)},yi.prototype.toArray=function(){return this._array.slice()},mi.ArraySet=yi;var vi={},bi=pi;function Si(){this._array=[],this._sorted=!0,this._last={generatedLine:-1,generatedColumn:0}}Si.prototype.unsortedForEach=function(e,t){this._array.forEach(e,t)},Si.prototype.add=function(e){var t,n,r,i,o,a;t=this._last,n=e,r=t.generatedLine,i=n.generatedLine,o=t.generatedColumn,a=n.generatedColumn,i>r||i==r&&a>=o||bi.compareByGeneratedPositionsInflated(t,n)<=0?(this._last=e,this._array.push(e)):(this._sorted=!1,this._array.push(e))},Si.prototype.toArray=function(){return this._sorted||(this._array.sort(bi.compareByGeneratedPositionsInflated),this._sorted=!0),this._array},vi.MappingList=Si;var xi=li,wi=pi,Ci=mi.ArraySet,ki=vi.MappingList;function Oi(e){e||(e={}),this._file=wi.getArg(e,"file",null),this._sourceRoot=wi.getArg(e,"sourceRoot",null),this._skipValidation=wi.getArg(e,"skipValidation",!1),this._sources=new Ci,this._names=new Ci,this._mappings=new ki,this._sourcesContents=null}Oi.prototype._version=3,Oi.fromSourceMap=function(e){var t=e.sourceRoot,n=new Oi({file:e.file,sourceRoot:t});return e.eachMapping((function(e){var r={generated:{line:e.generatedLine,column:e.generatedColumn}};null!=e.source&&(r.source=e.source,null!=t&&(r.source=wi.relative(t,r.source)),r.original={line:e.originalLine,column:e.originalColumn},null!=e.name&&(r.name=e.name)),n.addMapping(r)})),e.sources.forEach((function(r){var i=r;null!==t&&(i=wi.relative(t,r)),n._sources.has(i)||n._sources.add(i);var o=e.sourceContentFor(r);null!=o&&n.setSourceContent(r,o)})),n},Oi.prototype.addMapping=function(e){var t=wi.getArg(e,"generated"),n=wi.getArg(e,"original",null),r=wi.getArg(e,"source",null),i=wi.getArg(e,"name",null);this._skipValidation||this._validateMapping(t,n,r,i),null!=r&&(r=String(r),this._sources.has(r)||this._sources.add(r)),null!=i&&(i=String(i),this._names.has(i)||this._names.add(i)),this._mappings.add({generatedLine:t.line,generatedColumn:t.column,originalLine:null!=n&&n.line,originalColumn:null!=n&&n.column,source:r,name:i})},Oi.prototype.setSourceContent=function(e,t){var n=e;null!=this._sourceRoot&&(n=wi.relative(this._sourceRoot,n)),null!=t?(this._sourcesContents||(this._sourcesContents=Object.create(null)),this._sourcesContents[wi.toSetString(n)]=t):this._sourcesContents&&(delete this._sourcesContents[wi.toSetString(n)],0===Object.keys(this._sourcesContents).length&&(this._sourcesContents=null))},Oi.prototype.applySourceMap=function(e,t,n){var r=t;if(null==t){if(null==e.file)throw new Error('SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map\'s "file" property. Both were omitted.');r=e.file}var i=this._sourceRoot;null!=i&&(r=wi.relative(i,r));var o=new Ci,a=new Ci;this._mappings.unsortedForEach((function(t){if(t.source===r&&null!=t.originalLine){var s=e.originalPositionFor({line:t.originalLine,column:t.originalColumn});null!=s.source&&(t.source=s.source,null!=n&&(t.source=wi.join(n,t.source)),null!=i&&(t.source=wi.relative(i,t.source)),t.originalLine=s.line,t.originalColumn=s.column,null!=s.name&&(t.name=s.name))}var l=t.source;null==l||o.has(l)||o.add(l);var u=t.name;null==u||a.has(u)||a.add(u)}),this),this._sources=o,this._names=a,e.sources.forEach((function(t){var r=e.sourceContentFor(t);null!=r&&(null!=n&&(t=wi.join(n,t)),null!=i&&(t=wi.relative(i,t)),this.setSourceContent(t,r))}),this)},Oi.prototype._validateMapping=function(e,t,n,r){if(t&&"number"!=typeof t.line&&"number"!=typeof t.column)throw new Error("original.line and original.column are not numbers -- you probably meant to omit the original mapping entirely and only map the generated position. If so, pass null for the original mapping instead of an object with empty or null values.");if((!(e&&"line"in e&&"column"in e&&e.line>0&&e.column>=0)||t||n||r)&&!(e&&"line"in e&&"column"in e&&t&&"line"in t&&"column"in t&&e.line>0&&e.column>=0&&t.line>0&&t.column>=0&&n))throw new Error("Invalid mapping: "+JSON.stringify({generated:e,source:n,original:t,name:r}))},Oi.prototype._serializeMappings=function(){for(var e,t,n,r,i=0,o=1,a=0,s=0,l=0,u=0,c="",d=this._mappings.toArray(),p=0,m=d.length;p<m;p++){if(e="",(t=d[p]).generatedLine!==o)for(i=0;t.generatedLine!==o;)e+=";",o++;else if(p>0){if(!wi.compareByGeneratedPositionsInflated(t,d[p-1]))continue;e+=","}e+=xi.encode(t.generatedColumn-i),i=t.generatedColumn,null!=t.source&&(r=this._sources.indexOf(t.source),e+=xi.encode(r-u),u=r,e+=xi.encode(t.originalLine-1-s),s=t.originalLine-1,e+=xi.encode(t.originalColumn-a),a=t.originalColumn,null!=t.name&&(n=this._names.indexOf(t.name),e+=xi.encode(n-l),l=n)),c+=e}return c},Oi.prototype._generateSourcesContent=function(e,t){return e.map((function(e){if(!this._sourcesContents)return null;null!=t&&(e=wi.relative(t,e));var n=wi.toSetString(e);return Object.prototype.hasOwnProperty.call(this._sourcesContents,n)?this._sourcesContents[n]:null}),this)},Oi.prototype.toJSON=function(){var e={version:this._version,sources:this._sources.toArray(),names:this._names.toArray(),mappings:this._serializeMappings()};return null!=this._file&&(e.file=this._file),null!=this._sourceRoot&&(e.sourceRoot=this._sourceRoot),this._sourcesContents&&(e.sourcesContent=this._generateSourcesContent(e.sources,e.sourceRoot)),e},Oi.prototype.toString=function(){return JSON.stringify(this.toJSON())},si.SourceMapGenerator=Oi;var Ti=si.SourceMapGenerator,Ei={Atrule:!0,Selector:!0,Declaration:!0},Ai=function(e){var t=new Ti,n=1,r=0,i={line:1,column:0},o={line:0,column:0},a=!1,s={line:1,column:0},l={generated:s},u=e.node;e.node=function(e){if(e.loc&&e.loc.start&&Ei.hasOwnProperty(e.type)){var c=e.loc.start.line,d=e.loc.start.column-1;o.line===c&&o.column===d||(o.line=c,o.column=d,i.line=n,i.column=r,a&&(a=!1,i.line===s.line&&i.column===s.column||t.addMapping(l)),a=!0,t.addMapping({source:e.loc.source,original:o,generated:i}))}u.call(this,e),a&&Ei.hasOwnProperty(e.type)&&(s.line=n,s.column=r)};var c=e.chunk;e.chunk=function(e){for(var t=0;t<e.length;t++)10===e.charCodeAt(t)?(n++,r=0):r++;c(e)};var d=e.result;return e.result=function(){return a&&t.addMapping(l),{css:d(),map:t}},e},_i=Object.prototype.hasOwnProperty;function zi(e,t){var n=e.children,r=null;"function"!=typeof t?n.forEach(this.node,this):n.forEach((function(e){null!==r&&t.call(this,r),this.node(e),r=e}),this)}var Ri=A,Li=Object.prototype.hasOwnProperty,Pi=function(){};function Bi(e){return"function"==typeof e?e:Pi}function Wi(e,t){return function(n,r,i){n.type===t&&e.call(this,n,r,i)}}function Mi(e,t){var n=t.structure,r=[];for(var i in n)if(!1!==Li.call(n,i)){var o=n[i],a={name:i,type:!1,nullable:!1};Array.isArray(n[i])||(o=[n[i]]);for(var s=0;s<o.length;s++){var l=o[s];null===l?a.nullable=!0:"string"==typeof l?a.type="node":Array.isArray(l)&&(a.type="list")}a.type&&r.push(a)}return r.length?{context:t.walkContext,fields:r}:null}function Ui(e,t){var n=e.fields.slice(),r=e.context,i="string"==typeof r;return t&&n.reverse(),function(e,o,a,s){var l;i&&(l=o[r],o[r]=e);for(var u=0;u<n.length;u++){var c=n[u],d=e[c.name];if(!c.nullable||d)if("list"===c.type){if(t?d.reduceRight(s,!1):d.reduce(s,!1))return!0}else if(a(d))return!0}i&&(o[r]=l)}}function Ii(e){return{Atrule:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block},Rule:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block},Declaration:{StyleSheet:e.StyleSheet,Atrule:e.Atrule,Rule:e.Rule,Block:e.Block,DeclarationList:e.DeclarationList}}}var Ni=A;const qi=Object.prototype.hasOwnProperty,Di={generic:!0,types:Gi,atrules:{prelude:Ki,descriptors:Ki},properties:Gi,parseContext:function(e,t){return Object.assign(e,t)},scope:function e(t,n){for(const r in n)qi.call(n,r)&&(Vi(t[r])?e(t[r],ji(n[r])):t[r]=ji(n[r]));return t},atrule:["parse"],pseudo:["parse"],node:["name","structure","parse","generate","walkContext"]};function Vi(e){return e&&e.constructor===Object}function ji(e){return Vi(e)?Object.assign({},e):e}function Fi(e,t){return"string"==typeof t&&/^\s*\|/.test(t)?"string"==typeof e?e+t:t.replace(/^\s*\|\s*/,""):t||null}function Gi(e,t){if("string"==typeof t)return Fi(e,t);const n=Object.assign({},e);for(let r in t)qi.call(t,r)&&(n[r]=Fi(qi.call(e,r)?e[r]:void 0,t[r]));return n}function Ki(e,t){const n=Gi(e,t);return!Vi(n)||Object.keys(n).length?n:null}function Yi(e,t,n){for(const r in n)if(!1!==qi.call(n,r))if(!0===n[r])r in t&&qi.call(t,r)&&(e[r]=ji(t[r]));else if(n[r])if("function"==typeof n[r]){const i=n[r];e[r]=i({},e[r]),e[r]=i(e[r]||{},t[r])}else if(Vi(n[r])){const i={};for(let t in e[r])i[t]=Yi({},e[r][t],n[r]);for(let e in t[r])i[e]=Yi(i[e]||{},t[r][e],n[r]);e[r]=i}else if(Array.isArray(n[r])){const i={},o=n[r].reduce((function(e,t){return e[t]=!0,e}),{});for(const[t,n]of Object.entries(e[r]||{}))i[t]={},n&&Yi(i[t],n,o);for(const e in t[r])qi.call(t[r],e)&&(i[e]||(i[e]={}),t[r]&&t[r][e]&&Yi(i[e],t[r][e],o));e[r]=i}return e}var Hi=A,$i=P,Qi=ve,Zi=Rr,Xi=Lr,Ji=at,eo=function(e){var t={scanner:new Vr,locationMap:new qr,filename:"<unknown>",needPositions:!1,onParseError:$r,onParseErrorThrow:!1,parseAtrulePrelude:!0,parseRulePrelude:!0,parseValue:!0,parseCustomProperty:!1,readSequence:Hr,createList:function(){return new jr},createSingleNodeList:function(e){return(new jr).appendData(e)},getFirstListNode:function(e){return e&&e.first()},getLastListNode:function(e){return e.last()},parseWithFallback:function(e,t){var n=this.scanner.tokenIndex;try{return e.call(this)}catch(e){if(this.onParseErrorThrow)throw e;var r=t.call(this,n);return this.onParseErrorThrow=!0,this.onParseError(e,r),this.onParseErrorThrow=!1,r}},lookupNonWSType:function(e){do{var t=this.scanner.lookupType(e++);if(t!==Xr)return t}while(0!==t);return 0},eat:function(e){if(this.scanner.tokenType!==e){var t=this.scanner.tokenStart,n=Zr[e]+" is expected";switch(e){case ei:this.scanner.tokenType===ti||this.scanner.tokenType===ni?(t=this.scanner.tokenEnd-1,n="Identifier is expected but function found"):n="Identifier is expected";break;case ri:this.scanner.isDelim(35)&&(this.scanner.next(),t++,n="Name is expected");break;case ii:this.scanner.tokenType===oi&&(t=this.scanner.tokenEnd,n="Percent sign is expected");break;default:this.scanner.source.charCodeAt(this.scanner.tokenStart)===e&&(t+=1)}this.error(n,t)}this.scanner.next()},consume:function(e){var t=this.scanner.getTokenValue();return this.eat(e),t},consumeFunctionName:function(){var e=this.scanner.source.substring(this.scanner.tokenStart,this.scanner.tokenEnd-1);return this.eat(ti),e},getLocation:function(e,t){return this.needPositions?this.locationMap.getLocationRange(e,t,this.filename):null},getLocationFromList:function(e){if(this.needPositions){var t=this.getFirstListNode(e),n=this.getLastListNode(e);return this.locationMap.getLocationRange(null!==t?t.loc.start.offset-this.locationMap.startOffset:this.scanner.tokenStart,null!==n?n.loc.end.offset-this.locationMap.startOffset:this.scanner.tokenStart,this.filename)}return null},error:function(e,t){var n=void 0!==t&&t<this.scanner.source.length?this.locationMap.getLocation(t):this.scanner.eof?this.locationMap.getLocation(Kr(this.scanner.source,this.scanner.source.length-1)):this.locationMap.getLocation(this.scanner.tokenStart);throw new Dr(e||"Unexpected input",this.scanner.source,n.offset,n.line,n.column)}};for(var n in e=function(e){var t={context:{},scope:{},atrule:{},pseudo:{}};if(e.parseContext)for(var n in e.parseContext)switch(typeof e.parseContext[n]){case"function":t.context[n]=e.parseContext[n];break;case"string":t.context[n]=ai(e.parseContext[n])}if(e.scope)for(var n in e.scope)t.scope[n]=e.scope[n];if(e.atrule)for(var n in e.atrule){var r=e.atrule[n];r.parse&&(t.atrule[n]=r.parse)}if(e.pseudo)for(var n in e.pseudo){var i=e.pseudo[n];i.parse&&(t.pseudo[n]=i.parse)}if(e.node)for(var n in e.node)t[n]=e.node[n].parse;return t}(e||{}))t[n]=e[n];return function(e,n){var r,i=(n=n||{}).context||"default",o=n.onComment;if(Fr(e,t.scanner),t.locationMap.setSource(e,n.offset,n.line,n.column),t.filename=n.filename||"<unknown>",t.needPositions=Boolean(n.positions),t.onParseError="function"==typeof n.onParseError?n.onParseError:$r,t.onParseErrorThrow=!1,t.parseAtrulePrelude=!("parseAtrulePrelude"in n)||Boolean(n.parseAtrulePrelude),t.parseRulePrelude=!("parseRulePrelude"in n)||Boolean(n.parseRulePrelude),t.parseValue=!("parseValue"in n)||Boolean(n.parseValue),t.parseCustomProperty="parseCustomProperty"in n&&Boolean(n.parseCustomProperty),!t.context.hasOwnProperty(i))throw new Error("Unknown context `"+i+"`");return"function"==typeof o&&t.scanner.forEachToken(((n,r,i)=>{if(n===Jr){const n=t.getLocation(r,i),a=Yr(e,i-2,i,"*/")?e.slice(r+2,i-2):e.slice(r+2,i);o(a,n)}})),r=t.context[i].call(t,n),t.scanner.eof||t.error(),r}},to=function(e){function t(e){if(!_i.call(n,e.type))throw new Error("Unknown node type: "+e.type);n[e.type].call(this,e)}var n={};if(e.node)for(var r in e.node)n[r]=e.node[r].generate;return function(e,n){var r="",i={children:zi,node:t,chunk:function(e){r+=e},result:function(){return r}};return n&&("function"==typeof n.decorator&&(i=n.decorator(i)),n.sourceMap&&(i=Ai(i))),i.node(e),i.result()}},no=function(e){return{fromPlainObject:function(t){return e(t,{enter:function(e){e.children&&e.children instanceof Ri==!1&&(e.children=(new Ri).fromArray(e.children))}}),t},toPlainObject:function(t){return e(t,{leave:function(e){e.children&&e.children instanceof Ri&&(e.children=e.children.toArray())}}),t}}},ro=function(e){var t=function(e){var t={};for(var n in e.node)if(Li.call(e.node,n)){var r=e.node[n];if(!r.structure)throw new Error("Missed `structure` field in `"+n+"` node type definition");t[n]=Mi(0,r)}return t}(e),n={},r={},i=Symbol("break-walk"),o=Symbol("skip-node");for(var a in t)Li.call(t,a)&&null!==t[a]&&(n[a]=Ui(t[a],!1),r[a]=Ui(t[a],!0));var s=Ii(n),l=Ii(r),u=function(e,a){function u(e,t,n){var r=d.call(h,e,t,n);return r===i||r!==o&&(!(!m.hasOwnProperty(e.type)||!m[e.type](e,h,u,c))||p.call(h,e,t,n)===i)}var c=(e,t,n,r)=>e||u(t,n,r),d=Pi,p=Pi,m=n,h={break:i,skip:o,root:e,stylesheet:null,atrule:null,atrulePrelude:null,rule:null,selector:null,block:null,declaration:null,function:null};if("function"==typeof a)d=a;else if(a&&(d=Bi(a.enter),p=Bi(a.leave),a.reverse&&(m=r),a.visit)){if(s.hasOwnProperty(a.visit))m=a.reverse?l[a.visit]:s[a.visit];else if(!t.hasOwnProperty(a.visit))throw new Error("Bad value `"+a.visit+"` for `visit` option (should be: "+Object.keys(t).join(", ")+")");d=Wi(d,a.visit),p=Wi(p,a.visit)}if(d===Pi&&p===Pi)throw new Error("Neither `enter` nor `leave` walker handler is set or both aren't a function");u(e)};return u.break=i,u.skip=o,u.find=function(e,t){var n=null;return u(e,(function(e,r,o){if(t.call(this,e,r,o))return n=e,i})),n},u.findLast=function(e,t){var n=null;return u(e,{reverse:!0,enter:function(e,r,o){if(t.call(this,e,r,o))return n=e,i}}),n},u.findAll=function(e,t){var n=[];return u(e,(function(e,r,i){t.call(this,e,r,i)&&n.push(e)})),n},u},io=function e(t){var n={};for(var r in t){var i=t[r];i&&(Array.isArray(i)||i instanceof Ni?i=i.map(e):i.constructor===Object&&(i=e(i))),n[r]=i}return n},oo=Be,ao=(e,t)=>Yi(e,t,Di);function so(e){var t=eo(e),n=ro(e),r=to(e),i=no(n),o={List:Hi,SyntaxError:$i,TokenStream:Qi,Lexer:Zi,vendorPrefix:oo.vendorPrefix,keyword:oo.keyword,property:oo.property,isCustomProperty:oo.isCustomProperty,definitionSyntax:Xi,lexer:null,createLexer:function(e){return new Zi(e,o,o.lexer.structure)},tokenize:Ji,parse:t,walk:n,generate:r,find:n.find,findLast:n.findLast,findAll:n.findAll,clone:io,fromPlainObject:i.fromPlainObject,toPlainObject:i.toPlainObject,createSyntax:function(e){return so(ao({},e))},fork:function(t){var n=ao({},e);return so("function"==typeof t?t(n,Object.assign):ao(n,t))}};return o.lexer=new Zi({generic:!0,types:e.types,atrules:e.atrules,properties:e.properties,node:e.node},o),o}w.create=function(e){return so(ao({},e))};const lo={"@charset":{syntax:'@charset "<charset>";',groups:["CSS Charsets"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@charset"},"@counter-style":{syntax:"@counter-style <counter-style-name> {\n [ system: <counter-system>; ] ||\n [ symbols: <counter-symbols>; ] ||\n [ additive-symbols: <additive-symbols>; ] ||\n [ negative: <negative-symbol>; ] ||\n [ prefix: <prefix>; ] ||\n [ suffix: <suffix>; ] ||\n [ range: <range>; ] ||\n [ pad: <padding>; ] ||\n [ speak-as: <speak-as>; ] ||\n [ fallback: <counter-style-name>; ]\n}",interfaces:["CSSCounterStyleRule"],groups:["CSS Counter Styles"],descriptors:{"additive-symbols":{syntax:"[ <integer> && <symbol> ]#",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},fallback:{syntax:"<counter-style-name>",media:"all",initial:"decimal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},negative:{syntax:"<symbol> <symbol>?",media:"all",initial:'"-" hyphen-minus',percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},pad:{syntax:"<integer> && <symbol>",media:"all",initial:'0 ""',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},prefix:{syntax:"<symbol>",media:"all",initial:'""',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},range:{syntax:"[ [ <integer> | infinite ]{2} ]# | auto",media:"all",initial:"auto",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"speak-as":{syntax:"auto | bullets | numbers | words | spell-out | <counter-style-name>",media:"all",initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},suffix:{syntax:"<symbol>",media:"all",initial:'". "',percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},symbols:{syntax:"<symbol>+",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},system:{syntax:"cyclic | numeric | alphabetic | symbolic | additive | [ fixed <integer>? ] | [ extends <counter-style-name> ]",media:"all",initial:"symbolic",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@counter-style"},"@document":{syntax:"@document [ <url> | url-prefix(<string>) | domain(<string>) | media-document(<string>) | regexp(<string>) ]# {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule"],groups:["CSS Conditional Rules"],status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@document"},"@font-face":{syntax:"@font-face {\n [ font-family: <family-name>; ] ||\n [ src: <src>; ] ||\n [ unicode-range: <unicode-range>; ] ||\n [ font-variant: <font-variant>; ] ||\n [ font-feature-settings: <font-feature-settings>; ] ||\n [ font-variation-settings: <font-variation-settings>; ] ||\n [ font-stretch: <font-stretch>; ] ||\n [ font-weight: <font-weight>; ] ||\n [ font-style: <font-style>; ]\n}",interfaces:["CSSFontFaceRule"],groups:["CSS Fonts"],descriptors:{"font-display":{syntax:"[ auto | block | swap | fallback | optional ]",media:"visual",percentages:"no",initial:"auto",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"font-family":{syntax:"<family-name>",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-feature-settings":{syntax:"normal | <feature-tag-value>#",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"font-variation-settings":{syntax:"normal | [ <string> <number> ]#",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"font-stretch":{syntax:"<font-stretch-absolute>{1,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-style":{syntax:"normal | italic | oblique <angle>{0,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-weight":{syntax:"<font-weight-absolute>{1,2}",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"font-variant":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> || stylistic(<feature-value-name>) || historical-forms || styleset(<feature-value-name>#) || character-variant(<feature-value-name>#) || swash(<feature-value-name>) || ornaments(<feature-value-name>) || annotation(<feature-value-name>) || [ small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps ] || <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero || <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"all",initial:"normal",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},src:{syntax:"[ <url> [ format( <string># ) ]? | local( <family-name> ) ]#",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},"unicode-range":{syntax:"<unicode-range>#",media:"all",initial:"U+0-10FFFF",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@font-face"},"@font-feature-values":{syntax:"@font-feature-values <family-name># {\n <feature-value-block-list>\n}",interfaces:["CSSFontFeatureValuesRule"],groups:["CSS Fonts"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@font-feature-values"},"@import":{syntax:"@import [ <string> | <url> ] [ <media-query-list> ]?;",groups:["Media Queries"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@import"},"@keyframes":{syntax:"@keyframes <keyframes-name> {\n <keyframe-block-list>\n}",interfaces:["CSSKeyframeRule","CSSKeyframesRule"],groups:["CSS Animations"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@keyframes"},"@media":{syntax:"@media <media-query-list> {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule","CSSMediaRule","CSSCustomMediaRule"],groups:["CSS Conditional Rules","Media Queries"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@media"},"@namespace":{syntax:"@namespace <namespace-prefix>? [ <string> | <url> ];",groups:["CSS Namespaces"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@namespace"},"@page":{syntax:"@page <page-selector-list> {\n <page-body>\n}",interfaces:["CSSPageRule"],groups:["CSS Pages"],descriptors:{bleed:{syntax:"auto | <length>",media:["visual","paged"],initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},marks:{syntax:"none | [ crop || cross ]",media:["visual","paged"],initial:"none",percentages:"no",computed:"asSpecified",order:"orderOfAppearance",status:"standard"},size:{syntax:"<length>{1,2} | auto | [ <page-size> || [ portrait | landscape ] ]",media:["visual","paged"],initial:"auto",percentages:"no",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"orderOfAppearance",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@page"},"@property":{syntax:"@property <custom-property-name> {\n <declaration-list>\n}",interfaces:["CSS","CSSPropertyRule"],groups:["CSS Houdini"],descriptors:{syntax:{syntax:"<string>",media:"all",percentages:"no",initial:"n/a (required)",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},inherits:{syntax:"true | false",media:"all",percentages:"no",initial:"auto",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"initial-value":{syntax:"<string>",media:"all",initial:"n/a (required)",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"experimental"}},status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@property"},"@supports":{syntax:"@supports <supports-condition> {\n <group-rule-body>\n}",interfaces:["CSSGroupingRule","CSSConditionRule","CSSSupportsRule"],groups:["CSS Conditional Rules"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@supports"},"@viewport":{syntax:"@viewport {\n <group-rule-body>\n}",interfaces:["CSSViewportRule"],groups:["CSS Device Adaptation"],descriptors:{height:{syntax:"<viewport-length>{1,2}",media:["visual","continuous"],initial:["min-height","max-height"],percentages:["min-height","max-height"],computed:["min-height","max-height"],order:"orderOfAppearance",status:"standard"},"max-height":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToHeightOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"max-width":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToWidthOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"max-zoom":{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"},"min-height":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToHeightOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"min-width":{syntax:"<viewport-length>",media:["visual","continuous"],initial:"auto",percentages:"referToWidthOfInitialViewport",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard"},"min-zoom":{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"},orientation:{syntax:"auto | portrait | landscape",media:["visual","continuous"],initial:"auto",percentages:"referToSizeOfBoundingBox",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"user-zoom":{syntax:"zoom | fixed",media:["visual","continuous"],initial:"zoom",percentages:"referToSizeOfBoundingBox",computed:"asSpecified",order:"uniqueOrder",status:"standard"},"viewport-fit":{syntax:"auto | contain | cover",media:["visual","continuous"],initial:"auto",percentages:"no",computed:"asSpecified",order:"uniqueOrder",status:"standard"},width:{syntax:"<viewport-length>{1,2}",media:["visual","continuous"],initial:["min-width","max-width"],percentages:["min-width","max-width"],computed:["min-width","max-width"],order:"orderOfAppearance",status:"standard"},zoom:{syntax:"auto | <number> | <percentage>",media:["visual","continuous"],initial:"auto",percentages:"the zoom factor itself",computed:"autoNonNegativeOrPercentage",order:"uniqueOrder",status:"standard"}},status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/@viewport"}},uo={"--*":{syntax:"<declaration-value>",media:"all",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Variables"],initial:"seeProse",appliesto:"allElements",computed:"asSpecifiedWithVarsSubstituted",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/--*"},"-ms-accelerator":{syntax:"false | true",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"false",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-accelerator"},"-ms-block-progression":{syntax:"tb | rl | bt | lr",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"tb",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-block-progression"},"-ms-content-zoom-chaining":{syntax:"none | chained",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-chaining"},"-ms-content-zooming":{syntax:"none | zoom",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"zoomForTheTopLevelNoneForTheRest",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zooming"},"-ms-content-zoom-limit":{syntax:"<'-ms-content-zoom-limit-min'> <'-ms-content-zoom-limit-max'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],groups:["Microsoft Extensions"],initial:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-content-zoom-limit-max","-ms-content-zoom-limit-min"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit"},"-ms-content-zoom-limit-max":{syntax:"<percentage>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"maxZoomFactor",groups:["Microsoft Extensions"],initial:"400%",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit-max"},"-ms-content-zoom-limit-min":{syntax:"<percentage>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"minZoomFactor",groups:["Microsoft Extensions"],initial:"100%",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-limit-min"},"-ms-content-zoom-snap":{syntax:"<'-ms-content-zoom-snap-type'> || <'-ms-content-zoom-snap-points'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-content-zoom-snap-type","-ms-content-zoom-snap-points"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-content-zoom-snap-type","-ms-content-zoom-snap-points"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap"},"-ms-content-zoom-snap-points":{syntax:"snapInterval( <percentage>, <percentage> ) | snapList( <percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0%, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap-points"},"-ms-content-zoom-snap-type":{syntax:"none | proximity | mandatory",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-content-zoom-snap-type"},"-ms-filter":{syntax:"<string>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:'""',appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-filter"},"-ms-flow-from":{syntax:"[ none | <custom-ident> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-flow-from"},"-ms-flow-into":{syntax:"[ none | <custom-ident> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"iframeElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-flow-into"},"-ms-grid-columns":{syntax:"none | <track-list> | <auto-track-list>",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-grid-columns"},"-ms-grid-rows":{syntax:"none | <track-list> | <auto-track-list>",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-grid-rows"},"-ms-high-contrast-adjust":{syntax:"auto | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-high-contrast-adjust"},"-ms-hyphenate-limit-chars":{syntax:"auto | <integer>{1,3}",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-chars"},"-ms-hyphenate-limit-lines":{syntax:"no-limit | <integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"no-limit",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-lines"},"-ms-hyphenate-limit-zone":{syntax:"<percentage> | <length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"referToLineBoxWidth",groups:["Microsoft Extensions"],initial:"0",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-hyphenate-limit-zone"},"-ms-ime-align":{syntax:"auto | after",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-ime-align"},"-ms-overflow-style":{syntax:"auto | none | scrollbar | -ms-autohiding-scrollbar",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-overflow-style"},"-ms-scrollbar-3dlight-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-3dlight-color"},"-ms-scrollbar-arrow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ButtonText",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-arrow-color"},"-ms-scrollbar-base-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-base-color"},"-ms-scrollbar-darkshadow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDDarkShadow",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-darkshadow-color"},"-ms-scrollbar-face-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDFace",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-face-color"},"-ms-scrollbar-highlight-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDHighlight",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-highlight-color"},"-ms-scrollbar-shadow-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"ThreeDDarkShadow",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-shadow-color"},"-ms-scrollbar-track-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"Scrollbar",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scrollbar-track-color"},"-ms-scroll-chaining":{syntax:"chained | none",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"chained",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-chaining"},"-ms-scroll-limit":{syntax:"<'-ms-scroll-limit-x-min'> <'-ms-scroll-limit-y-min'> <'-ms-scroll-limit-x-max'> <'-ms-scroll-limit-y-max'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-limit-x-min","-ms-scroll-limit-y-min","-ms-scroll-limit-x-max","-ms-scroll-limit-y-max"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-limit-x-min","-ms-scroll-limit-y-min","-ms-scroll-limit-x-max","-ms-scroll-limit-y-max"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit"},"-ms-scroll-limit-x-max":{syntax:"auto | <length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-x-max"},"-ms-scroll-limit-x-min":{syntax:"<length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-x-min"},"-ms-scroll-limit-y-max":{syntax:"auto | <length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-y-max"},"-ms-scroll-limit-y-min":{syntax:"<length>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-limit-y-min"},"-ms-scroll-rails":{syntax:"none | railed",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"railed",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-rails"},"-ms-scroll-snap-points-x":{syntax:"snapInterval( <length-percentage>, <length-percentage> ) | snapList( <length-percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0px, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-points-x"},"-ms-scroll-snap-points-y":{syntax:"snapInterval( <length-percentage>, <length-percentage> ) | snapList( <length-percentage># )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"snapInterval(0px, 100%)",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-points-y"},"-ms-scroll-snap-type":{syntax:"none | proximity | mandatory",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-type"},"-ms-scroll-snap-x":{syntax:"<'-ms-scroll-snap-type'> <'-ms-scroll-snap-points-x'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-snap-type","-ms-scroll-snap-points-x"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-snap-type","-ms-scroll-snap-points-x"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-x"},"-ms-scroll-snap-y":{syntax:"<'-ms-scroll-snap-type'> <'-ms-scroll-snap-points-y'>",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:["-ms-scroll-snap-type","-ms-scroll-snap-points-y"],appliesto:"nonReplacedBlockAndInlineBlockElements",computed:["-ms-scroll-snap-type","-ms-scroll-snap-points-y"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-snap-y"},"-ms-scroll-translation":{syntax:"none | vertical-to-horizontal",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-scroll-translation"},"-ms-text-autospace":{syntax:"none | ideograph-alpha | ideograph-numeric | ideograph-parenthesis | ideograph-space",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-text-autospace"},"-ms-touch-select":{syntax:"grippers | none",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"grippers",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-touch-select"},"-ms-user-select":{syntax:"none | element | text",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"text",appliesto:"nonReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-user-select"},"-ms-wrap-flow":{syntax:"auto | both | start | end | maximum | clear",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-flow"},"-ms-wrap-margin":{syntax:"<length>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"0",appliesto:"exclusionElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-margin"},"-ms-wrap-through":{syntax:"wrap | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Microsoft Extensions"],initial:"wrap",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-ms-wrap-through"},"-moz-appearance":{syntax:"none | button | button-arrow-down | button-arrow-next | button-arrow-previous | button-arrow-up | button-bevel | button-focus | caret | checkbox | checkbox-container | checkbox-label | checkmenuitem | dualbutton | groupbox | listbox | listitem | menuarrow | menubar | menucheckbox | menuimage | menuitem | menuitemtext | menulist | menulist-button | menulist-text | menulist-textfield | menupopup | menuradio | menuseparator | meterbar | meterchunk | progressbar | progressbar-vertical | progresschunk | progresschunk-vertical | radio | radio-container | radio-label | radiomenuitem | range | range-thumb | resizer | resizerpanel | scale-horizontal | scalethumbend | scalethumb-horizontal | scalethumbstart | scalethumbtick | scalethumb-vertical | scale-vertical | scrollbarbutton-down | scrollbarbutton-left | scrollbarbutton-right | scrollbarbutton-up | scrollbarthumb-horizontal | scrollbarthumb-vertical | scrollbartrack-horizontal | scrollbartrack-vertical | searchfield | separator | sheet | spinner | spinner-downbutton | spinner-textfield | spinner-upbutton | splitter | statusbar | statusbarpanel | tab | tabpanel | tabpanels | tab-scroll-arrow-back | tab-scroll-arrow-forward | textfield | textfield-multiline | toolbar | toolbarbutton | toolbarbutton-dropdown | toolbargripper | toolbox | tooltip | treeheader | treeheadercell | treeheadersortarrow | treeitem | treeline | treetwisty | treetwistyopen | treeview | -moz-mac-unified-toolbar | -moz-win-borderless-glass | -moz-win-browsertabbar-toolbox | -moz-win-communicationstext | -moz-win-communications-toolbox | -moz-win-exclude-glass | -moz-win-glass | -moz-win-mediatext | -moz-win-media-toolbox | -moz-window-button-box | -moz-window-button-box-maximized | -moz-window-button-close | -moz-window-button-maximize | -moz-window-button-minimize | -moz-window-button-restore | -moz-window-frame-bottom | -moz-window-frame-left | -moz-window-frame-right | -moz-window-titlebar | -moz-window-titlebar-maximized",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"noneButOverriddenInUserAgentCSS",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"-moz-binding":{syntax:"<url> | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElementsExceptGeneratedContentOrPseudoElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-binding"},"-moz-border-bottom-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-bottom-colors"},"-moz-border-left-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-left-colors"},"-moz-border-right-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-right-colors"},"-moz-border-top-colors":{syntax:"<color>+ | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-border-top-colors"},"-moz-context-properties":{syntax:"none | [ fill | fill-opacity | stroke | stroke-opacity ]#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElementsThatCanReferenceImages",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-context-properties"},"-moz-float-edge":{syntax:"border-box | content-box | margin-box | padding-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"content-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-float-edge"},"-moz-force-broken-image-icon":{syntax:"<integer [0,1]>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"0",appliesto:"images",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-force-broken-image-icon"},"-moz-image-region":{syntax:"<shape> | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"auto",appliesto:"xulImageElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-image-region"},"-moz-orient":{syntax:"inline | block | horizontal | vertical",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"inline",appliesto:"anyElementEffectOnProgressAndMeter",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-orient"},"-moz-outline-radius":{syntax:"<outline-radius>{1,4} [ / <outline-radius>{1,4} ]?",media:"visual",inherited:!1,animationType:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],percentages:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],groups:["Mozilla Extensions"],initial:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],appliesto:"allElements",computed:["-moz-outline-radius-topleft","-moz-outline-radius-topright","-moz-outline-radius-bottomright","-moz-outline-radius-bottomleft"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius"},"-moz-outline-radius-bottomleft":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-bottomleft"},"-moz-outline-radius-bottomright":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-bottomright"},"-moz-outline-radius-topleft":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-topleft"},"-moz-outline-radius-topright":{syntax:"<outline-radius>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["Mozilla Extensions"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-outline-radius-topright"},"-moz-stack-sizing":{syntax:"ignore | stretch-to-fit",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"stretch-to-fit",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-stack-sizing"},"-moz-text-blink":{syntax:"none | blink",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-text-blink"},"-moz-user-focus":{syntax:"ignore | normal | select-after | select-before | select-menu | select-same | select-all | none",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-focus"},"-moz-user-input":{syntax:"auto | none | enabled | disabled",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-input"},"-moz-user-modify":{syntax:"read-only | read-write | write-only",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"read-only",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-user-modify"},"-moz-window-dragging":{syntax:"drag | no-drag",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"drag",appliesto:"allElementsCreatingNativeWindows",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-window-dragging"},"-moz-window-shadow":{syntax:"default | menu | tooltip | sheet | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"default",appliesto:"allElementsCreatingNativeWindows",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-moz-window-shadow"},"-webkit-appearance":{syntax:"none | button | button-bevel | caret | checkbox | default-button | inner-spin-button | listbox | listitem | media-controls-background | media-controls-fullscreen-background | media-current-time-display | media-enter-fullscreen-button | media-exit-fullscreen-button | media-fullscreen-button | media-mute-button | media-overlay-play-button | media-play-button | media-seek-back-button | media-seek-forward-button | media-slider | media-sliderthumb | media-time-remaining-display | media-toggle-closed-captions-button | media-volume-slider | media-volume-slider-container | media-volume-sliderthumb | menulist | menulist-button | menulist-text | menulist-textfield | meter | progress-bar | progress-bar-value | push-button | radio | searchfield | searchfield-cancel-button | searchfield-decoration | searchfield-results-button | searchfield-results-decoration | slider-horizontal | slider-vertical | sliderthumb-horizontal | sliderthumb-vertical | square-button | textarea | textfield | -apple-pay-button",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"noneButOverriddenInUserAgentCSS",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"-webkit-border-before":{syntax:"<'border-width'> || <'border-style'> || <'color'>",media:"visual",inherited:!0,animationType:"discrete",percentages:["-webkit-border-before-width"],groups:["WebKit Extensions"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","color"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-border-before"},"-webkit-border-before-color":{syntax:"<'color'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard"},"-webkit-border-before-style":{syntax:"<'border-style'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard"},"-webkit-border-before-width":{syntax:"<'border-width'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["WebKit Extensions"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"nonstandard"},"-webkit-box-reflect":{syntax:"[ above | below | right | left ]? <length>? <image>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-box-reflect"},"-webkit-line-clamp":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["WebKit Extensions","CSS Overflow"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-line-clamp"},"-webkit-mask":{syntax:"[ <mask-reference> || <position> [ / <bg-size> ]? || <repeat-style> || [ <box> | border | padding | content | text ] || [ <box> | border | padding | content ] ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:["-webkit-mask-image","-webkit-mask-repeat","-webkit-mask-attachment","-webkit-mask-position","-webkit-mask-origin","-webkit-mask-clip"],appliesto:"allElements",computed:["-webkit-mask-image","-webkit-mask-repeat","-webkit-mask-attachment","-webkit-mask-position","-webkit-mask-origin","-webkit-mask-clip"],order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask"},"-webkit-mask-attachment":{syntax:"<attachment>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"scroll",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-attachment"},"-webkit-mask-clip":{syntax:"[ <box> | border | padding | content | text ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"border",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-clip"},"-webkit-mask-composite":{syntax:"<composite-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"source-over",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-composite"},"-webkit-mask-image":{syntax:"<mask-reference>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"none",appliesto:"allElements",computed:"absoluteURIOrNone",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-image"},"-webkit-mask-origin":{syntax:"[ <box> | border | padding | content ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"padding",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-origin"},"-webkit-mask-position":{syntax:"<position>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0% 0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-position"},"-webkit-mask-position-x":{syntax:"[ <length-percentage> | left | center | right ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-position-x"},"-webkit-mask-position-y":{syntax:"[ <length-percentage> | top | center | bottom ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfElement",groups:["WebKit Extensions"],initial:"0%",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-position-y"},"-webkit-mask-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-repeat"},"-webkit-mask-repeat-x":{syntax:"repeat | no-repeat | space | round",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-repeat-x"},"-webkit-mask-repeat-y":{syntax:"repeat | no-repeat | space | round",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"repeat",appliesto:"allElements",computed:"absoluteLengthOrPercentage",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-mask-repeat-y"},"-webkit-mask-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"relativeToBackgroundPositioningArea",groups:["WebKit Extensions"],initial:"auto auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-size"},"-webkit-overflow-scrolling":{syntax:"auto | touch",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"orderOfAppearance",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-overflow-scrolling"},"-webkit-tap-highlight-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"black",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-tap-highlight-color"},"-webkit-text-fill-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-fill-color"},"-webkit-text-stroke":{syntax:"<length> || <color>",media:"visual",inherited:!0,animationType:["-webkit-text-stroke-width","-webkit-text-stroke-color"],percentages:"no",groups:["WebKit Extensions"],initial:["-webkit-text-stroke-width","-webkit-text-stroke-color"],appliesto:"allElements",computed:["-webkit-text-stroke-width","-webkit-text-stroke-color"],order:"canonicalOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke"},"-webkit-text-stroke-color":{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["WebKit Extensions"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke-color"},"-webkit-text-stroke-width":{syntax:"<length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"0",appliesto:"allElements",computed:"absoluteLength",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-text-stroke-width"},"-webkit-touch-callout":{syntax:"default | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"default",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/-webkit-touch-callout"},"-webkit-user-modify":{syntax:"read-only | read-write | read-write-plaintext-only",media:"interactive",inherited:!0,animationType:"discrete",percentages:"no",groups:["WebKit Extensions"],initial:"read-only",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard"},"align-content":{syntax:"normal | <baseline-position> | <content-distribution> | <overflow-position>? <content-position>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multilineFlexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-content"},"align-items":{syntax:"normal | stretch | <baseline-position> | [ <overflow-position>? <self-position> ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-items"},"align-self":{syntax:"auto | normal | stretch | <baseline-position> | <overflow-position>? <self-position>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"auto",appliesto:"flexItemsGridItemsAndAbsolutelyPositionedBoxes",computed:"autoOnAbsolutelyPositionedElementsValueOfAlignItemsOnParent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-self"},"align-tracks":{syntax:"[ normal | <baseline-position> | <content-distribution> | <overflow-position>? <content-position> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"normal",appliesto:"gridContainersWithMasonryLayoutInTheirBlockAxis",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/align-tracks"},all:{syntax:"initial | inherit | unset | revert",media:"noPracticalMedia",inherited:!1,animationType:"eachOfShorthandPropertiesExceptUnicodeBiDiAndDirection",percentages:"no",groups:["CSS Miscellaneous"],initial:"noPracticalInitialValue",appliesto:"allElements",computed:"asSpecifiedAppliesToEachProperty",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/all"},animation:{syntax:"<single-animation>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:["animation-name","animation-duration","animation-timing-function","animation-delay","animation-iteration-count","animation-direction","animation-fill-mode","animation-play-state"],appliesto:"allElementsAndPseudos",computed:["animation-name","animation-duration","animation-timing-function","animation-delay","animation-direction","animation-iteration-count","animation-fill-mode","animation-play-state"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation"},"animation-delay":{syntax:"<time>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-delay"},"animation-direction":{syntax:"<single-animation-direction>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"normal",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-direction"},"animation-duration":{syntax:"<time>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-duration"},"animation-fill-mode":{syntax:"<single-animation-fill-mode>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"none",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-fill-mode"},"animation-iteration-count":{syntax:"<single-animation-iteration-count>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"1",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-iteration-count"},"animation-name":{syntax:"[ none | <keyframes-name> ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"none",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-name"},"animation-play-state":{syntax:"<single-animation-play-state>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"running",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-play-state"},"animation-timing-function":{syntax:"<timing-function>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Animations"],initial:"ease",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/animation-timing-function"},appearance:{syntax:"none | auto | textfield | menulist-button | <compat-auto>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/appearance"},"aspect-ratio":{syntax:"auto | <ratio>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElementsExceptInlineBoxesAndInternalRubyOrTableBoxes",computed:"asSpecified",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/aspect-ratio"},azimuth:{syntax:"<angle> | [ [ left-side | far-left | left | center-left | center | center-right | right | far-right | right-side ] || behind ] | leftwards | rightwards",media:"aural",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Speech"],initial:"center",appliesto:"allElements",computed:"normalizedAngle",order:"orderOfAppearance",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/azimuth"},"backdrop-filter":{syntax:"none | <filter-function-list>",media:"visual",inherited:!1,animationType:"filterList",percentages:"no",groups:["Filter Effects"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/backdrop-filter"},"backface-visibility":{syntax:"visible | hidden",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"visible",appliesto:"transformableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/backface-visibility"},background:{syntax:"[ <bg-layer> , ]* <final-bg-layer>",media:"visual",inherited:!1,animationType:["background-color","background-image","background-clip","background-position","background-size","background-repeat","background-attachment"],percentages:["background-position","background-size"],groups:["CSS Backgrounds and Borders"],initial:["background-image","background-position","background-size","background-repeat","background-origin","background-clip","background-attachment","background-color"],appliesto:"allElements",computed:["background-image","background-position","background-size","background-repeat","background-origin","background-clip","background-attachment","background-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background"},"background-attachment":{syntax:"<attachment>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"scroll",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-attachment"},"background-blend-mode":{syntax:"<blend-mode>#",media:"none",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"normal",appliesto:"allElementsSVGContainerGraphicsAndGraphicsReferencingElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-blend-mode"},"background-clip":{syntax:"<box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"border-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-clip"},"background-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"transparent",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-color"},"background-image":{syntax:"<bg-image>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-image"},"background-origin":{syntax:"<box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"padding-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-origin"},"background-position":{syntax:"<bg-position>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToSizeOfBackgroundPositioningAreaMinusBackgroundImageSize",groups:["CSS Backgrounds and Borders"],initial:"0% 0%",appliesto:"allElements",computed:"listEachItemTwoKeywordsOriginOffsets",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position"},"background-position-x":{syntax:"[ center | [ [ left | right | x-start | x-end ]? <length-percentage>? ]! ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToWidthOfBackgroundPositioningAreaMinusBackgroundImageHeight",groups:["CSS Backgrounds and Borders"],initial:"left",appliesto:"allElements",computed:"listEachItemConsistingOfAbsoluteLengthPercentageAndOrigin",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position-x"},"background-position-y":{syntax:"[ center | [ [ top | bottom | y-start | y-end ]? <length-percentage>? ]! ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToHeightOfBackgroundPositioningAreaMinusBackgroundImageHeight",groups:["CSS Backgrounds and Borders"],initial:"top",appliesto:"allElements",computed:"listEachItemConsistingOfAbsoluteLengthPercentageAndOrigin",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-position-y"},"background-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"repeat",appliesto:"allElements",computed:"listEachItemHasTwoKeywordsOnePerDimension",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-repeat"},"background-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"relativeToBackgroundPositioningArea",groups:["CSS Backgrounds and Borders"],initial:"auto auto",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/background-size"},"block-overflow":{syntax:"clip | ellipsis | <string>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"clip",appliesto:"blockContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"block-size":{syntax:"<'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"sameAsWidthAndHeight",computed:"sameAsWidthAndHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/block-size"},border:{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-color","border-style","border-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-width","border-style","border-color"],appliesto:"allElements",computed:["border-width","border-style","border-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border"},"border-block":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block"},"border-block-color":{syntax:"<'border-top-color'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-color"},"border-block-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-style"},"border-block-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-width"},"border-block-end":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-block-end-color","border-block-end-style","border-block-end-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end"},"border-block-end-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-color"},"border-block-end-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-style"},"border-block-end-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-end-width"},"border-block-start":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-block-start-color","border-block-start-style","border-block-start-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-block-start-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start"},"border-block-start-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-color"},"border-block-start-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-style"},"border-block-start-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-block-start-width"},"border-bottom":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-bottom-color","border-bottom-style","border-bottom-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-bottom-width","border-bottom-style","border-bottom-color"],appliesto:"allElements",computed:["border-bottom-width","border-bottom-style","border-bottom-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom"},"border-bottom-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-color"},"border-bottom-left-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-left-radius"},"border-bottom-right-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-right-radius"},"border-bottom-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-style"},"border-bottom-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderBottomStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-bottom-width"},"border-collapse":{syntax:"collapse | separate",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"separate",appliesto:"tableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-collapse"},"border-color":{syntax:"<color>{1,4}",media:"visual",inherited:!1,animationType:["border-bottom-color","border-left-color","border-right-color","border-top-color"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-color","border-right-color","border-bottom-color","border-left-color"],appliesto:"allElements",computed:["border-bottom-color","border-left-color","border-right-color","border-top-color"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-color"},"border-end-end-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-end-end-radius"},"border-end-start-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-end-start-radius"},"border-image":{syntax:"<'border-image-source'> || <'border-image-slice'> [ / <'border-image-width'> | / <'border-image-width'>? / <'border-image-outset'> ]? || <'border-image-repeat'>",media:"visual",inherited:!1,animationType:"discrete",percentages:["border-image-slice","border-image-width"],groups:["CSS Backgrounds and Borders"],initial:["border-image-source","border-image-slice","border-image-width","border-image-outset","border-image-repeat"],appliesto:"allElementsExceptTableElementsWhenCollapse",computed:["border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image"},"border-image-outset":{syntax:"[ <length> | <number> ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-outset"},"border-image-repeat":{syntax:"[ stretch | repeat | round | space ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"stretch",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-repeat"},"border-image-slice":{syntax:"<number-percentage>{1,4} && fill?",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToSizeOfBorderImage",groups:["CSS Backgrounds and Borders"],initial:"100%",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"oneToFourPercentagesOrAbsoluteLengthsPlusFill",order:"percentagesOrLengthsFollowedByFill",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-slice"},"border-image-source":{syntax:"none | <image>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"noneOrImageWithAbsoluteURI",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-source"},"border-image-width":{syntax:"[ <length-percentage> | <number> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToWidthOrHeightOfBorderImageArea",groups:["CSS Backgrounds and Borders"],initial:"1",appliesto:"allElementsExceptTableElementsWhenCollapse",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-image-width"},"border-inline":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline"},"border-inline-end":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-inline-end-color","border-inline-end-style","border-inline-end-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-inline-end-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end"},"border-inline-color":{syntax:"<'border-top-color'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-color"},"border-inline-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-style"},"border-inline-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-width"},"border-inline-end-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-color"},"border-inline-end-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-style"},"border-inline-end-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-end-width"},"border-inline-start":{syntax:"<'border-top-width'> || <'border-top-style'> || <'color'>",media:"visual",inherited:!1,animationType:["border-inline-start-color","border-inline-start-style","border-inline-start-width"],percentages:"no",groups:["CSS Logical Properties"],initial:["border-width","border-style","color"],appliesto:"allElements",computed:["border-width","border-style","border-inline-start-color"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start"},"border-inline-start-color":{syntax:"<'border-top-color'>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Logical Properties"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-color"},"border-inline-start-style":{syntax:"<'border-top-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Logical Properties"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-style"},"border-inline-start-width":{syntax:"<'border-top-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthZeroIfBorderStyleNoneOrHidden",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-inline-start-width"},"border-left":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-left-color","border-left-style","border-left-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-left-width","border-left-style","border-left-color"],appliesto:"allElements",computed:["border-left-width","border-left-style","border-left-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left"},"border-left-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-color"},"border-left-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-style"},"border-left-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderLeftStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-left-width"},"border-radius":{syntax:"<length-percentage>{1,4} [ / <length-percentage>{1,4} ]?",media:"visual",inherited:!1,animationType:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:["border-bottom-left-radius","border-bottom-right-radius","border-top-left-radius","border-top-right-radius"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-radius"},"border-right":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-right-color","border-right-style","border-right-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-right-width","border-right-style","border-right-color"],appliesto:"allElements",computed:["border-right-width","border-right-style","border-right-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right"},"border-right-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-color"},"border-right-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-style"},"border-right-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderRightStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-right-width"},"border-spacing":{syntax:"<length> <length>?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"0",appliesto:"tableElements",computed:"twoAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-spacing"},"border-start-end-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-start-end-radius"},"border-start-start-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-start-start-radius"},"border-style":{syntax:"<line-style>{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-style","border-right-style","border-bottom-style","border-left-style"],appliesto:"allElements",computed:["border-bottom-style","border-left-style","border-right-style","border-top-style"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-style"},"border-top":{syntax:"<line-width> || <line-style> || <color>",media:"visual",inherited:!1,animationType:["border-top-color","border-top-style","border-top-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-width","border-top-style","border-top-color"],appliesto:"allElements",computed:["border-top-width","border-top-style","border-top-color"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top"},"border-top-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-color"},"border-top-left-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-left-radius"},"border-top-right-radius":{syntax:"<length-percentage>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfBorderBox",groups:["CSS Backgrounds and Borders"],initial:"0",appliesto:"allElementsUAsNotRequiredWhenCollapse",computed:"twoAbsoluteLengthOrPercentages",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-right-radius"},"border-top-style":{syntax:"<line-style>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-style"},"border-top-width":{syntax:"<line-width>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"medium",appliesto:"allElements",computed:"absoluteLengthOr0IfBorderTopStyleNoneOrHidden",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-top-width"},"border-width":{syntax:"<line-width>{1,4}",media:"visual",inherited:!1,animationType:["border-bottom-width","border-left-width","border-right-width","border-top-width"],percentages:"no",groups:["CSS Backgrounds and Borders"],initial:["border-top-width","border-right-width","border-bottom-width","border-left-width"],appliesto:"allElements",computed:["border-bottom-width","border-left-width","border-right-width","border-top-width"],order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/border-width"},bottom:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToContainingBlockHeight",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/bottom"},"box-align":{syntax:"start | center | end | baseline | stretch",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"stretch",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-align"},"box-decoration-break":{syntax:"slice | clone",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"slice",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-decoration-break"},"box-direction":{syntax:"normal | reverse | inherit",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"normal",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-direction"},"box-flex":{syntax:"<number>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"0",appliesto:"directChildrenOfElementsWithDisplayMozBoxMozInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-flex"},"box-flex-group":{syntax:"<integer>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"1",appliesto:"inFlowChildrenOfBoxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-flex-group"},"box-lines":{syntax:"single | multiple",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"single",appliesto:"boxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-lines"},"box-ordinal-group":{syntax:"<integer>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"1",appliesto:"childrenOfBoxElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-ordinal-group"},"box-orient":{syntax:"horizontal | vertical | inline-axis | block-axis | inherit",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"inlineAxisHorizontalInXUL",appliesto:"elementsWithDisplayBoxOrInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-orient"},"box-pack":{syntax:"start | center | end | justify",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions","WebKit Extensions"],initial:"start",appliesto:"elementsWithDisplayMozBoxMozInlineBox",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-pack"},"box-shadow":{syntax:"none | <shadow>#",media:"visual",inherited:!1,animationType:"shadowList",percentages:"no",groups:["CSS Backgrounds and Borders"],initial:"none",appliesto:"allElements",computed:"absoluteLengthsSpecifiedColorAsSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-shadow"},"box-sizing":{syntax:"content-box | border-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"content-box",appliesto:"allElementsAcceptingWidthOrHeight",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/box-sizing"},"break-after":{syntax:"auto | avoid | always | all | avoid-page | page | left | right | recto | verso | avoid-column | column | avoid-region | region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-after"},"break-before":{syntax:"auto | avoid | always | all | avoid-page | page | left | right | recto | verso | avoid-column | column | avoid-region | region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-before"},"break-inside":{syntax:"auto | avoid | avoid-page | avoid-column | avoid-region",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"auto",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/break-inside"},"caption-side":{syntax:"top | bottom | block-start | block-end | inline-start | inline-end",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"top",appliesto:"tableCaptionElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/caption-side"},"caret-color":{syntax:"auto | <color>",media:"interactive",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asAutoOrColor",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/caret-color"},clear:{syntax:"none | left | right | both | inline-start | inline-end",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"none",appliesto:"blockLevelElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clear"},clip:{syntax:"<shape> | auto",media:"visual",inherited:!1,animationType:"rectangle",percentages:"no",groups:["CSS Masking"],initial:"auto",appliesto:"absolutelyPositionedElements",computed:"autoOrRectangle",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clip"},"clip-path":{syntax:"<clip-source> | [ <basic-shape> || <geometry-box> ] | none",media:"visual",inherited:!1,animationType:"basicShapeOtherwiseNo",percentages:"referToReferenceBoxWhenSpecifiedOtherwiseBorderBox",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/clip-path"},color:{syntax:"<color>",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Color"],initial:"variesFromBrowserToBrowser",appliesto:"allElements",computed:"translucentValuesRGBAOtherwiseRGB",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/color"},"color-adjust":{syntax:"economy | exact",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Color"],initial:"economy",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/color-adjust"},"column-count":{syntax:"<integer> | auto",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Columns"],initial:"auto",appliesto:"blockContainersExceptTableWrappers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-count"},"column-fill":{syntax:"auto | balance | balance-all",media:"visualInContinuousMediaNoEffectInOverflowColumns",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"balance",appliesto:"multicolElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-fill"},"column-gap":{syntax:"normal | <length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfContentArea",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multiColumnElementsFlexContainersGridContainers",computed:"asSpecifiedWithLengthsAbsoluteAndNormalComputingToZeroExceptMultiColumn",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-gap"},"column-rule":{syntax:"<'column-rule-width'> || <'column-rule-style'> || <'column-rule-color'>",media:"visual",inherited:!1,animationType:["column-rule-color","column-rule-style","column-rule-width"],percentages:"no",groups:["CSS Columns"],initial:["column-rule-width","column-rule-style","column-rule-color"],appliesto:"multicolElements",computed:["column-rule-color","column-rule-style","column-rule-width"],order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule"},"column-rule-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Columns"],initial:"currentcolor",appliesto:"multicolElements",computed:"computedColor",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-color"},"column-rule-style":{syntax:"<'border-style'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"none",appliesto:"multicolElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-style"},"column-rule-width":{syntax:"<'border-width'>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Columns"],initial:"medium",appliesto:"multicolElements",computed:"absoluteLength0IfColumnRuleStyleNoneOrHidden",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-rule-width"},"column-span":{syntax:"none | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Columns"],initial:"none",appliesto:"inFlowBlockLevelElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-span"},"column-width":{syntax:"<length> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Columns"],initial:"auto",appliesto:"blockContainersExceptTableWrappers",computed:"absoluteLengthZeroOrLarger",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-width"},columns:{syntax:"<'column-width'> || <'column-count'>",media:"visual",inherited:!1,animationType:["column-width","column-count"],percentages:"no",groups:["CSS Columns"],initial:["column-width","column-count"],appliesto:"blockContainersExceptTableWrappers",computed:["column-width","column-count"],order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/columns"},contain:{syntax:"none | strict | content | [ size || layout || style || paint ]",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Containment"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/contain"},content:{syntax:"normal | none | [ <content-replacement> | <content-list> ] [/ <string> ]?",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Generated Content"],initial:"normal",appliesto:"beforeAndAfterPseudos",computed:"normalOnElementsForPseudosNoneAbsoluteURIStringOrAsSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/content"},"counter-increment":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-increment"},"counter-reset":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-reset"},"counter-set":{syntax:"[ <custom-ident> <integer>? ]+ | none",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Counter Styles"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/counter-set"},cursor:{syntax:"[ [ <url> [ <x> <y> ]? , ]* [ auto | default | none | context-menu | help | pointer | progress | wait | cell | crosshair | text | vertical-text | alias | copy | move | no-drop | not-allowed | e-resize | n-resize | ne-resize | nw-resize | s-resize | se-resize | sw-resize | w-resize | ew-resize | ns-resize | nesw-resize | nwse-resize | col-resize | row-resize | all-scroll | zoom-in | zoom-out | grab | grabbing ] ]",media:["visual","interactive"],inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecifiedURLsAbsolute",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/cursor"},direction:{syntax:"ltr | rtl",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"ltr",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/direction"},display:{syntax:"[ <display-outside> || <display-inside> ] | <display-listitem> | <display-internal> | <display-box> | <display-legacy>",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Display"],initial:"inline",appliesto:"allElements",computed:"asSpecifiedExceptPositionedFloatingAndRootElementsKeywordMaybeDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/display"},"empty-cells":{syntax:"show | hide",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"show",appliesto:"tableCellElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/empty-cells"},filter:{syntax:"none | <filter-function-list>",media:"visual",inherited:!1,animationType:"filterList",percentages:"no",groups:["Filter Effects"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/filter"},flex:{syntax:"none | [ <'flex-grow'> <'flex-shrink'>? || <'flex-basis'> ]",media:"visual",inherited:!1,animationType:["flex-grow","flex-shrink","flex-basis"],percentages:"no",groups:["CSS Flexible Box Layout"],initial:["flex-grow","flex-shrink","flex-basis"],appliesto:"flexItemsAndInFlowPseudos",computed:["flex-grow","flex-shrink","flex-basis"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex"},"flex-basis":{syntax:"content | <'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToFlexContainersInnerMainSize",groups:["CSS Flexible Box Layout"],initial:"auto",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"lengthOrPercentageBeforeKeywordIfBothPresent",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-basis"},"flex-direction":{syntax:"row | row-reverse | column | column-reverse",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"row",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-direction"},"flex-flow":{syntax:"<'flex-direction'> || <'flex-wrap'>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:["flex-direction","flex-wrap"],appliesto:"flexContainers",computed:["flex-direction","flex-wrap"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-flow"},"flex-grow":{syntax:"<number>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"0",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-grow"},"flex-shrink":{syntax:"<number>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"1",appliesto:"flexItemsAndInFlowPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-shrink"},"flex-wrap":{syntax:"nowrap | wrap | wrap-reverse",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"nowrap",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/flex-wrap"},float:{syntax:"left | right | none | inline-start | inline-end",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"none",appliesto:"allElementsNoEffectIfDisplayNone",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/float"},font:{syntax:"[ [ <'font-style'> || <font-variant-css21> || <'font-weight'> || <'font-stretch'> ]? <'font-size'> [ / <'line-height'> ]? <'font-family'> ] | caption | icon | menu | message-box | small-caption | status-bar",media:"visual",inherited:!0,animationType:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],percentages:["font-size","line-height"],groups:["CSS Fonts"],initial:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],appliesto:"allElements",computed:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font"},"font-family":{syntax:"[ <family-name> | <generic-family> ]#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-family"},"font-feature-settings":{syntax:"normal | <feature-tag-value>#",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-feature-settings"},"font-kerning":{syntax:"auto | normal | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-kerning"},"font-language-override":{syntax:"normal | <string>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-language-override"},"font-optical-sizing":{syntax:"auto | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-optical-sizing"},"font-variation-settings":{syntax:"normal | [ <string> <number> ]#",media:"visual",inherited:!0,animationType:"transform",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variation-settings"},"font-size":{syntax:"<absolute-size> | <relative-size> | <length-percentage>",media:"visual",inherited:!0,animationType:"length",percentages:"referToParentElementsFontSize",groups:["CSS Fonts"],initial:"medium",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-size"},"font-size-adjust":{syntax:"none | <number>",media:"visual",inherited:!0,animationType:"number",percentages:"no",groups:["CSS Fonts"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-size-adjust"},"font-smooth":{syntax:"auto | never | always | <absolute-size> | <length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-smooth"},"font-stretch":{syntax:"<font-stretch-absolute>",media:"visual",inherited:!0,animationType:"fontStretch",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-stretch"},"font-style":{syntax:"normal | italic | oblique <angle>?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-style"},"font-synthesis":{syntax:"none | [ weight || style ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"weight style",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-synthesis"},"font-variant":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> || stylistic( <feature-value-name> ) || historical-forms || styleset( <feature-value-name># ) || character-variant( <feature-value-name># ) || swash( <feature-value-name> ) || ornaments( <feature-value-name> ) || annotation( <feature-value-name> ) || [ small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps ] || <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero || <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant"},"font-variant-alternates":{syntax:"normal | [ stylistic( <feature-value-name> ) || historical-forms || styleset( <feature-value-name># ) || character-variant( <feature-value-name># ) || swash( <feature-value-name> ) || ornaments( <feature-value-name> ) || annotation( <feature-value-name> ) ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-alternates"},"font-variant-caps":{syntax:"normal | small-caps | all-small-caps | petite-caps | all-petite-caps | unicase | titling-caps",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-caps"},"font-variant-east-asian":{syntax:"normal | [ <east-asian-variant-values> || <east-asian-width-values> || ruby ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-east-asian"},"font-variant-ligatures":{syntax:"normal | none | [ <common-lig-values> || <discretionary-lig-values> || <historical-lig-values> || <contextual-alt-values> ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-ligatures"},"font-variant-numeric":{syntax:"normal | [ <numeric-figure-values> || <numeric-spacing-values> || <numeric-fraction-values> || ordinal || slashed-zero ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-numeric"},"font-variant-position":{syntax:"normal | sub | super",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-variant-position"},"font-weight":{syntax:"<font-weight-absolute> | bolder | lighter",media:"visual",inherited:!0,animationType:"fontWeight",percentages:"no",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"keywordOrNumericalValueBolderLighterTransformedToRealValue",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/font-weight"},gap:{syntax:"<'row-gap'> <'column-gap'>?",media:"visual",inherited:!1,animationType:["row-gap","column-gap"],percentages:"no",groups:["CSS Box Alignment"],initial:["row-gap","column-gap"],appliesto:"multiColumnElementsFlexContainersGridContainers",computed:["row-gap","column-gap"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/gap"},grid:{syntax:"<'grid-template'> | <'grid-template-rows'> / [ auto-flow && dense? ] <'grid-auto-columns'>? | [ auto-flow && dense? ] <'grid-auto-rows'>? / <'grid-template-columns'>",media:"visual",inherited:!1,animationType:"discrete",percentages:["grid-template-rows","grid-template-columns","grid-auto-rows","grid-auto-columns"],groups:["CSS Grid Layout"],initial:["grid-template-rows","grid-template-columns","grid-template-areas","grid-auto-rows","grid-auto-columns","grid-auto-flow","grid-column-gap","grid-row-gap","column-gap","row-gap"],appliesto:"gridContainers",computed:["grid-template-rows","grid-template-columns","grid-template-areas","grid-auto-rows","grid-auto-columns","grid-auto-flow","grid-column-gap","grid-row-gap","column-gap","row-gap"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid"},"grid-area":{syntax:"<grid-line> [ / <grid-line> ]{0,3}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-start","grid-column-start","grid-row-end","grid-column-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-row-start","grid-column-start","grid-row-end","grid-column-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-area"},"grid-auto-columns":{syntax:"<track-size>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-columns"},"grid-auto-flow":{syntax:"[ row | column ] || dense",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"row",appliesto:"gridContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-flow"},"grid-auto-rows":{syntax:"<track-size>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-auto-rows"},"grid-column":{syntax:"<grid-line> [ / <grid-line> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-column-start","grid-column-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-column-start","grid-column-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column"},"grid-column-end":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column-end"},"grid-column-gap":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"0",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/column-gap"},"grid-column-start":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-column-start"},"grid-gap":{syntax:"<'grid-row-gap'> <'grid-column-gap'>?",media:"visual",inherited:!1,animationType:["grid-row-gap","grid-column-gap"],percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-gap","grid-column-gap"],appliesto:"gridContainers",computed:["grid-row-gap","grid-column-gap"],order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/gap"},"grid-row":{syntax:"<grid-line> [ / <grid-line> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:["grid-row-start","grid-row-end"],appliesto:"gridItemsAndBoxesWithinGridContainer",computed:["grid-row-start","grid-row-end"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row"},"grid-row-end":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row-end"},"grid-row-gap":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"0",appliesto:"gridContainers",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/row-gap"},"grid-row-start":{syntax:"<grid-line>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"auto",appliesto:"gridItemsAndBoxesWithinGridContainer",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-row-start"},"grid-template":{syntax:"none | [ <'grid-template-rows'> / <'grid-template-columns'> ] | [ <line-names>? <string> <track-size>? <line-names>? ]+ [ / <explicit-track-list> ]?",media:"visual",inherited:!1,animationType:"discrete",percentages:["grid-template-columns","grid-template-rows"],groups:["CSS Grid Layout"],initial:["grid-template-columns","grid-template-rows","grid-template-areas"],appliesto:"gridContainers",computed:["grid-template-columns","grid-template-rows","grid-template-areas"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template"},"grid-template-areas":{syntax:"none | <string>+",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-areas"},"grid-template-columns":{syntax:"none | <track-list> | <auto-track-list> | subgrid <line-name-list>?",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-columns"},"grid-template-rows":{syntax:"none | <track-list> | <auto-track-list> | subgrid <line-name-list>?",media:"visual",inherited:!1,animationType:"simpleListOfLpcDifferenceLpc",percentages:"referToDimensionOfContentArea",groups:["CSS Grid Layout"],initial:"none",appliesto:"gridContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/grid-template-rows"},"hanging-punctuation":{syntax:"none | [ first || [ force-end | allow-end ] || last ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/hanging-punctuation"},height:{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentagesRelativeToContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAutoOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/height"},hyphens:{syntax:"none | manual | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"manual",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/hyphens"},"image-orientation":{syntax:"from-image | <angle> | [ <angle>? flip ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"from-image",appliesto:"allElements",computed:"angleRoundedToNextQuarter",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/image-orientation"},"image-rendering":{syntax:"auto | crisp-edges | pixelated",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/image-rendering"},"image-resolution":{syntax:"[ from-image || <resolution> ] && snap?",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"1dppx",appliesto:"allElements",computed:"asSpecifiedWithExceptionOfResolution",order:"uniqueOrder",status:"experimental"},"ime-mode":{syntax:"auto | normal | active | inactive | disabled",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"textFields",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ime-mode"},"initial-letter":{syntax:"normal | [ <number> <integer>? ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Inline"],initial:"normal",appliesto:"firstLetterPseudoElementsAndInlineLevelFirstChildren",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/initial-letter"},"initial-letter-align":{syntax:"[ auto | alphabetic | hanging | ideographic ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Inline"],initial:"auto",appliesto:"firstLetterPseudoElementsAndInlineLevelFirstChildren",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/initial-letter-align"},"inline-size":{syntax:"<'width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"sameAsWidthAndHeight",computed:"sameAsWidthAndHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inline-size"},inset:{syntax:"<'top'>{1,4}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset"},"inset-block":{syntax:"<'top'>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block"},"inset-block-end":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block-end"},"inset-block-start":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalHeightOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-block-start"},"inset-inline":{syntax:"<'top'>{1,2}",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline"},"inset-inline-end":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline-end"},"inset-inline-start":{syntax:"<'top'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"auto",appliesto:"positionedElements",computed:"sameAsBoxOffsets",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/inset-inline-start"},isolation:{syntax:"auto | isolate",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"auto",appliesto:"allElementsSVGContainerGraphicsAndGraphicsReferencingElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/isolation"},"justify-content":{syntax:"normal | <content-distribution> | <overflow-position>? [ <content-position> | left | right ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"flexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-content"},"justify-items":{syntax:"normal | stretch | <baseline-position> | <overflow-position>? [ <self-position> | left | right ] | legacy | legacy && [ left | right | center ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"legacy",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-items"},"justify-self":{syntax:"auto | normal | stretch | <baseline-position> | <overflow-position>? [ <self-position> | left | right ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"auto",appliesto:"blockLevelBoxesAndAbsolutelyPositionedBoxesAndGridItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-self"},"justify-tracks":{syntax:"[ normal | <content-distribution> | <overflow-position>? [ <content-position> | left | right ] ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"normal",appliesto:"gridContainersWithMasonryLayoutInTheirInlineAxis",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/justify-tracks"},left:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/left"},"letter-spacing":{syntax:"normal | <length>",media:"visual",inherited:!0,animationType:"length",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"optimumValueOfAbsoluteLengthOrNormal",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/letter-spacing"},"line-break":{syntax:"auto | loose | normal | strict | anywhere",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-break"},"line-clamp":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Overflow"],initial:"none",appliesto:"blockContainersExceptMultiColumnContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"line-height":{syntax:"normal | <number> | <length> | <percentage>",media:"visual",inherited:!0,animationType:"numberOrLength",percentages:"referToElementFontSize",groups:["CSS Fonts"],initial:"normal",appliesto:"allElements",computed:"absoluteLengthOrAsSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-height"},"line-height-step":{syntax:"<length>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fonts"],initial:"0",appliesto:"blockContainers",computed:"absoluteLength",order:"perGrammar",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/line-height-step"},"list-style":{syntax:"<'list-style-type'> || <'list-style-position'> || <'list-style-image'>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:["list-style-type","list-style-position","list-style-image"],appliesto:"listItems",computed:["list-style-image","list-style-position","list-style-type"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style"},"list-style-image":{syntax:"<url> | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"none",appliesto:"listItems",computed:"noneOrImageWithAbsoluteURI",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-image"},"list-style-position":{syntax:"inside | outside",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"outside",appliesto:"listItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-position"},"list-style-type":{syntax:"<counter-style> | <string> | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Lists and Counters"],initial:"disc",appliesto:"listItems",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/list-style-type"},margin:{syntax:"[ <length> | <percentage> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:["margin-bottom","margin-left","margin-right","margin-top"],appliesto:"allElementsExceptTableDisplayTypes",computed:["margin-bottom","margin-left","margin-right","margin-top"],order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin"},"margin-block":{syntax:"<'margin-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block"},"margin-block-end":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block-end"},"margin-block-start":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-block-start"},"margin-bottom":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-bottom"},"margin-inline":{syntax:"<'margin-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline"},"margin-inline-end":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline-end"},"margin-inline-start":{syntax:"<'margin-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"dependsOnLayoutModel",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsMargin",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-inline-start"},"margin-left":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-left"},"margin-right":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-right"},"margin-top":{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-top"},"margin-trim":{syntax:"none | in-flow | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"none",appliesto:"blockContainersAndMultiColumnContainers",computed:"asSpecified",order:"perGrammar",alsoAppliesTo:["::first-letter","::first-line"],status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/margin-trim"},mask:{syntax:"<mask-layer>#",media:"visual",inherited:!1,animationType:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],percentages:["mask-position"],groups:["CSS Masking"],initial:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],appliesto:"allElementsSVGContainerElements",computed:["mask-image","mask-mode","mask-repeat","mask-position","mask-clip","mask-origin","mask-size","mask-composite"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask"},"mask-border":{syntax:"<'mask-border-source'> || <'mask-border-slice'> [ / <'mask-border-width'>? [ / <'mask-border-outset'> ]? ]? || <'mask-border-repeat'> || <'mask-border-mode'>",media:"visual",inherited:!1,animationType:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],percentages:["mask-border-slice","mask-border-width"],groups:["CSS Masking"],initial:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],appliesto:"allElementsSVGContainerElements",computed:["mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border"},"mask-border-mode":{syntax:"luminance | alpha",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"alpha",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-mode"},"mask-border-outset":{syntax:"[ <length> | <number> ]{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"0",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-outset"},"mask-border-repeat":{syntax:"[ stretch | repeat | round | space ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"stretch",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-repeat"},"mask-border-slice":{syntax:"<number-percentage>{1,4} fill?",media:"visual",inherited:!1,animationType:"discrete",percentages:"referToSizeOfMaskBorderImage",groups:["CSS Masking"],initial:"0",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-slice"},"mask-border-source":{syntax:"none | <image>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-source"},"mask-border-width":{syntax:"[ <length-percentage> | <number> | auto ]{1,4}",media:"visual",inherited:!1,animationType:"discrete",percentages:"relativeToMaskBorderImageArea",groups:["CSS Masking"],initial:"auto",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-border-width"},"mask-clip":{syntax:"[ <geometry-box> | no-clip ]#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"border-box",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-clip"},"mask-composite":{syntax:"<compositing-operator>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"add",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-composite"},"mask-image":{syntax:"<mask-reference>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"none",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedURLsAbsolute",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-image"},"mask-mode":{syntax:"<masking-mode>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"match-source",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-mode"},"mask-origin":{syntax:"<geometry-box>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"border-box",appliesto:"allElementsSVGContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-origin"},"mask-position":{syntax:"<position>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToSizeOfMaskPaintingArea",groups:["CSS Masking"],initial:"center",appliesto:"allElementsSVGContainerElements",computed:"consistsOfTwoKeywordsForOriginAndOffsets",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-position"},"mask-repeat":{syntax:"<repeat-style>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"no-repeat",appliesto:"allElementsSVGContainerElements",computed:"consistsOfTwoDimensionKeywords",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-repeat"},"mask-size":{syntax:"<bg-size>#",media:"visual",inherited:!1,animationType:"repeatableListOfSimpleListOfLpc",percentages:"no",groups:["CSS Masking"],initial:"auto",appliesto:"allElementsSVGContainerElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-size"},"mask-type":{syntax:"luminance | alpha",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Masking"],initial:"luminance",appliesto:"maskElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mask-type"},"masonry-auto-flow":{syntax:"[ pack | next ] || [ definite-first | ordered ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Grid Layout"],initial:"pack",appliesto:"gridContainersWithMasonryLayout",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/masonry-auto-flow"},"math-style":{syntax:"normal | compact",media:"visual",inherited:!0,animationType:"notAnimatable",percentages:"no",groups:["MathML"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/math-style"},"max-block-size":{syntax:"<'max-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMaxWidthAndMaxHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-block-size"},"max-height":{syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentagesNone",groups:["CSS Box Model"],initial:"none",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAsSpecifiedAbsoluteLengthOrNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-height"},"max-inline-size":{syntax:"<'max-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMaxWidthAndMaxHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-inline-size"},"max-lines":{syntax:"none | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Overflow"],initial:"none",appliesto:"blockContainersExceptMultiColumnContainers",computed:"asSpecified",order:"perGrammar",status:"experimental"},"max-width":{syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"none",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAsSpecifiedAbsoluteLengthOrNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/max-width"},"min-block-size":{syntax:"<'min-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"blockSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMinWidthAndMinHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-block-size"},"min-height":{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"regardingHeightOfGeneratedBoxContainingBlockPercentages0",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableColumns",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-height"},"min-inline-size":{syntax:"<'min-width'>",media:"visual",inherited:!1,animationType:"lpc",percentages:"inlineSizeOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"sameAsWidthAndHeight",computed:"sameAsMinWidthAndMinHeight",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-inline-size"},"min-width":{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/min-width"},"mix-blend-mode":{syntax:"<blend-mode>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Compositing and Blending"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/mix-blend-mode"},"object-fit":{syntax:"fill | contain | cover | none | scale-down",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Images"],initial:"fill",appliesto:"replacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/object-fit"},"object-position":{syntax:"<position>",media:"visual",inherited:!0,animationType:"repeatableListOfSimpleListOfLpc",percentages:"referToWidthAndHeightOfElement",groups:["CSS Images"],initial:"50% 50%",appliesto:"replacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/object-position"},offset:{syntax:"[ <'offset-position'>? [ <'offset-path'> [ <'offset-distance'> || <'offset-rotate'> ]? ]? ]! [ / <'offset-anchor'> ]?",media:"visual",inherited:!1,animationType:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],percentages:["offset-position","offset-distance","offset-anchor"],groups:["CSS Motion Path"],initial:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],appliesto:"transformableElements",computed:["offset-position","offset-path","offset-distance","offset-anchor","offset-rotate"],order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset"},"offset-anchor":{syntax:"auto | <position>",media:"visual",inherited:!1,animationType:"position",percentages:"relativeToWidthAndHeight",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"standard"},"offset-distance":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToTotalPathLength",groups:["CSS Motion Path"],initial:"0",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-distance"},"offset-path":{syntax:"none | ray( [ <angle> && <size> && contain? ] ) | <path()> | <url> | [ <basic-shape> || <geometry-box> ]",media:"visual",inherited:!1,animationType:"angleOrBasicShapeOrPath",percentages:"no",groups:["CSS Motion Path"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-path"},"offset-position":{syntax:"auto | <position>",media:"visual",inherited:!1,animationType:"position",percentages:"referToSizeOfContainingBlock",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"perGrammar",status:"experimental"},"offset-rotate":{syntax:"[ auto | reverse ] || <angle>",media:"visual",inherited:!1,animationType:"angleOrBasicShapeOrPath",percentages:"no",groups:["CSS Motion Path"],initial:"auto",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/offset-rotate"},opacity:{syntax:"<alpha-value>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Color"],initial:"1.0",appliesto:"allElements",computed:"specifiedValueClipped0To1",order:"uniqueOrder",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/opacity"},order:{syntax:"<integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Flexible Box Layout"],initial:"0",appliesto:"flexItemsGridItemsAbsolutelyPositionedContainerChildren",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/order"},orphans:{syntax:"<integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"2",appliesto:"blockContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/orphans"},outline:{syntax:"[ <'outline-color'> || <'outline-style'> || <'outline-width'> ]",media:["visual","interactive"],inherited:!1,animationType:["outline-color","outline-width","outline-style"],percentages:"no",groups:["CSS Basic User Interface"],initial:["outline-color","outline-style","outline-width"],appliesto:"allElements",computed:["outline-color","outline-width","outline-style"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline"},"outline-color":{syntax:"<color> | invert",media:["visual","interactive"],inherited:!1,animationType:"color",percentages:"no",groups:["CSS Basic User Interface"],initial:"invertOrCurrentColor",appliesto:"allElements",computed:"invertForTranslucentColorRGBAOtherwiseRGB",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-color"},"outline-offset":{syntax:"<length>",media:["visual","interactive"],inherited:!1,animationType:"length",percentages:"no",groups:["CSS Basic User Interface"],initial:"0",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-offset"},"outline-style":{syntax:"auto | <'border-style'>",media:["visual","interactive"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-style"},"outline-width":{syntax:"<line-width>",media:["visual","interactive"],inherited:!1,animationType:"length",percentages:"no",groups:["CSS Basic User Interface"],initial:"medium",appliesto:"allElements",computed:"absoluteLength0ForNone",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/outline-width"},overflow:{syntax:"[ visible | hidden | clip | scroll | auto ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:["overflow-x","overflow-y"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow"},"overflow-anchor":{syntax:"auto | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Anchoring"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard"},"overflow-block":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"perGrammar",status:"standard"},"overflow-clip-box":{syntax:"padding-box | content-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Mozilla Extensions"],initial:"padding-box",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Mozilla/CSS/overflow-clip-box"},"overflow-inline":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"perGrammar",status:"standard"},"overflow-wrap":{syntax:"normal | break-word | anywhere",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"nonReplacedInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-wrap"},"overflow-x":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-x"},"overflow-y":{syntax:"visible | hidden | clip | scroll | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"visible",appliesto:"blockContainersFlexContainersGridContainers",computed:"asSpecifiedButVisibleOrClipReplacedToAutoOrHiddenIfOtherValueDifferent",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-y"},"overscroll-behavior":{syntax:"[ contain | none | auto ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior"},"overscroll-behavior-block":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-block"},"overscroll-behavior-inline":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-inline"},"overscroll-behavior-x":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-x"},"overscroll-behavior-y":{syntax:"contain | none | auto",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Model"],initial:"auto",appliesto:"nonReplacedBlockAndInlineBlockElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overscroll-behavior-y"},padding:{syntax:"[ <length> | <percentage> ]{1,4}",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:["padding-bottom","padding-left","padding-right","padding-top"],appliesto:"allElementsExceptInternalTableDisplayTypes",computed:["padding-bottom","padding-left","padding-right","padding-top"],order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding"},"padding-block":{syntax:"<'padding-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block"},"padding-block-end":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block-end"},"padding-block-start":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-block-start"},"padding-bottom":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-bottom"},"padding-inline":{syntax:"<'padding-left'>{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline"},"padding-inline-end":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline-end"},"padding-inline-start":{syntax:"<'padding-left'>",media:"visual",inherited:!1,animationType:"length",percentages:"logicalWidthOfContainingBlock",groups:["CSS Logical Properties"],initial:"0",appliesto:"allElements",computed:"asLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-inline-start"},"padding-left":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-left"},"padding-right":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-right"},"padding-top":{syntax:"<length> | <percentage>",media:"visual",inherited:!1,animationType:"length",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"0",appliesto:"allElementsExceptInternalTableDisplayTypes",computed:"percentageAsSpecifiedOrAbsoluteLength",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/padding-top"},"page-break-after":{syntax:"auto | always | avoid | left | right | recto | verso",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-after"},"page-break-before":{syntax:"auto | always | avoid | left | right | recto | verso",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-before"},"page-break-inside":{syntax:"auto | avoid",media:["visual","paged"],inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Pages"],initial:"auto",appliesto:"blockElementsInNormalFlow",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/page-break-inside"},"paint-order":{syntax:"normal | [ fill || stroke || markers ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"textElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/paint-order"},perspective:{syntax:"none | <length>",media:"visual",inherited:!1,animationType:"length",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"absoluteLengthOrNone",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/perspective"},"perspective-origin":{syntax:"<position>",media:"visual",inherited:!1,animationType:"simpleListOfLpc",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"50% 50%",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"oneOrTwoValuesLengthAbsoluteKeywordsPercentages",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/perspective-origin"},"place-content":{syntax:"<'align-content'> <'justify-content'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multilineFlexContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-content"},"place-items":{syntax:"<'align-items'> <'justify-items'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:["align-items","justify-items"],appliesto:"allElements",computed:["align-items","justify-items"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-items"},"place-self":{syntax:"<'align-self'> <'justify-self'>?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Box Alignment"],initial:["align-self","justify-self"],appliesto:"blockLevelBoxesAndAbsolutelyPositionedBoxesAndGridItems",computed:["align-self","justify-self"],order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/place-self"},"pointer-events":{syntax:"auto | none | visiblePainted | visibleFill | visibleStroke | visible | painted | fill | stroke | all | inherit",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["Pointer Events"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/pointer-events"},position:{syntax:"static | relative | absolute | sticky | fixed",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Positioning"],initial:"static",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/position"},quotes:{syntax:"none | auto | [ <string> <string> ]+",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Generated Content"],initial:"dependsOnUserAgent",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/quotes"},resize:{syntax:"none | both | horizontal | vertical | block | inline",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"none",appliesto:"elementsWithOverflowNotVisibleAndReplacedElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/resize"},right:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/right"},rotate:{syntax:"none | <angle> | [ x | y | z | <number>{3} ] && <angle>",media:"visual",inherited:!1,animationType:"transform",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/rotate"},"row-gap":{syntax:"normal | <length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToDimensionOfContentArea",groups:["CSS Box Alignment"],initial:"normal",appliesto:"multiColumnElementsFlexContainersGridContainers",computed:"asSpecifiedWithLengthsAbsoluteAndNormalComputingToZeroExceptMultiColumn",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/row-gap"},"ruby-align":{syntax:"start | center | space-between | space-around",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"space-around",appliesto:"rubyBasesAnnotationsBaseAnnotationContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ruby-align"},"ruby-merge":{syntax:"separate | collapse | auto",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"separate",appliesto:"rubyAnnotationsContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental"},"ruby-position":{syntax:"over | under | inter-character",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Ruby"],initial:"over",appliesto:"rubyAnnotationsContainers",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/ruby-position"},scale:{syntax:"none | <number>{1,3}",media:"visual",inherited:!1,animationType:"transform",percentages:"no",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scale"},"scrollbar-color":{syntax:"auto | dark | light | <color>{2}",media:"visual",inherited:!0,animationType:"color",percentages:"no",groups:["CSS Scrollbars"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-color"},"scrollbar-gutter":{syntax:"auto | [ stable | always ] && both? && force?",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Overflow"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-gutter"},"scrollbar-width":{syntax:"auto | thin | none",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scrollbars"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scrollbar-width"},"scroll-behavior":{syntax:"auto | smooth",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSSOM View"],initial:"auto",appliesto:"scrollingBoxes",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-behavior"},"scroll-margin":{syntax:"<length>{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin"},"scroll-margin-block":{syntax:"<length>{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block"},"scroll-margin-block-start":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block-start"},"scroll-margin-block-end":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-block-end"},"scroll-margin-bottom":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-bottom"},"scroll-margin-inline":{syntax:"<length>{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline"},"scroll-margin-inline-start":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline-start"},"scroll-margin-inline-end":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-inline-end"},"scroll-margin-left":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-left"},"scroll-margin-right":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-right"},"scroll-margin-top":{syntax:"<length>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"no",groups:["CSS Scroll Snap"],initial:"0",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-margin-top"},"scroll-padding":{syntax:"[ auto | <length-percentage> ]{1,4}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding"},"scroll-padding-block":{syntax:"[ auto | <length-percentage> ]{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block"},"scroll-padding-block-start":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block-start"},"scroll-padding-block-end":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-block-end"},"scroll-padding-bottom":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-bottom"},"scroll-padding-inline":{syntax:"[ auto | <length-percentage> ]{1,2}",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline"},"scroll-padding-inline-start":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline-start"},"scroll-padding-inline-end":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-inline-end"},"scroll-padding-left":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-left"},"scroll-padding-right":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-right"},"scroll-padding-top":{syntax:"auto | <length-percentage>",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"relativeToTheScrollContainersScrollport",groups:["CSS Scroll Snap"],initial:"auto",appliesto:"scrollContainers",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-padding-top"},"scroll-snap-align":{syntax:"[ none | start | end | center ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-align"},"scroll-snap-coordinate":{syntax:"none | <position>#",media:"interactive",inherited:!1,animationType:"position",percentages:"referToBorderBox",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-coordinate"},"scroll-snap-destination":{syntax:"<position>",media:"interactive",inherited:!1,animationType:"position",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"0px 0px",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-destination"},"scroll-snap-points-x":{syntax:"none | repeat( <length-percentage> )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-points-x"},"scroll-snap-points-y":{syntax:"none | repeat( <length-percentage> )",media:"interactive",inherited:!1,animationType:"discrete",percentages:"relativeToScrollContainerPaddingBoxAxis",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-points-y"},"scroll-snap-stop":{syntax:"normal | always",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-stop"},"scroll-snap-type":{syntax:"none | [ x | y | block | inline | both ] [ mandatory | proximity ]?",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type"},"scroll-snap-type-x":{syntax:"none | mandatory | proximity",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type-x"},"scroll-snap-type-y":{syntax:"none | mandatory | proximity",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Scroll Snap"],initial:"none",appliesto:"scrollContainers",computed:"asSpecified",order:"uniqueOrder",status:"obsolete",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/scroll-snap-type-y"},"shape-image-threshold":{syntax:"<alpha-value>",media:"visual",inherited:!1,animationType:"number",percentages:"no",groups:["CSS Shapes"],initial:"0.0",appliesto:"floats",computed:"specifiedValueNumberClipped0To1",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-image-threshold"},"shape-margin":{syntax:"<length-percentage>",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Shapes"],initial:"0",appliesto:"floats",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-margin"},"shape-outside":{syntax:"none | <shape-box> || <basic-shape> | <image>",media:"visual",inherited:!1,animationType:"basicShapeOtherwiseNo",percentages:"no",groups:["CSS Shapes"],initial:"none",appliesto:"floats",computed:"asDefinedForBasicShapeWithAbsoluteURIOtherwiseAsSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/shape-outside"},"tab-size":{syntax:"<integer> | <length>",media:"visual",inherited:!0,animationType:"length",percentages:"no",groups:["CSS Text"],initial:"8",appliesto:"blockContainers",computed:"specifiedIntegerOrAbsoluteLength",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/tab-size"},"table-layout":{syntax:"auto | fixed",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Table"],initial:"auto",appliesto:"tableElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/table-layout"},"text-align":{syntax:"start | end | left | right | center | justify | match-parent",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"startOrNamelessValueIfLTRRightIfRTL",appliesto:"blockContainers",computed:"asSpecifiedExceptMatchParent",order:"orderOfAppearance",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-align"},"text-align-last":{syntax:"auto | start | end | left | right | center | justify",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"blockContainers",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-align-last"},"text-combine-upright":{syntax:"none | all | [ digits <integer>? ]",media:"visual",inherited:!0,animationType:"notAnimatable",percentages:"no",groups:["CSS Writing Modes"],initial:"none",appliesto:"nonReplacedInlineElements",computed:"keywordPlusIntegerIfDigits",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-combine-upright"},"text-decoration":{syntax:"<'text-decoration-line'> || <'text-decoration-style'> || <'text-decoration-color'> || <'text-decoration-thickness'>",media:"visual",inherited:!1,animationType:["text-decoration-color","text-decoration-style","text-decoration-line","text-decoration-thickness"],percentages:"no",groups:["CSS Text Decoration"],initial:["text-decoration-color","text-decoration-style","text-decoration-line"],appliesto:"allElements",computed:["text-decoration-line","text-decoration-style","text-decoration-color","text-decoration-thickness"],order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration"},"text-decoration-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Text Decoration"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-color"},"text-decoration-line":{syntax:"none | [ underline || overline || line-through || blink ] | spelling-error | grammar-error",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-line"},"text-decoration-skip":{syntax:"none | [ objects || [ spaces | [ leading-spaces || trailing-spaces ] ] || edges || box-decoration ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"objects",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-skip"},"text-decoration-skip-ink":{syntax:"auto | all | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-skip-ink"},"text-decoration-style":{syntax:"solid | double | dotted | dashed | wavy",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"solid",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-style"},"text-decoration-thickness":{syntax:"auto | from-font | <length> | <percentage> ",media:"visual",inherited:!1,animationType:"byComputedValueType",percentages:"referToElementFontSize",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-decoration-thickness"},"text-emphasis":{syntax:"<'text-emphasis-style'> || <'text-emphasis-color'>",media:"visual",inherited:!1,animationType:["text-emphasis-color","text-emphasis-style"],percentages:"no",groups:["CSS Text Decoration"],initial:["text-emphasis-style","text-emphasis-color"],appliesto:"allElements",computed:["text-emphasis-style","text-emphasis-color"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis"},"text-emphasis-color":{syntax:"<color>",media:"visual",inherited:!1,animationType:"color",percentages:"no",groups:["CSS Text Decoration"],initial:"currentcolor",appliesto:"allElements",computed:"computedColor",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-color"},"text-emphasis-position":{syntax:"[ over | under ] && [ right | left ]",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"over right",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-position"},"text-emphasis-style":{syntax:"none | [ [ filled | open ] || [ dot | circle | double-circle | triangle | sesame ] ] | <string>",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-emphasis-style"},"text-indent":{syntax:"<length-percentage> && hanging? && each-line?",media:"visual",inherited:!0,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Text"],initial:"0",appliesto:"blockContainers",computed:"percentageOrAbsoluteLengthPlusKeywords",order:"lengthOrPercentageBeforeKeywords",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-indent"},"text-justify":{syntax:"auto | inter-character | inter-word | none",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"auto",appliesto:"inlineLevelAndTableCellElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-justify"},"text-orientation":{syntax:"mixed | upright | sideways",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"mixed",appliesto:"allElementsExceptTableRowGroupsRowsColumnGroupsAndColumns",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-orientation"},"text-overflow":{syntax:"[ clip | ellipsis | <string> ]{1,2}",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"clip",appliesto:"blockContainerElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-overflow"},"text-rendering":{syntax:"auto | optimizeSpeed | optimizeLegibility | geometricPrecision",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Miscellaneous"],initial:"auto",appliesto:"textElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-rendering"},"text-shadow":{syntax:"none | <shadow-t>#",media:"visual",inherited:!0,animationType:"shadowList",percentages:"no",groups:["CSS Text Decoration"],initial:"none",appliesto:"allElements",computed:"colorPlusThreeAbsoluteLengths",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-shadow"},"text-size-adjust":{syntax:"none | auto | <percentage>",media:"visual",inherited:!0,animationType:"discrete",percentages:"referToSizeOfFont",groups:["CSS Text"],initial:"autoForSmartphoneBrowsersSupportingInflation",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"experimental",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-size-adjust"},"text-transform":{syntax:"none | capitalize | uppercase | lowercase | full-width | full-size-kana",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"none",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-transform"},"text-underline-offset":{syntax:"auto | <length> | <percentage> ",media:"visual",inherited:!0,animationType:"byComputedValueType",percentages:"referToElementFontSize",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-underline-offset"},"text-underline-position":{syntax:"auto | from-font | [ under || [ left | right ] ]",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text Decoration"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/text-underline-position"},top:{syntax:"<length> | <percentage> | auto",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToContainingBlockHeight",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"lengthAbsolutePercentageAsSpecifiedOtherwiseAuto",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/top"},"touch-action":{syntax:"auto | none | [ [ pan-x | pan-left | pan-right ] || [ pan-y | pan-up | pan-down ] || pinch-zoom ] | manipulation",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["Pointer Events"],initial:"auto",appliesto:"allElementsExceptNonReplacedInlineElementsTableRowsColumnsRowColumnGroups",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/touch-action"},transform:{syntax:"none | <transform-list>",media:"visual",inherited:!1,animationType:"transform",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform"},"transform-box":{syntax:"content-box | border-box | fill-box | stroke-box | view-box",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"view-box",appliesto:"transformableElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-box"},"transform-origin":{syntax:"[ <length-percentage> | left | center | right | top | bottom ] | [ [ <length-percentage> | left | center | right ] && [ <length-percentage> | top | center | bottom ] ] <length>?",media:"visual",inherited:!1,animationType:"simpleListOfLpc",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"50% 50% 0",appliesto:"transformableElements",computed:"forLengthAbsoluteValueOtherwisePercentage",order:"oneOrTwoValuesLengthAbsoluteKeywordsPercentages",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-origin"},"transform-style":{syntax:"flat | preserve-3d",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transforms"],initial:"flat",appliesto:"transformableElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transform-style"},transition:{syntax:"<single-transition>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:["transition-delay","transition-duration","transition-property","transition-timing-function"],appliesto:"allElementsAndPseudos",computed:["transition-delay","transition-duration","transition-property","transition-timing-function"],order:"orderOfAppearance",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition"},"transition-delay":{syntax:"<time>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-delay"},"transition-duration":{syntax:"<time>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"0s",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-duration"},"transition-property":{syntax:"none | <single-transition-property>#",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"all",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-property"},"transition-timing-function":{syntax:"<timing-function>#",media:"interactive",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Transitions"],initial:"ease",appliesto:"allElementsAndPseudos",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/transition-timing-function"},translate:{syntax:"none | <length-percentage> [ <length-percentage> <length>? ]?",media:"visual",inherited:!1,animationType:"transform",percentages:"referToSizeOfBoundingBox",groups:["CSS Transforms"],initial:"none",appliesto:"transformableElements",computed:"asSpecifiedRelativeToAbsoluteLengths",order:"perGrammar",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/translate"},"unicode-bidi":{syntax:"normal | embed | isolate | bidi-override | isolate-override | plaintext",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"normal",appliesto:"allElementsSomeValuesNoEffectOnNonInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/unicode-bidi"},"user-select":{syntax:"auto | text | none | contain | all",media:"visual",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Basic User Interface"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/user-select"},"vertical-align":{syntax:"baseline | sub | super | text-top | text-bottom | middle | top | bottom | <percentage> | <length>",media:"visual",inherited:!1,animationType:"length",percentages:"referToLineHeight",groups:["CSS Table"],initial:"baseline",appliesto:"inlineLevelAndTableCellElements",computed:"absoluteLengthOrKeyword",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/vertical-align"},visibility:{syntax:"visible | hidden | collapse",media:"visual",inherited:!0,animationType:"visibility",percentages:"no",groups:["CSS Box Model"],initial:"visible",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/visibility"},"white-space":{syntax:"normal | pre | nowrap | pre-wrap | pre-line | break-spaces",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/white-space"},widows:{syntax:"<integer>",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Fragmentation"],initial:"2",appliesto:"blockContainerElements",computed:"asSpecified",order:"perGrammar",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/widows"},width:{syntax:"auto | <length> | <percentage> | min-content | max-content | fit-content(<length-percentage>)",media:"visual",inherited:!1,animationType:"lpc",percentages:"referToWidthOfContainingBlock",groups:["CSS Box Model"],initial:"auto",appliesto:"allElementsButNonReplacedAndTableRows",computed:"percentageAutoOrAbsoluteLength",order:"lengthOrPercentageBeforeKeywordIfBothPresent",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/width"},"will-change":{syntax:"auto | <animateable-feature>#",media:"all",inherited:!1,animationType:"discrete",percentages:"no",groups:["CSS Will Change"],initial:"auto",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/will-change"},"word-break":{syntax:"normal | break-all | keep-all | break-word",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/word-break"},"word-spacing":{syntax:"normal | <length-percentage>",media:"visual",inherited:!0,animationType:"length",percentages:"referToWidthOfAffectedGlyph",groups:["CSS Text"],initial:"normal",appliesto:"allElements",computed:"optimumMinAndMaxValueOfAbsoluteLengthPercentageOrNormal",order:"uniqueOrder",alsoAppliesTo:["::first-letter","::first-line","::placeholder"],status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/word-spacing"},"word-wrap":{syntax:"normal | break-word",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Text"],initial:"normal",appliesto:"nonReplacedInlineElements",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/overflow-wrap"},"writing-mode":{syntax:"horizontal-tb | vertical-rl | vertical-lr | sideways-rl | sideways-lr",media:"visual",inherited:!0,animationType:"discrete",percentages:"no",groups:["CSS Writing Modes"],initial:"horizontal-tb",appliesto:"allElementsExceptTableRowColumnGroupsTableRowsColumns",computed:"asSpecified",order:"uniqueOrder",status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/writing-mode"},"z-index":{syntax:"auto | <integer>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["CSS Positioning"],initial:"auto",appliesto:"positionedElements",computed:"asSpecified",order:"uniqueOrder",stacking:!0,status:"standard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/z-index"},zoom:{syntax:"normal | reset | <number> | <percentage>",media:"visual",inherited:!1,animationType:"integer",percentages:"no",groups:["Microsoft Extensions"],initial:"normal",appliesto:"allElements",computed:"asSpecified",order:"uniqueOrder",status:"nonstandard",mdn_url:"https://developer.mozilla.org/docs/Web/CSS/zoom"}},co={atrules:{charset:{prelude:"<string>"},"font-face":{descriptors:{"unicode-range":{comment:"replaces <unicode-range>, an old production name",syntax:"<urange>#"}}}},properties:{"-moz-background-clip":{comment:"deprecated syntax in old Firefox, https://developer.mozilla.org/en/docs/Web/CSS/background-clip",syntax:"padding | border"},"-moz-border-radius-bottomleft":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-left-radius",syntax:"<'border-bottom-left-radius'>"},"-moz-border-radius-bottomright":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-right-radius",syntax:"<'border-bottom-right-radius'>"},"-moz-border-radius-topleft":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-top-left-radius",syntax:"<'border-top-left-radius'>"},"-moz-border-radius-topright":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/border-bottom-right-radius",syntax:"<'border-bottom-right-radius'>"},"-moz-control-character-visibility":{comment:"firefox specific keywords, https://bugzilla.mozilla.org/show_bug.cgi?id=947588",syntax:"visible | hidden"},"-moz-osx-font-smoothing":{comment:"misssed old syntax https://developer.mozilla.org/en-US/docs/Web/CSS/font-smooth",syntax:"auto | grayscale"},"-moz-user-select":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/user-select",syntax:"none | text | all | -moz-none"},"-ms-flex-align":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-align",syntax:"start | end | center | baseline | stretch"},"-ms-flex-item-align":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-align",syntax:"auto | start | end | center | baseline | stretch"},"-ms-flex-line-pack":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-line-pack",syntax:"start | end | center | justify | distribute | stretch"},"-ms-flex-negative":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-shrink'>"},"-ms-flex-pack":{comment:"misssed old syntax implemented in IE, https://www.w3.org/TR/2012/WD-css3-flexbox-20120322/#flex-pack",syntax:"start | end | center | justify | distribute"},"-ms-flex-order":{comment:"misssed old syntax implemented in IE; https://msdn.microsoft.com/en-us/library/jj127303(v=vs.85).aspx",syntax:"<integer>"},"-ms-flex-positive":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-grow'>"},"-ms-flex-preferred-size":{comment:"misssed old syntax implemented in IE; TODO: find references for comfirmation",syntax:"<'flex-basis'>"},"-ms-interpolation-mode":{comment:"https://msdn.microsoft.com/en-us/library/ff521095(v=vs.85).aspx",syntax:"nearest-neighbor | bicubic"},"-ms-grid-column-align":{comment:"add this property first since it uses as fallback for flexbox, https://msdn.microsoft.com/en-us/library/windows/apps/hh466338.aspx",syntax:"start | end | center | stretch"},"-ms-grid-row-align":{comment:"add this property first since it uses as fallback for flexbox, https://msdn.microsoft.com/en-us/library/windows/apps/hh466348.aspx",syntax:"start | end | center | stretch"},"-ms-hyphenate-limit-last":{comment:"misssed old syntax implemented in IE; https://www.w3.org/TR/css-text-4/#hyphenate-line-limits",syntax:"none | always | column | page | spread"},"-webkit-appearance":{comment:"webkit specific keywords",references:["http://css-infos.net/property/-webkit-appearance"],syntax:"none | button | button-bevel | caps-lock-indicator | caret | checkbox | default-button | inner-spin-button | listbox | listitem | media-controls-background | media-controls-fullscreen-background | media-current-time-display | media-enter-fullscreen-button | media-exit-fullscreen-button | media-fullscreen-button | media-mute-button | media-overlay-play-button | media-play-button | media-seek-back-button | media-seek-forward-button | media-slider | media-sliderthumb | media-time-remaining-display | media-toggle-closed-captions-button | media-volume-slider | media-volume-slider-container | media-volume-sliderthumb | menulist | menulist-button | menulist-text | menulist-textfield | meter | progress-bar | progress-bar-value | push-button | radio | scrollbarbutton-down | scrollbarbutton-left | scrollbarbutton-right | scrollbarbutton-up | scrollbargripper-horizontal | scrollbargripper-vertical | scrollbarthumb-horizontal | scrollbarthumb-vertical | scrollbartrack-horizontal | scrollbartrack-vertical | searchfield | searchfield-cancel-button | searchfield-decoration | searchfield-results-button | searchfield-results-decoration | slider-horizontal | slider-vertical | sliderthumb-horizontal | sliderthumb-vertical | square-button | textarea | textfield | -apple-pay-button"},"-webkit-background-clip":{comment:"https://developer.mozilla.org/en/docs/Web/CSS/background-clip",syntax:"[ <box> | border | padding | content | text ]#"},"-webkit-column-break-after":{comment:"added, http://help.dottoro.com/lcrthhhv.php",syntax:"always | auto | avoid"},"-webkit-column-break-before":{comment:"added, http://help.dottoro.com/lcxquvkf.php",syntax:"always | auto | avoid"},"-webkit-column-break-inside":{comment:"added, http://help.dottoro.com/lclhnthl.php",syntax:"always | auto | avoid"},"-webkit-font-smoothing":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/font-smooth",syntax:"auto | none | antialiased | subpixel-antialiased"},"-webkit-mask-box-image":{comment:"missed; https://developer.mozilla.org/en-US/docs/Web/CSS/-webkit-mask-box-image",syntax:"[ <url> | <gradient> | none ] [ <length-percentage>{4} <-webkit-mask-box-repeat>{2} ]?"},"-webkit-print-color-adjust":{comment:"missed",references:["https://developer.mozilla.org/en/docs/Web/CSS/-webkit-print-color-adjust"],syntax:"economy | exact"},"-webkit-text-security":{comment:"missed; http://help.dottoro.com/lcbkewgt.php",syntax:"none | circle | disc | square"},"-webkit-user-drag":{comment:"missed; http://help.dottoro.com/lcbixvwm.php",syntax:"none | element | auto"},"-webkit-user-select":{comment:"auto is supported by old webkit, https://developer.mozilla.org/en-US/docs/Web/CSS/user-select",syntax:"auto | none | text | all"},"alignment-baseline":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#AlignmentBaselineProperty"],syntax:"auto | baseline | before-edge | text-before-edge | middle | central | after-edge | text-after-edge | ideographic | alphabetic | hanging | mathematical"},"baseline-shift":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#BaselineShiftProperty"],syntax:"baseline | sub | super | <svg-length>"},behavior:{comment:"added old IE property https://msdn.microsoft.com/en-us/library/ms530723(v=vs.85).aspx",syntax:"<url>+"},"clip-rule":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/masking.html#ClipRuleProperty"],syntax:"nonzero | evenodd"},cue:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'cue-before'> <'cue-after'>?"},"cue-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<url> <decibel>? | none"},"cue-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<url> <decibel>? | none"},cursor:{comment:"added legacy keywords: hand, -webkit-grab. -webkit-grabbing, -webkit-zoom-in, -webkit-zoom-out, -moz-grab, -moz-grabbing, -moz-zoom-in, -moz-zoom-out",references:["https://www.sitepoint.com/css3-cursor-styles/"],syntax:"[ [ <url> [ <x> <y> ]? , ]* [ auto | default | none | context-menu | help | pointer | progress | wait | cell | crosshair | text | vertical-text | alias | copy | move | no-drop | not-allowed | e-resize | n-resize | ne-resize | nw-resize | s-resize | se-resize | sw-resize | w-resize | ew-resize | ns-resize | nesw-resize | nwse-resize | col-resize | row-resize | all-scroll | zoom-in | zoom-out | grab | grabbing | hand | -webkit-grab | -webkit-grabbing | -webkit-zoom-in | -webkit-zoom-out | -moz-grab | -moz-grabbing | -moz-zoom-in | -moz-zoom-out ] ]"},display:{comment:"extended with -ms-flexbox",syntax:"| <-non-standard-display>"},position:{comment:"extended with -webkit-sticky",syntax:"| -webkit-sticky"},"dominant-baseline":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#DominantBaselineProperty"],syntax:"auto | use-script | no-change | reset-size | ideographic | alphabetic | hanging | mathematical | central | middle | text-after-edge | text-before-edge"},"image-rendering":{comment:"extended with <-non-standard-image-rendering>, added SVG keywords optimizeSpeed and optimizeQuality",references:["https://developer.mozilla.org/en/docs/Web/CSS/image-rendering","https://www.w3.org/TR/SVG/painting.html#ImageRenderingProperty"],syntax:"| optimizeSpeed | optimizeQuality | <-non-standard-image-rendering>"},fill:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"<paint>"},"fill-opacity":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"<number-zero-one>"},"fill-rule":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#FillProperty"],syntax:"nonzero | evenodd"},filter:{comment:"extend with IE legacy syntaxes",syntax:"| <-ms-filter-function-list>"},"glyph-orientation-horizontal":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#GlyphOrientationHorizontalProperty"],syntax:"<angle>"},"glyph-orientation-vertical":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#GlyphOrientationVerticalProperty"],syntax:"<angle>"},kerning:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#KerningProperty"],syntax:"auto | <svg-length>"},"letter-spacing":{comment:"fix syntax <length> -> <length-percentage>",references:["https://developer.mozilla.org/en-US/docs/Web/SVG/Attribute/letter-spacing"],syntax:"normal | <length-percentage>"},marker:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-end":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-mid":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"marker-start":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#MarkerProperties"],syntax:"none | <url>"},"max-width":{comment:"fix auto -> none (https://github.com/mdn/data/pull/431); extend by non-standard width keywords https://developer.mozilla.org/en-US/docs/Web/CSS/max-width",syntax:"none | <length-percentage> | min-content | max-content | fit-content(<length-percentage>) | <-non-standard-width>"},width:{comment:"per spec fit-content should be a function, however browsers are supporting it as a keyword (https://github.com/csstree/stylelint-validator/issues/29)",syntax:"| fit-content | -moz-fit-content | -webkit-fit-content"},"min-width":{comment:"extend by non-standard width keywords https://developer.mozilla.org/en-US/docs/Web/CSS/width",syntax:"auto | <length-percentage> | min-content | max-content | fit-content(<length-percentage>) | <-non-standard-width>"},overflow:{comment:"extend by vendor keywords https://developer.mozilla.org/en-US/docs/Web/CSS/overflow",syntax:"| <-non-standard-overflow>"},pause:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'pause-before'> <'pause-after'>?"},"pause-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"pause-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},rest:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<'rest-before'> <'rest-after'>?"},"rest-after":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"rest-before":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<time> | none | x-weak | weak | medium | strong | x-strong"},"shape-rendering":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#ShapeRenderingPropert"],syntax:"auto | optimizeSpeed | crispEdges | geometricPrecision"},src:{comment:"added @font-face's src property https://developer.mozilla.org/en-US/docs/Web/CSS/@font-face/src",syntax:"[ <url> [ format( <string># ) ]? | local( <family-name> ) ]#"},speak:{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"auto | none | normal"},"speak-as":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"normal | spell-out || digits || [ literal-punctuation | no-punctuation ]"},stroke:{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<paint>"},"stroke-dasharray":{comment:"added SVG property; a list of comma and/or white space separated <length>s and <percentage>s",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"none | [ <svg-length>+ ]#"},"stroke-dashoffset":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<svg-length>"},"stroke-linecap":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"butt | round | square"},"stroke-linejoin":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"miter | round | bevel"},"stroke-miterlimit":{comment:"added SVG property (<miterlimit> = <number-one-or-greater>) ",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<number-one-or-greater>"},"stroke-opacity":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<number-zero-one>"},"stroke-width":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/painting.html#StrokeProperties"],syntax:"<svg-length>"},"text-anchor":{comment:"added SVG property",references:["https://www.w3.org/TR/SVG/text.html#TextAlignmentProperties"],syntax:"start | middle | end"},"unicode-bidi":{comment:"added prefixed keywords https://developer.mozilla.org/en-US/docs/Web/CSS/unicode-bidi",syntax:"| -moz-isolate | -moz-isolate-override | -moz-plaintext | -webkit-isolate | -webkit-isolate-override | -webkit-plaintext"},"unicode-range":{comment:"added missed property https://developer.mozilla.org/en-US/docs/Web/CSS/%40font-face/unicode-range",syntax:"<urange>#"},"voice-balance":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<number> | left | center | right | leftwards | rightwards"},"voice-duration":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"auto | <time>"},"voice-family":{comment:"<name> -> <family-name>, https://www.w3.org/TR/css3-speech/#property-index",syntax:"[ [ <family-name> | <generic-voice> ] , ]* [ <family-name> | <generic-voice> ] | preserve"},"voice-pitch":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<frequency> && absolute | [ [ x-low | low | medium | high | x-high ] || [ <frequency> | <semitones> | <percentage> ] ]"},"voice-range":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"<frequency> && absolute | [ [ x-low | low | medium | high | x-high ] || [ <frequency> | <semitones> | <percentage> ] ]"},"voice-rate":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"[ normal | x-slow | slow | medium | fast | x-fast ] || <percentage>"},"voice-stress":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"normal | strong | moderate | none | reduced"},"voice-volume":{comment:"https://www.w3.org/TR/css3-speech/#property-index",syntax:"silent | [ [ x-soft | soft | medium | loud | x-loud ] || <decibel> ]"},"writing-mode":{comment:"extend with SVG keywords",syntax:"| <svg-writing-mode>"}},syntaxes:{"-legacy-gradient":{comment:"added collection of legacy gradient syntaxes",syntax:"<-webkit-gradient()> | <-legacy-linear-gradient> | <-legacy-repeating-linear-gradient> | <-legacy-radial-gradient> | <-legacy-repeating-radial-gradient>"},"-legacy-linear-gradient":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"-moz-linear-gradient( <-legacy-linear-gradient-arguments> ) | -webkit-linear-gradient( <-legacy-linear-gradient-arguments> ) | -o-linear-gradient( <-legacy-linear-gradient-arguments> )"},"-legacy-repeating-linear-gradient":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"-moz-repeating-linear-gradient( <-legacy-linear-gradient-arguments> ) | -webkit-repeating-linear-gradient( <-legacy-linear-gradient-arguments> ) | -o-repeating-linear-gradient( <-legacy-linear-gradient-arguments> )"},"-legacy-linear-gradient-arguments":{comment:"like standard syntax but w/o `to` keyword https://developer.mozilla.org/en-US/docs/Web/CSS/linear-gradient",syntax:"[ <angle> | <side-or-corner> ]? , <color-stop-list>"},"-legacy-radial-gradient":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"-moz-radial-gradient( <-legacy-radial-gradient-arguments> ) | -webkit-radial-gradient( <-legacy-radial-gradient-arguments> ) | -o-radial-gradient( <-legacy-radial-gradient-arguments> )"},"-legacy-repeating-radial-gradient":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"-moz-repeating-radial-gradient( <-legacy-radial-gradient-arguments> ) | -webkit-repeating-radial-gradient( <-legacy-radial-gradient-arguments> ) | -o-repeating-radial-gradient( <-legacy-radial-gradient-arguments> )"},"-legacy-radial-gradient-arguments":{comment:"deprecated syntax that implemented by some browsers https://www.w3.org/TR/2011/WD-css3-images-20110908/#radial-gradients",syntax:"[ <position> , ]? [ [ [ <-legacy-radial-gradient-shape> || <-legacy-radial-gradient-size> ] | [ <length> | <percentage> ]{2} ] , ]? <color-stop-list>"},"-legacy-radial-gradient-size":{comment:"before a standard it contains 2 extra keywords (`contain` and `cover`) https://www.w3.org/TR/2011/WD-css3-images-20110908/#ltsize",syntax:"closest-side | closest-corner | farthest-side | farthest-corner | contain | cover"},"-legacy-radial-gradient-shape":{comment:"define to double sure it doesn't extends in future https://www.w3.org/TR/2011/WD-css3-images-20110908/#ltshape",syntax:"circle | ellipse"},"-non-standard-font":{comment:"non standard fonts",references:["https://webkit.org/blog/3709/using-the-system-font-in-web-content/"],syntax:"-apple-system-body | -apple-system-headline | -apple-system-subheadline | -apple-system-caption1 | -apple-system-caption2 | -apple-system-footnote | -apple-system-short-body | -apple-system-short-headline | -apple-system-short-subheadline | -apple-system-short-caption1 | -apple-system-short-footnote | -apple-system-tall-body"},"-non-standard-color":{comment:"non standard colors",references:["http://cssdot.ru/%D0%A1%D0%BF%D1%80%D0%B0%D0%B2%D0%BE%D1%87%D0%BD%D0%B8%D0%BA_CSS/color-i305.html","https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#Mozilla_Color_Preference_Extensions"],syntax:"-moz-ButtonDefault | -moz-ButtonHoverFace | -moz-ButtonHoverText | -moz-CellHighlight | -moz-CellHighlightText | -moz-Combobox | -moz-ComboboxText | -moz-Dialog | -moz-DialogText | -moz-dragtargetzone | -moz-EvenTreeRow | -moz-Field | -moz-FieldText | -moz-html-CellHighlight | -moz-html-CellHighlightText | -moz-mac-accentdarkestshadow | -moz-mac-accentdarkshadow | -moz-mac-accentface | -moz-mac-accentlightesthighlight | -moz-mac-accentlightshadow | -moz-mac-accentregularhighlight | -moz-mac-accentregularshadow | -moz-mac-chrome-active | -moz-mac-chrome-inactive | -moz-mac-focusring | -moz-mac-menuselect | -moz-mac-menushadow | -moz-mac-menutextselect | -moz-MenuHover | -moz-MenuHoverText | -moz-MenuBarText | -moz-MenuBarHoverText | -moz-nativehyperlinktext | -moz-OddTreeRow | -moz-win-communicationstext | -moz-win-mediatext | -moz-activehyperlinktext | -moz-default-background-color | -moz-default-color | -moz-hyperlinktext | -moz-visitedhyperlinktext | -webkit-activelink | -webkit-focus-ring-color | -webkit-link | -webkit-text"},"-non-standard-image-rendering":{comment:"non-standard keywords http://phrogz.net/tmp/canvas_image_zoom.html",syntax:"optimize-contrast | -moz-crisp-edges | -o-crisp-edges | -webkit-optimize-contrast"},"-non-standard-overflow":{comment:"non-standard keywords https://developer.mozilla.org/en-US/docs/Web/CSS/overflow",syntax:"-moz-scrollbars-none | -moz-scrollbars-horizontal | -moz-scrollbars-vertical | -moz-hidden-unscrollable"},"-non-standard-width":{comment:"non-standard keywords https://developer.mozilla.org/en-US/docs/Web/CSS/width",syntax:"fill-available | min-intrinsic | intrinsic | -moz-available | -moz-fit-content | -moz-min-content | -moz-max-content | -webkit-min-content | -webkit-max-content"},"-webkit-gradient()":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/ - TODO: simplify when after match algorithm improvement ( [, point, radius | , point] -> [, radius]? , point )",syntax:"-webkit-gradient( <-webkit-gradient-type>, <-webkit-gradient-point> [, <-webkit-gradient-point> | , <-webkit-gradient-radius>, <-webkit-gradient-point> ] [, <-webkit-gradient-radius>]? [, <-webkit-gradient-color-stop>]* )"},"-webkit-gradient-color-stop":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"from( <color> ) | color-stop( [ <number-zero-one> | <percentage> ] , <color> ) | to( <color> )"},"-webkit-gradient-point":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"[ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ]"},"-webkit-gradient-radius":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"<length> | <percentage>"},"-webkit-gradient-type":{comment:"first Apple proposal gradient syntax https://webkit.org/blog/175/introducing-css-gradients/",syntax:"linear | radial"},"-webkit-mask-box-repeat":{comment:"missed; https://developer.mozilla.org/en-US/docs/Web/CSS/-webkit-mask-box-image",syntax:"repeat | stretch | round"},"-webkit-mask-clip-style":{comment:"missed; there is no enough information about `-webkit-mask-clip` property, but looks like all those keywords are working",syntax:"border | border-box | padding | padding-box | content | content-box | text"},"-ms-filter-function-list":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<-ms-filter-function>+"},"-ms-filter-function":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<-ms-filter-function-progid> | <-ms-filter-function-legacy>"},"-ms-filter-function-progid":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"'progid:' [ <ident-token> '.' ]* [ <ident-token> | <function-token> <any-value>? ) ]"},"-ms-filter-function-legacy":{comment:"https://developer.mozilla.org/en-US/docs/Web/CSS/-ms-filter",syntax:"<ident-token> | <function-token> <any-value>? )"},"-ms-filter":{syntax:"<string>"},age:{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"child | young | old"},"attr-name":{syntax:"<wq-name>"},"attr-fallback":{syntax:"<any-value>"},"border-radius":{comment:"missed, https://drafts.csswg.org/css-backgrounds-3/#the-border-radius",syntax:"<length-percentage>{1,2}"},bottom:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"content-list":{comment:"missed -> https://drafts.csswg.org/css-content/#typedef-content-list (document-url, <target> and leader() is omitted util stabilization)",syntax:"[ <string> | contents | <image> | <quote> | <target> | <leader()> | <attr()> | counter( <ident>, <'list-style-type'>? ) ]+"},"element()":{comment:"https://drafts.csswg.org/css-gcpm/#element-syntax & https://drafts.csswg.org/css-images-4/#element-notation",syntax:"element( <custom-ident> , [ first | start | last | first-except ]? ) | element( <id-selector> )"},"generic-voice":{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"[ <age>? <gender> <integer>? ]"},gender:{comment:"https://www.w3.org/TR/css3-speech/#voice-family",syntax:"male | female | neutral"},"generic-family":{comment:"added -apple-system",references:["https://webkit.org/blog/3709/using-the-system-font-in-web-content/"],syntax:"| -apple-system"},gradient:{comment:"added legacy syntaxes support",syntax:"| <-legacy-gradient>"},left:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"mask-image":{comment:"missed; https://drafts.fxtf.org/css-masking-1/#the-mask-image",syntax:"<mask-reference>#"},"name-repeat":{comment:"missed, and looks like obsolete, keep it as is since other property syntaxes should be changed too; https://www.w3.org/TR/2015/WD-css-grid-1-20150917/#typedef-name-repeat",syntax:"repeat( [ <positive-integer> | auto-fill ], <line-names>+)"},"named-color":{comment:"added non standard color names",syntax:"| <-non-standard-color>"},paint:{comment:"used by SVG https://www.w3.org/TR/SVG/painting.html#SpecifyingPaint",syntax:"none | <color> | <url> [ none | <color> ]? | context-fill | context-stroke"},"page-size":{comment:"https://www.w3.org/TR/css-page-3/#typedef-page-size-page-size",syntax:"A5 | A4 | A3 | B5 | B4 | JIS-B5 | JIS-B4 | letter | legal | ledger"},ratio:{comment:"missed, https://drafts.csswg.org/mediaqueries-4/#typedef-ratio",syntax:"<integer> / <integer>"},right:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},shape:{comment:"missed spaces in function body and add backwards compatible syntax",syntax:"rect( <top>, <right>, <bottom>, <left> ) | rect( <top> <right> <bottom> <left> )"},"svg-length":{comment:"All coordinates and lengths in SVG can be specified with or without a unit identifier",references:["https://www.w3.org/TR/SVG11/coords.html#Units"],syntax:"<percentage> | <length> | <number>"},"svg-writing-mode":{comment:"SVG specific keywords (deprecated for CSS)",references:["https://developer.mozilla.org/en/docs/Web/CSS/writing-mode","https://www.w3.org/TR/SVG/text.html#WritingModeProperty"],syntax:"lr-tb | rl-tb | tb-rl | lr | rl | tb"},top:{comment:"missed; not sure we should add it, but no others except `shape` is using it so it's ok for now; https://drafts.fxtf.org/css-masking-1/#funcdef-clip-rect",syntax:"<length> | auto"},"track-group":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"'(' [ <string>* <track-minmax> <string>* ]+ ')' [ '[' <positive-integer> ']' ]? | <track-minmax>"},"track-list-v0":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"[ <string>* <track-group> <string>* ]+ | none"},"track-minmax":{comment:"used by old grid-columns and grid-rows syntax v0",syntax:"minmax( <track-breadth> , <track-breadth> ) | auto | <track-breadth> | fit-content"},x:{comment:"missed; not sure we should add it, but no others except `cursor` is using it so it's ok for now; https://drafts.csswg.org/css-ui-3/#cursor",syntax:"<number>"},y:{comment:"missed; not sure we should add it, but no others except `cursor` is using so it's ok for now; https://drafts.csswg.org/css-ui-3/#cursor",syntax:"<number>"},declaration:{comment:"missed, restored by https://drafts.csswg.org/css-syntax",syntax:"<ident-token> : <declaration-value>? [ '!' important ]?"},"declaration-list":{comment:"missed, restored by https://drafts.csswg.org/css-syntax",syntax:"[ <declaration>? ';' ]* <declaration>?"},url:{comment:"https://drafts.csswg.org/css-values-4/#urls",syntax:"url( <string> <url-modifier>* ) | <url-token>"},"url-modifier":{comment:"https://drafts.csswg.org/css-values-4/#typedef-url-modifier",syntax:"<ident> | <function-token> <any-value> )"},"number-zero-one":{syntax:"<number [0,1]>"},"number-one-or-greater":{syntax:"<number [1,∞]>"},"positive-integer":{syntax:"<integer [0,∞]>"},"-non-standard-display":{syntax:"-ms-inline-flexbox | -ms-grid | -ms-inline-grid | -webkit-flex | -webkit-inline-flex | -webkit-box | -webkit-inline-box | -moz-inline-stack | -moz-box | -moz-inline-box"}}},po=/^\s*\|\s*/;function mo(e,t){const n={};for(const t in e)n[t]=e[t].syntax||e[t];for(const r in t)r in e?t[r].syntax?n[r]=po.test(t[r].syntax)?n[r]+" "+t[r].syntax.trim():t[r].syntax:delete n[r]:t[r].syntax&&(n[r]=t[r].syntax.replace(po,""));return n}function ho(e){const t={};for(const n in e)t[n]=e[n].syntax;return t}var fo={types:mo({"absolute-size":{syntax:"xx-small | x-small | small | medium | large | x-large | xx-large | xxx-large"},"alpha-value":{syntax:"<number> | <percentage>"},"angle-percentage":{syntax:"<angle> | <percentage>"},"angular-color-hint":{syntax:"<angle-percentage>"},"angular-color-stop":{syntax:"<color> && <color-stop-angle>?"},"angular-color-stop-list":{syntax:"[ <angular-color-stop> [, <angular-color-hint>]? ]# , <angular-color-stop>"},"animateable-feature":{syntax:"scroll-position | contents | <custom-ident>"},attachment:{syntax:"scroll | fixed | local"},"attr()":{syntax:"attr( <attr-name> <type-or-unit>? [, <attr-fallback> ]? )"},"attr-matcher":{syntax:"[ '~' | '|' | '^' | '$' | '*' ]? '='"},"attr-modifier":{syntax:"i | s"},"attribute-selector":{syntax:"'[' <wq-name> ']' | '[' <wq-name> <attr-matcher> [ <string-token> | <ident-token> ] <attr-modifier>? ']'"},"auto-repeat":{syntax:"repeat( [ auto-fill | auto-fit ] , [ <line-names>? <fixed-size> ]+ <line-names>? )"},"auto-track-list":{syntax:"[ <line-names>? [ <fixed-size> | <fixed-repeat> ] ]* <line-names>? <auto-repeat>\n[ <line-names>? [ <fixed-size> | <fixed-repeat> ] ]* <line-names>?"},"baseline-position":{syntax:"[ first | last ]? baseline"},"basic-shape":{syntax:"<inset()> | <circle()> | <ellipse()> | <polygon()> | <path()>"},"bg-image":{syntax:"none | <image>"},"bg-layer":{syntax:"<bg-image> || <bg-position> [ / <bg-size> ]? || <repeat-style> || <attachment> || <box> || <box>"},"bg-position":{syntax:"[ [ left | center | right | top | bottom | <length-percentage> ] | [ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ] | [ center | [ left | right ] <length-percentage>? ] && [ center | [ top | bottom ] <length-percentage>? ] ]"},"bg-size":{syntax:"[ <length-percentage> | auto ]{1,2} | cover | contain"},"blur()":{syntax:"blur( <length> )"},"blend-mode":{syntax:"normal | multiply | screen | overlay | darken | lighten | color-dodge | color-burn | hard-light | soft-light | difference | exclusion | hue | saturation | color | luminosity"},box:{syntax:"border-box | padding-box | content-box"},"brightness()":{syntax:"brightness( <number-percentage> )"},"calc()":{syntax:"calc( <calc-sum> )"},"calc-sum":{syntax:"<calc-product> [ [ '+' | '-' ] <calc-product> ]*"},"calc-product":{syntax:"<calc-value> [ '*' <calc-value> | '/' <number> ]*"},"calc-value":{syntax:"<number> | <dimension> | <percentage> | ( <calc-sum> )"},"cf-final-image":{syntax:"<image> | <color>"},"cf-mixing-image":{syntax:"<percentage>? && <image>"},"circle()":{syntax:"circle( [ <shape-radius> ]? [ at <position> ]? )"},"clamp()":{syntax:"clamp( <calc-sum>#{3} )"},"class-selector":{syntax:"'.' <ident-token>"},"clip-source":{syntax:"<url>"},color:{syntax:"<rgb()> | <rgba()> | <hsl()> | <hsla()> | <hex-color> | <named-color> | currentcolor | <deprecated-system-color>"},"color-stop":{syntax:"<color-stop-length> | <color-stop-angle>"},"color-stop-angle":{syntax:"<angle-percentage>{1,2}"},"color-stop-length":{syntax:"<length-percentage>{1,2}"},"color-stop-list":{syntax:"[ <linear-color-stop> [, <linear-color-hint>]? ]# , <linear-color-stop>"},combinator:{syntax:"'>' | '+' | '~' | [ '||' ]"},"common-lig-values":{syntax:"[ common-ligatures | no-common-ligatures ]"},"compat-auto":{syntax:"searchfield | textarea | push-button | slider-horizontal | checkbox | radio | square-button | menulist | listbox | meter | progress-bar | button"},"composite-style":{syntax:"clear | copy | source-over | source-in | source-out | source-atop | destination-over | destination-in | destination-out | destination-atop | xor"},"compositing-operator":{syntax:"add | subtract | intersect | exclude"},"compound-selector":{syntax:"[ <type-selector>? <subclass-selector>* [ <pseudo-element-selector> <pseudo-class-selector>* ]* ]!"},"compound-selector-list":{syntax:"<compound-selector>#"},"complex-selector":{syntax:"<compound-selector> [ <combinator>? <compound-selector> ]*"},"complex-selector-list":{syntax:"<complex-selector>#"},"conic-gradient()":{syntax:"conic-gradient( [ from <angle> ]? [ at <position> ]?, <angular-color-stop-list> )"},"contextual-alt-values":{syntax:"[ contextual | no-contextual ]"},"content-distribution":{syntax:"space-between | space-around | space-evenly | stretch"},"content-list":{syntax:"[ <string> | contents | <image> | <quote> | <target> | <leader()> ]+"},"content-position":{syntax:"center | start | end | flex-start | flex-end"},"content-replacement":{syntax:"<image>"},"contrast()":{syntax:"contrast( [ <number-percentage> ] )"},"counter()":{syntax:"counter( <custom-ident>, <counter-style>? )"},"counter-style":{syntax:"<counter-style-name> | symbols()"},"counter-style-name":{syntax:"<custom-ident>"},"counters()":{syntax:"counters( <custom-ident>, <string>, <counter-style>? )"},"cross-fade()":{syntax:"cross-fade( <cf-mixing-image> , <cf-final-image>? )"},"cubic-bezier-timing-function":{syntax:"ease | ease-in | ease-out | ease-in-out | cubic-bezier(<number [0,1]>, <number>, <number [0,1]>, <number>)"},"deprecated-system-color":{syntax:"ActiveBorder | ActiveCaption | AppWorkspace | Background | ButtonFace | ButtonHighlight | ButtonShadow | ButtonText | CaptionText | GrayText | Highlight | HighlightText | InactiveBorder | InactiveCaption | InactiveCaptionText | InfoBackground | InfoText | Menu | MenuText | Scrollbar | ThreeDDarkShadow | ThreeDFace | ThreeDHighlight | ThreeDLightShadow | ThreeDShadow | Window | WindowFrame | WindowText"},"discretionary-lig-values":{syntax:"[ discretionary-ligatures | no-discretionary-ligatures ]"},"display-box":{syntax:"contents | none"},"display-inside":{syntax:"flow | flow-root | table | flex | grid | ruby"},"display-internal":{syntax:"table-row-group | table-header-group | table-footer-group | table-row | table-cell | table-column-group | table-column | table-caption | ruby-base | ruby-text | ruby-base-container | ruby-text-container"},"display-legacy":{syntax:"inline-block | inline-list-item | inline-table | inline-flex | inline-grid"},"display-listitem":{syntax:"<display-outside>? && [ flow | flow-root ]? && list-item"},"display-outside":{syntax:"block | inline | run-in"},"drop-shadow()":{syntax:"drop-shadow( <length>{2,3} <color>? )"},"east-asian-variant-values":{syntax:"[ jis78 | jis83 | jis90 | jis04 | simplified | traditional ]"},"east-asian-width-values":{syntax:"[ full-width | proportional-width ]"},"element()":{syntax:"element( <id-selector> )"},"ellipse()":{syntax:"ellipse( [ <shape-radius>{2} ]? [ at <position> ]? )"},"ending-shape":{syntax:"circle | ellipse"},"env()":{syntax:"env( <custom-ident> , <declaration-value>? )"},"explicit-track-list":{syntax:"[ <line-names>? <track-size> ]+ <line-names>?"},"family-name":{syntax:"<string> | <custom-ident>+"},"feature-tag-value":{syntax:"<string> [ <integer> | on | off ]?"},"feature-type":{syntax:"@stylistic | @historical-forms | @styleset | @character-variant | @swash | @ornaments | @annotation"},"feature-value-block":{syntax:"<feature-type> '{' <feature-value-declaration-list> '}'"},"feature-value-block-list":{syntax:"<feature-value-block>+"},"feature-value-declaration":{syntax:"<custom-ident>: <integer>+;"},"feature-value-declaration-list":{syntax:"<feature-value-declaration>"},"feature-value-name":{syntax:"<custom-ident>"},"fill-rule":{syntax:"nonzero | evenodd"},"filter-function":{syntax:"<blur()> | <brightness()> | <contrast()> | <drop-shadow()> | <grayscale()> | <hue-rotate()> | <invert()> | <opacity()> | <saturate()> | <sepia()>"},"filter-function-list":{syntax:"[ <filter-function> | <url> ]+"},"final-bg-layer":{syntax:"<'background-color'> || <bg-image> || <bg-position> [ / <bg-size> ]? || <repeat-style> || <attachment> || <box> || <box>"},"fit-content()":{syntax:"fit-content( [ <length> | <percentage> ] )"},"fixed-breadth":{syntax:"<length-percentage>"},"fixed-repeat":{syntax:"repeat( [ <positive-integer> ] , [ <line-names>? <fixed-size> ]+ <line-names>? )"},"fixed-size":{syntax:"<fixed-breadth> | minmax( <fixed-breadth> , <track-breadth> ) | minmax( <inflexible-breadth> , <fixed-breadth> )"},"font-stretch-absolute":{syntax:"normal | ultra-condensed | extra-condensed | condensed | semi-condensed | semi-expanded | expanded | extra-expanded | ultra-expanded | <percentage>"},"font-variant-css21":{syntax:"[ normal | small-caps ]"},"font-weight-absolute":{syntax:"normal | bold | <number [1,1000]>"},"frequency-percentage":{syntax:"<frequency> | <percentage>"},"general-enclosed":{syntax:"[ <function-token> <any-value> ) ] | ( <ident> <any-value> )"},"generic-family":{syntax:"serif | sans-serif | cursive | fantasy | monospace"},"generic-name":{syntax:"serif | sans-serif | cursive | fantasy | monospace"},"geometry-box":{syntax:"<shape-box> | fill-box | stroke-box | view-box"},gradient:{syntax:"<linear-gradient()> | <repeating-linear-gradient()> | <radial-gradient()> | <repeating-radial-gradient()> | <conic-gradient()>"},"grayscale()":{syntax:"grayscale( <number-percentage> )"},"grid-line":{syntax:"auto | <custom-ident> | [ <integer> && <custom-ident>? ] | [ span && [ <integer> || <custom-ident> ] ]"},"historical-lig-values":{syntax:"[ historical-ligatures | no-historical-ligatures ]"},"hsl()":{syntax:"hsl( <hue> <percentage> <percentage> [ / <alpha-value> ]? ) | hsl( <hue>, <percentage>, <percentage>, <alpha-value>? )"},"hsla()":{syntax:"hsla( <hue> <percentage> <percentage> [ / <alpha-value> ]? ) | hsla( <hue>, <percentage>, <percentage>, <alpha-value>? )"},hue:{syntax:"<number> | <angle>"},"hue-rotate()":{syntax:"hue-rotate( <angle> )"},"id-selector":{syntax:"<hash-token>"},image:{syntax:"<url> | <image()> | <image-set()> | <element()> | <paint()> | <cross-fade()> | <gradient>"},"image()":{syntax:"image( <image-tags>? [ <image-src>? , <color>? ]! )"},"image-set()":{syntax:"image-set( <image-set-option># )"},"image-set-option":{syntax:"[ <image> | <string> ] <resolution>"},"image-src":{syntax:"<url> | <string>"},"image-tags":{syntax:"ltr | rtl"},"inflexible-breadth":{syntax:"<length> | <percentage> | min-content | max-content | auto"},"inset()":{syntax:"inset( <length-percentage>{1,4} [ round <'border-radius'> ]? )"},"invert()":{syntax:"invert( <number-percentage> )"},"keyframes-name":{syntax:"<custom-ident> | <string>"},"keyframe-block":{syntax:"<keyframe-selector># {\n <declaration-list>\n}"},"keyframe-block-list":{syntax:"<keyframe-block>+"},"keyframe-selector":{syntax:"from | to | <percentage>"},"leader()":{syntax:"leader( <leader-type> )"},"leader-type":{syntax:"dotted | solid | space | <string>"},"length-percentage":{syntax:"<length> | <percentage>"},"line-names":{syntax:"'[' <custom-ident>* ']'"},"line-name-list":{syntax:"[ <line-names> | <name-repeat> ]+"},"line-style":{syntax:"none | hidden | dotted | dashed | solid | double | groove | ridge | inset | outset"},"line-width":{syntax:"<length> | thin | medium | thick"},"linear-color-hint":{syntax:"<length-percentage>"},"linear-color-stop":{syntax:"<color> <color-stop-length>?"},"linear-gradient()":{syntax:"linear-gradient( [ <angle> | to <side-or-corner> ]? , <color-stop-list> )"},"mask-layer":{syntax:"<mask-reference> || <position> [ / <bg-size> ]? || <repeat-style> || <geometry-box> || [ <geometry-box> | no-clip ] || <compositing-operator> || <masking-mode>"},"mask-position":{syntax:"[ <length-percentage> | left | center | right ] [ <length-percentage> | top | center | bottom ]?"},"mask-reference":{syntax:"none | <image> | <mask-source>"},"mask-source":{syntax:"<url>"},"masking-mode":{syntax:"alpha | luminance | match-source"},"matrix()":{syntax:"matrix( <number>#{6} )"},"matrix3d()":{syntax:"matrix3d( <number>#{16} )"},"max()":{syntax:"max( <calc-sum># )"},"media-and":{syntax:"<media-in-parens> [ and <media-in-parens> ]+"},"media-condition":{syntax:"<media-not> | <media-and> | <media-or> | <media-in-parens>"},"media-condition-without-or":{syntax:"<media-not> | <media-and> | <media-in-parens>"},"media-feature":{syntax:"( [ <mf-plain> | <mf-boolean> | <mf-range> ] )"},"media-in-parens":{syntax:"( <media-condition> ) | <media-feature> | <general-enclosed>"},"media-not":{syntax:"not <media-in-parens>"},"media-or":{syntax:"<media-in-parens> [ or <media-in-parens> ]+"},"media-query":{syntax:"<media-condition> | [ not | only ]? <media-type> [ and <media-condition-without-or> ]?"},"media-query-list":{syntax:"<media-query>#"},"media-type":{syntax:"<ident>"},"mf-boolean":{syntax:"<mf-name>"},"mf-name":{syntax:"<ident>"},"mf-plain":{syntax:"<mf-name> : <mf-value>"},"mf-range":{syntax:"<mf-name> [ '<' | '>' ]? '='? <mf-value>\n| <mf-value> [ '<' | '>' ]? '='? <mf-name>\n| <mf-value> '<' '='? <mf-name> '<' '='? <mf-value>\n| <mf-value> '>' '='? <mf-name> '>' '='? <mf-value>"},"mf-value":{syntax:"<number> | <dimension> | <ident> | <ratio>"},"min()":{syntax:"min( <calc-sum># )"},"minmax()":{syntax:"minmax( [ <length> | <percentage> | min-content | max-content | auto ] , [ <length> | <percentage> | <flex> | min-content | max-content | auto ] )"},"named-color":{syntax:"transparent | aliceblue | antiquewhite | aqua | aquamarine | azure | beige | bisque | black | blanchedalmond | blue | blueviolet | brown | burlywood | cadetblue | chartreuse | chocolate | coral | cornflowerblue | cornsilk | crimson | cyan | darkblue | darkcyan | darkgoldenrod | darkgray | darkgreen | darkgrey | darkkhaki | darkmagenta | darkolivegreen | darkorange | darkorchid | darkred | darksalmon | darkseagreen | darkslateblue | darkslategray | darkslategrey | darkturquoise | darkviolet | deeppink | deepskyblue | dimgray | dimgrey | dodgerblue | firebrick | floralwhite | forestgreen | fuchsia | gainsboro | ghostwhite | gold | goldenrod | gray | green | greenyellow | grey | honeydew | hotpink | indianred | indigo | ivory | khaki | lavender | lavenderblush | lawngreen | lemonchiffon | lightblue | lightcoral | lightcyan | lightgoldenrodyellow | lightgray | lightgreen | lightgrey | lightpink | lightsalmon | lightseagreen | lightskyblue | lightslategray | lightslategrey | lightsteelblue | lightyellow | lime | limegreen | linen | magenta | maroon | mediumaquamarine | mediumblue | mediumorchid | mediumpurple | mediumseagreen | mediumslateblue | mediumspringgreen | mediumturquoise | mediumvioletred | midnightblue | mintcream | mistyrose | moccasin | navajowhite | navy | oldlace | olive | olivedrab | orange | orangered | orchid | palegoldenrod | palegreen | paleturquoise | palevioletred | papayawhip | peachpuff | peru | pink | plum | powderblue | purple | rebeccapurple | red | rosybrown | royalblue | saddlebrown | salmon | sandybrown | seagreen | seashell | sienna | silver | skyblue | slateblue | slategray | slategrey | snow | springgreen | steelblue | tan | teal | thistle | tomato | turquoise | violet | wheat | white | whitesmoke | yellow | yellowgreen"},"namespace-prefix":{syntax:"<ident>"},"ns-prefix":{syntax:"[ <ident-token> | '*' ]? '|'"},"number-percentage":{syntax:"<number> | <percentage>"},"numeric-figure-values":{syntax:"[ lining-nums | oldstyle-nums ]"},"numeric-fraction-values":{syntax:"[ diagonal-fractions | stacked-fractions ]"},"numeric-spacing-values":{syntax:"[ proportional-nums | tabular-nums ]"},nth:{syntax:"<an-plus-b> | even | odd"},"opacity()":{syntax:"opacity( [ <number-percentage> ] )"},"overflow-position":{syntax:"unsafe | safe"},"outline-radius":{syntax:"<length> | <percentage>"},"page-body":{syntax:"<declaration>? [ ; <page-body> ]? | <page-margin-box> <page-body>"},"page-margin-box":{syntax:"<page-margin-box-type> '{' <declaration-list> '}'"},"page-margin-box-type":{syntax:"@top-left-corner | @top-left | @top-center | @top-right | @top-right-corner | @bottom-left-corner | @bottom-left | @bottom-center | @bottom-right | @bottom-right-corner | @left-top | @left-middle | @left-bottom | @right-top | @right-middle | @right-bottom"},"page-selector-list":{syntax:"[ <page-selector># ]?"},"page-selector":{syntax:"<pseudo-page>+ | <ident> <pseudo-page>*"},"path()":{syntax:"path( [ <fill-rule>, ]? <string> )"},"paint()":{syntax:"paint( <ident>, <declaration-value>? )"},"perspective()":{syntax:"perspective( <length> )"},"polygon()":{syntax:"polygon( <fill-rule>? , [ <length-percentage> <length-percentage> ]# )"},position:{syntax:"[ [ left | center | right ] || [ top | center | bottom ] | [ left | center | right | <length-percentage> ] [ top | center | bottom | <length-percentage> ]? | [ [ left | right ] <length-percentage> ] && [ [ top | bottom ] <length-percentage> ] ]"},"pseudo-class-selector":{syntax:"':' <ident-token> | ':' <function-token> <any-value> ')'"},"pseudo-element-selector":{syntax:"':' <pseudo-class-selector>"},"pseudo-page":{syntax:": [ left | right | first | blank ]"},quote:{syntax:"open-quote | close-quote | no-open-quote | no-close-quote"},"radial-gradient()":{syntax:"radial-gradient( [ <ending-shape> || <size> ]? [ at <position> ]? , <color-stop-list> )"},"relative-selector":{syntax:"<combinator>? <complex-selector>"},"relative-selector-list":{syntax:"<relative-selector>#"},"relative-size":{syntax:"larger | smaller"},"repeat-style":{syntax:"repeat-x | repeat-y | [ repeat | space | round | no-repeat ]{1,2}"},"repeating-linear-gradient()":{syntax:"repeating-linear-gradient( [ <angle> | to <side-or-corner> ]? , <color-stop-list> )"},"repeating-radial-gradient()":{syntax:"repeating-radial-gradient( [ <ending-shape> || <size> ]? [ at <position> ]? , <color-stop-list> )"},"rgb()":{syntax:"rgb( <percentage>{3} [ / <alpha-value> ]? ) | rgb( <number>{3} [ / <alpha-value> ]? ) | rgb( <percentage>#{3} , <alpha-value>? ) | rgb( <number>#{3} , <alpha-value>? )"},"rgba()":{syntax:"rgba( <percentage>{3} [ / <alpha-value> ]? ) | rgba( <number>{3} [ / <alpha-value> ]? ) | rgba( <percentage>#{3} , <alpha-value>? ) | rgba( <number>#{3} , <alpha-value>? )"},"rotate()":{syntax:"rotate( [ <angle> | <zero> ] )"},"rotate3d()":{syntax:"rotate3d( <number> , <number> , <number> , [ <angle> | <zero> ] )"},"rotateX()":{syntax:"rotateX( [ <angle> | <zero> ] )"},"rotateY()":{syntax:"rotateY( [ <angle> | <zero> ] )"},"rotateZ()":{syntax:"rotateZ( [ <angle> | <zero> ] )"},"saturate()":{syntax:"saturate( <number-percentage> )"},"scale()":{syntax:"scale( <number> , <number>? )"},"scale3d()":{syntax:"scale3d( <number> , <number> , <number> )"},"scaleX()":{syntax:"scaleX( <number> )"},"scaleY()":{syntax:"scaleY( <number> )"},"scaleZ()":{syntax:"scaleZ( <number> )"},"self-position":{syntax:"center | start | end | self-start | self-end | flex-start | flex-end"},"shape-radius":{syntax:"<length-percentage> | closest-side | farthest-side"},"skew()":{syntax:"skew( [ <angle> | <zero> ] , [ <angle> | <zero> ]? )"},"skewX()":{syntax:"skewX( [ <angle> | <zero> ] )"},"skewY()":{syntax:"skewY( [ <angle> | <zero> ] )"},"sepia()":{syntax:"sepia( <number-percentage> )"},shadow:{syntax:"inset? && <length>{2,4} && <color>?"},"shadow-t":{syntax:"[ <length>{2,3} && <color>? ]"},shape:{syntax:"rect(<top>, <right>, <bottom>, <left>)"},"shape-box":{syntax:"<box> | margin-box"},"side-or-corner":{syntax:"[ left | right ] || [ top | bottom ]"},"single-animation":{syntax:"<time> || <timing-function> || <time> || <single-animation-iteration-count> || <single-animation-direction> || <single-animation-fill-mode> || <single-animation-play-state> || [ none | <keyframes-name> ]"},"single-animation-direction":{syntax:"normal | reverse | alternate | alternate-reverse"},"single-animation-fill-mode":{syntax:"none | forwards | backwards | both"},"single-animation-iteration-count":{syntax:"infinite | <number>"},"single-animation-play-state":{syntax:"running | paused"},"single-transition":{syntax:"[ none | <single-transition-property> ] || <time> || <timing-function> || <time>"},"single-transition-property":{syntax:"all | <custom-ident>"},size:{syntax:"closest-side | farthest-side | closest-corner | farthest-corner | <length> | <length-percentage>{2}"},"step-position":{syntax:"jump-start | jump-end | jump-none | jump-both | start | end"},"step-timing-function":{syntax:"step-start | step-end | steps(<integer>[, <step-position>]?)"},"subclass-selector":{syntax:"<id-selector> | <class-selector> | <attribute-selector> | <pseudo-class-selector>"},"supports-condition":{syntax:"not <supports-in-parens> | <supports-in-parens> [ and <supports-in-parens> ]* | <supports-in-parens> [ or <supports-in-parens> ]*"},"supports-in-parens":{syntax:"( <supports-condition> ) | <supports-feature> | <general-enclosed>"},"supports-feature":{syntax:"<supports-decl> | <supports-selector-fn>"},"supports-decl":{syntax:"( <declaration> )"},"supports-selector-fn":{syntax:"selector( <complex-selector> )"},symbol:{syntax:"<string> | <image> | <custom-ident>"},target:{syntax:"<target-counter()> | <target-counters()> | <target-text()>"},"target-counter()":{syntax:"target-counter( [ <string> | <url> ] , <custom-ident> , <counter-style>? )"},"target-counters()":{syntax:"target-counters( [ <string> | <url> ] , <custom-ident> , <string> , <counter-style>? )"},"target-text()":{syntax:"target-text( [ <string> | <url> ] , [ content | before | after | first-letter ]? )"},"time-percentage":{syntax:"<time> | <percentage>"},"timing-function":{syntax:"linear | <cubic-bezier-timing-function> | <step-timing-function>"},"track-breadth":{syntax:"<length-percentage> | <flex> | min-content | max-content | auto"},"track-list":{syntax:"[ <line-names>? [ <track-size> | <track-repeat> ] ]+ <line-names>?"},"track-repeat":{syntax:"repeat( [ <positive-integer> ] , [ <line-names>? <track-size> ]+ <line-names>? )"},"track-size":{syntax:"<track-breadth> | minmax( <inflexible-breadth> , <track-breadth> ) | fit-content( [ <length> | <percentage> ] )"},"transform-function":{syntax:"<matrix()> | <translate()> | <translateX()> | <translateY()> | <scale()> | <scaleX()> | <scaleY()> | <rotate()> | <skew()> | <skewX()> | <skewY()> | <matrix3d()> | <translate3d()> | <translateZ()> | <scale3d()> | <scaleZ()> | <rotate3d()> | <rotateX()> | <rotateY()> | <rotateZ()> | <perspective()>"},"transform-list":{syntax:"<transform-function>+"},"translate()":{syntax:"translate( <length-percentage> , <length-percentage>? )"},"translate3d()":{syntax:"translate3d( <length-percentage> , <length-percentage> , <length> )"},"translateX()":{syntax:"translateX( <length-percentage> )"},"translateY()":{syntax:"translateY( <length-percentage> )"},"translateZ()":{syntax:"translateZ( <length> )"},"type-or-unit":{syntax:"string | color | url | integer | number | length | angle | time | frequency | cap | ch | em | ex | ic | lh | rlh | rem | vb | vi | vw | vh | vmin | vmax | mm | Q | cm | in | pt | pc | px | deg | grad | rad | turn | ms | s | Hz | kHz | %"},"type-selector":{syntax:"<wq-name> | <ns-prefix>? '*'"},"var()":{syntax:"var( <custom-property-name> , <declaration-value>? )"},"viewport-length":{syntax:"auto | <length-percentage>"},"wq-name":{syntax:"<ns-prefix>? <ident-token>"}},co.syntaxes),atrules:function(e,t){const n={};for(const r in e){const i=t[r]&&t[r].descriptors||null;n[r]={prelude:r in t&&"prelude"in t[r]?t[r].prelude:e[r].prelude||null,descriptors:e[r].descriptors?mo(e[r].descriptors,i||{}):i&&ho(i)}}for(const r in t)hasOwnProperty.call(e,r)||(n[r]={prelude:t[r].prelude||null,descriptors:t[r].descriptors&&ho(t[r].descriptors)});return n}(function(e){const t=Object.create(null);for(const n in e){const r=e[n];let i=null;if(r.descriptors){i=Object.create(null);for(const e in r.descriptors)i[e]=r.descriptors[e].syntax}t[n.substr(1)]={prelude:r.syntax.trim().match(/^@\S+\s+([^;\{]*)/)[1].trim()||null,descriptors:i}}return t}(lo),co.atrules),properties:mo(uo,co.properties)},go=at.cmpChar,yo=at.isDigit,vo=at.TYPE,bo=vo.WhiteSpace,So=vo.Comment,xo=vo.Ident,wo=vo.Number,Co=vo.Dimension,ko=43,Oo=45,To=110,Eo=!0;function Ao(e,t){var n=this.scanner.tokenStart+e,r=this.scanner.source.charCodeAt(n);for(r!==ko&&r!==Oo||(t&&this.error("Number sign is not allowed"),n++);n<this.scanner.tokenEnd;n++)yo(this.scanner.source.charCodeAt(n))||this.error("Integer is expected",n)}function _o(e){return Ao.call(this,0,e)}function zo(e,t){if(!go(this.scanner.source,this.scanner.tokenStart+e,t)){var n="";switch(t){case To:n="N is expected";break;case Oo:n="HyphenMinus is expected"}this.error(n,this.scanner.tokenStart+e)}}function Ro(){for(var e=0,t=0,n=this.scanner.tokenType;n===bo||n===So;)n=this.scanner.lookupType(++e);if(n!==wo){if(!this.scanner.isDelim(ko,e)&&!this.scanner.isDelim(Oo,e))return null;t=this.scanner.isDelim(ko,e)?ko:Oo;do{n=this.scanner.lookupType(++e)}while(n===bo||n===So);n!==wo&&(this.scanner.skip(e),_o.call(this,Eo))}return e>0&&this.scanner.skip(e),0===t&&(n=this.scanner.source.charCodeAt(this.scanner.tokenStart))!==ko&&n!==Oo&&this.error("Number sign is expected"),_o.call(this,0!==t),t===Oo?"-"+this.consume(wo):this.consume(wo)}var Lo={name:"AnPlusB",structure:{a:[String,null],b:[String,null]},parse:function(){var e=this.scanner.tokenStart,t=null,n=null;if(this.scanner.tokenType===wo)_o.call(this,false),n=this.consume(wo);else if(this.scanner.tokenType===xo&&go(this.scanner.source,this.scanner.tokenStart,Oo))switch(t="-1",zo.call(this,1,To),this.scanner.getTokenLength()){case 2:this.scanner.next(),n=Ro.call(this);break;case 3:zo.call(this,2,Oo),this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo);break;default:zo.call(this,2,Oo),Ao.call(this,3,Eo),this.scanner.next(),n=this.scanner.substrToCursor(e+2)}else if(this.scanner.tokenType===xo||this.scanner.isDelim(ko)&&this.scanner.lookupType(1)===xo){var r=0;switch(t="1",this.scanner.isDelim(ko)&&(r=1,this.scanner.next()),zo.call(this,0,To),this.scanner.getTokenLength()){case 1:this.scanner.next(),n=Ro.call(this);break;case 2:zo.call(this,1,Oo),this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo);break;default:zo.call(this,1,Oo),Ao.call(this,2,Eo),this.scanner.next(),n=this.scanner.substrToCursor(e+r+1)}}else if(this.scanner.tokenType===Co){for(var i=this.scanner.source.charCodeAt(this.scanner.tokenStart),o=(r=i===ko||i===Oo,this.scanner.tokenStart+r);o<this.scanner.tokenEnd&&yo(this.scanner.source.charCodeAt(o));o++);o===this.scanner.tokenStart+r&&this.error("Integer is expected",this.scanner.tokenStart+r),zo.call(this,o-this.scanner.tokenStart,To),t=this.scanner.source.substring(e,o),o+1===this.scanner.tokenEnd?(this.scanner.next(),n=Ro.call(this)):(zo.call(this,o-this.scanner.tokenStart+1,Oo),o+2===this.scanner.tokenEnd?(this.scanner.next(),this.scanner.skipSC(),_o.call(this,Eo),n="-"+this.consume(wo)):(Ao.call(this,o-this.scanner.tokenStart+2,Eo),this.scanner.next(),n=this.scanner.substrToCursor(o+1)))}else this.error();return null!==t&&t.charCodeAt(0)===ko&&(t=t.substr(1)),null!==n&&n.charCodeAt(0)===ko&&(n=n.substr(1)),{type:"AnPlusB",loc:this.getLocation(e,this.scanner.tokenStart),a:t,b:n}},generate:function(e){var t=null!==e.a&&void 0!==e.a,n=null!==e.b&&void 0!==e.b;t?(this.chunk("+1"===e.a?"+n":"1"===e.a?"n":"-1"===e.a?"-n":e.a+"n"),n&&("-"===(n=String(e.b)).charAt(0)||"+"===n.charAt(0)?(this.chunk(n.charAt(0)),this.chunk(n.substr(1))):(this.chunk("+"),this.chunk(n)))):this.chunk(String(e.b))}},Po=at.TYPE,Bo=Po.WhiteSpace,Wo=Po.Semicolon,Mo=Po.LeftCurlyBracket,Uo=Po.Delim;function Io(){return this.scanner.tokenIndex>0&&this.scanner.lookupType(-1)===Bo?this.scanner.tokenIndex>1?this.scanner.getTokenStart(this.scanner.tokenIndex-1):this.scanner.firstCharOffset:this.scanner.tokenStart}function No(){return 0}var qo={name:"Raw",structure:{value:String},parse:function(e,t,n){var r,i=this.scanner.getTokenStart(e);return this.scanner.skip(this.scanner.getRawLength(e,t||No)),r=n&&this.scanner.tokenStart>i?Io.call(this):this.scanner.tokenStart,{type:"Raw",loc:this.getLocation(i,r),value:this.scanner.source.substring(i,r)}},generate:function(e){this.chunk(e.value)},mode:{default:No,leftCurlyBracket:function(e){return e===Mo?1:0},leftCurlyBracketOrSemicolon:function(e){return e===Mo||e===Wo?1:0},exclamationMarkOrSemicolon:function(e,t,n){return e===Uo&&33===t.charCodeAt(n)||e===Wo?1:0},semicolonIncluded:function(e){return e===Wo?2:0}}},Do=at.TYPE,Vo=qo.mode,jo=Do.AtKeyword,Fo=Do.Semicolon,Go=Do.LeftCurlyBracket,Ko=Do.RightCurlyBracket;function Yo(e){return this.Raw(e,Vo.leftCurlyBracketOrSemicolon,!0)}function Ho(){for(var e,t=1;e=this.scanner.lookupType(t);t++){if(e===Ko)return!0;if(e===Go||e===jo)return!1}return!1}var $o={name:"Atrule",structure:{name:String,prelude:["AtrulePrelude","Raw",null],block:["Block",null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null,i=null;switch(this.eat(jo),t=(e=this.scanner.substrToCursor(n+1)).toLowerCase(),this.scanner.skipSC(),!1===this.scanner.eof&&this.scanner.tokenType!==Go&&this.scanner.tokenType!==Fo&&(this.parseAtrulePrelude?"AtrulePrelude"===(r=this.parseWithFallback(this.AtrulePrelude.bind(this,e),Yo)).type&&null===r.children.head&&(r=null):r=Yo.call(this,this.scanner.tokenIndex),this.scanner.skipSC()),this.scanner.tokenType){case Fo:this.scanner.next();break;case Go:i=this.atrule.hasOwnProperty(t)&&"function"==typeof this.atrule[t].block?this.atrule[t].block.call(this):this.Block(Ho.call(this))}return{type:"Atrule",loc:this.getLocation(n,this.scanner.tokenStart),name:e,prelude:r,block:i}},generate:function(e){this.chunk("@"),this.chunk(e.name),null!==e.prelude&&(this.chunk(" "),this.node(e.prelude)),e.block?this.node(e.block):this.chunk(";")},walkContext:"atrule"},Qo=at.TYPE,Zo=Qo.Semicolon,Xo=Qo.LeftCurlyBracket,Jo={name:"AtrulePrelude",structure:{children:[[]]},parse:function(e){var t=null;return null!==e&&(e=e.toLowerCase()),this.scanner.skipSC(),t=this.atrule.hasOwnProperty(e)&&"function"==typeof this.atrule[e].prelude?this.atrule[e].prelude.call(this):this.readSequence(this.scope.AtrulePrelude),this.scanner.skipSC(),!0!==this.scanner.eof&&this.scanner.tokenType!==Xo&&this.scanner.tokenType!==Zo&&this.error("Semicolon or block is expected"),null===t&&(t=this.createList()),{type:"AtrulePrelude",loc:this.getLocationFromList(t),children:t}},generate:function(e){this.children(e)},walkContext:"atrulePrelude"},ea=at.TYPE,ta=ea.Ident,na=ea.String,ra=ea.Colon,ia=ea.LeftSquareBracket,oa=ea.RightSquareBracket;function aa(){this.scanner.eof&&this.error("Unexpected end of input");var e=this.scanner.tokenStart,t=!1,n=!0;return this.scanner.isDelim(42)?(t=!0,n=!1,this.scanner.next()):this.scanner.isDelim(124)||this.eat(ta),this.scanner.isDelim(124)?61!==this.scanner.source.charCodeAt(this.scanner.tokenStart+1)?(this.scanner.next(),this.eat(ta)):t&&this.error("Identifier is expected",this.scanner.tokenEnd):t&&this.error("Vertical line is expected"),n&&this.scanner.tokenType===ra&&(this.scanner.next(),this.eat(ta)),{type:"Identifier",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}}function sa(){var e=this.scanner.tokenStart,t=this.scanner.source.charCodeAt(e);return 61!==t&&126!==t&&94!==t&&36!==t&&42!==t&&124!==t&&this.error("Attribute selector (=, ~=, ^=, $=, *=, |=) is expected"),this.scanner.next(),61!==t&&(this.scanner.isDelim(61)||this.error("Equal sign is expected"),this.scanner.next()),this.scanner.substrToCursor(e)}var la={name:"AttributeSelector",structure:{name:"Identifier",matcher:[String,null],value:["String","Identifier",null],flags:[String,null]},parse:function(){var e,t=this.scanner.tokenStart,n=null,r=null,i=null;return this.eat(ia),this.scanner.skipSC(),e=aa.call(this),this.scanner.skipSC(),this.scanner.tokenType!==oa&&(this.scanner.tokenType!==ta&&(n=sa.call(this),this.scanner.skipSC(),r=this.scanner.tokenType===na?this.String():this.Identifier(),this.scanner.skipSC()),this.scanner.tokenType===ta&&(i=this.scanner.getTokenValue(),this.scanner.next(),this.scanner.skipSC())),this.eat(oa),{type:"AttributeSelector",loc:this.getLocation(t,this.scanner.tokenStart),name:e,matcher:n,value:r,flags:i}},generate:function(e){var t=" ";this.chunk("["),this.node(e.name),null!==e.matcher&&(this.chunk(e.matcher),null!==e.value&&(this.node(e.value),"String"===e.value.type&&(t=""))),null!==e.flags&&(this.chunk(t),this.chunk(e.flags)),this.chunk("]")}},ua=at.TYPE,ca=qo.mode,da=ua.WhiteSpace,pa=ua.Comment,ma=ua.Semicolon,ha=ua.AtKeyword,fa=ua.LeftCurlyBracket,ga=ua.RightCurlyBracket;function ya(e){return this.Raw(e,null,!0)}function va(){return this.parseWithFallback(this.Rule,ya)}function ba(e){return this.Raw(e,ca.semicolonIncluded,!0)}function Sa(){if(this.scanner.tokenType===ma)return ba.call(this,this.scanner.tokenIndex);var e=this.parseWithFallback(this.Declaration,ba);return this.scanner.tokenType===ma&&this.scanner.next(),e}var xa={name:"Block",structure:{children:[["Atrule","Rule","Declaration"]]},parse:function(e){var t=e?Sa:va,n=this.scanner.tokenStart,r=this.createList();this.eat(fa);e:for(;!this.scanner.eof;)switch(this.scanner.tokenType){case ga:break e;case da:case pa:this.scanner.next();break;case ha:r.push(this.parseWithFallback(this.Atrule,ya));break;default:r.push(t.call(this))}return this.scanner.eof||this.eat(ga),{type:"Block",loc:this.getLocation(n,this.scanner.tokenStart),children:r}},generate:function(e){this.chunk("{"),this.children(e,(function(e){"Declaration"===e.type&&this.chunk(";")})),this.chunk("}")},walkContext:"block"},wa=at.TYPE,Ca=wa.LeftSquareBracket,ka=wa.RightSquareBracket,Oa={name:"Brackets",structure:{children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart;return this.eat(Ca),n=e.call(this,t),this.scanner.eof||this.eat(ka),{type:"Brackets",loc:this.getLocation(r,this.scanner.tokenStart),children:n}},generate:function(e){this.chunk("["),this.children(e),this.chunk("]")}},Ta=at.TYPE.CDC,Ea={name:"CDC",structure:[],parse:function(){var e=this.scanner.tokenStart;return this.eat(Ta),{type:"CDC",loc:this.getLocation(e,this.scanner.tokenStart)}},generate:function(){this.chunk("--\x3e")}},Aa=at.TYPE.CDO,_a={name:"CDO",structure:[],parse:function(){var e=this.scanner.tokenStart;return this.eat(Aa),{type:"CDO",loc:this.getLocation(e,this.scanner.tokenStart)}},generate:function(){this.chunk("\x3c!--")}},za=at.TYPE.Ident,Ra={name:"ClassSelector",structure:{name:String},parse:function(){return this.scanner.isDelim(46)||this.error("Full stop is expected"),this.scanner.next(),{type:"ClassSelector",loc:this.getLocation(this.scanner.tokenStart-1,this.scanner.tokenEnd),name:this.consume(za)}},generate:function(e){this.chunk("."),this.chunk(e.name)}},La=at.TYPE.Ident,Pa={name:"Combinator",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 62:case 43:case 126:this.scanner.next();break;case 47:this.scanner.next(),this.scanner.tokenType===La&&!1!==this.scanner.lookupValue(0,"deep")||this.error("Identifier `deep` is expected"),this.scanner.next(),this.scanner.isDelim(47)||this.error("Solidus is expected"),this.scanner.next();break;default:this.error("Combinator is expected")}return{type:"Combinator",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.name)}},Ba=at.TYPE.Comment,Wa={name:"Comment",structure:{value:String},parse:function(){var e=this.scanner.tokenStart,t=this.scanner.tokenEnd;return this.eat(Ba),t-e+2>=2&&42===this.scanner.source.charCodeAt(t-2)&&47===this.scanner.source.charCodeAt(t-1)&&(t-=2),{type:"Comment",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e+2,t)}},generate:function(e){this.chunk("/*"),this.chunk(e.value),this.chunk("*/")}},Ma=Be.isCustomProperty,Ua=at.TYPE,Ia=qo.mode,Na=Ua.Ident,qa=Ua.Hash,Da=Ua.Colon,Va=Ua.Semicolon,ja=Ua.Delim,Fa=Ua.WhiteSpace;function Ga(e){return this.Raw(e,Ia.exclamationMarkOrSemicolon,!0)}function Ka(e){return this.Raw(e,Ia.exclamationMarkOrSemicolon,!1)}function Ya(){var e=this.scanner.tokenIndex,t=this.Value();return"Raw"!==t.type&&!1===this.scanner.eof&&this.scanner.tokenType!==Va&&!1===this.scanner.isDelim(33)&&!1===this.scanner.isBalanceEdge(e)&&this.error(),t}var Ha={name:"Declaration",structure:{important:[Boolean,String],property:String,value:["Value","Raw"]},parse:function(){var e,t=this.scanner.tokenStart,n=this.scanner.tokenIndex,r=$a.call(this),i=Ma(r),o=i?this.parseCustomProperty:this.parseValue,a=i?Ka:Ga,s=!1;this.scanner.skipSC(),this.eat(Da);const l=this.scanner.tokenIndex;if(i||this.scanner.skipSC(),e=o?this.parseWithFallback(Ya,a):a.call(this,this.scanner.tokenIndex),i&&"Value"===e.type&&e.children.isEmpty())for(let t=l-this.scanner.tokenIndex;t<=0;t++)if(this.scanner.lookupType(t)===Fa){e.children.appendData({type:"WhiteSpace",loc:null,value:" "});break}return this.scanner.isDelim(33)&&(s=Qa.call(this),this.scanner.skipSC()),!1===this.scanner.eof&&this.scanner.tokenType!==Va&&!1===this.scanner.isBalanceEdge(n)&&this.error(),{type:"Declaration",loc:this.getLocation(t,this.scanner.tokenStart),important:s,property:r,value:e}},generate:function(e){this.chunk(e.property),this.chunk(":"),this.node(e.value),e.important&&this.chunk(!0===e.important?"!important":"!"+e.important)},walkContext:"declaration"};function $a(){var e=this.scanner.tokenStart;if(this.scanner.tokenType===ja)switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 42:case 36:case 43:case 35:case 38:this.scanner.next();break;case 47:this.scanner.next(),this.scanner.isDelim(47)&&this.scanner.next()}return this.scanner.tokenType===qa?this.eat(qa):this.eat(Na),this.scanner.substrToCursor(e)}function Qa(){this.eat(ja),this.scanner.skipSC();var e=this.consume(Na);return"important"===e||e}var Za=at.TYPE,Xa=qo.mode,Ja=Za.WhiteSpace,es=Za.Comment,ts=Za.Semicolon;function ns(e){return this.Raw(e,Xa.semicolonIncluded,!0)}var rs={name:"DeclarationList",structure:{children:[["Declaration"]]},parse:function(){for(var e=this.createList();!this.scanner.eof;)switch(this.scanner.tokenType){case Ja:case es:case ts:this.scanner.next();break;default:e.push(this.parseWithFallback(this.Declaration,ns))}return{type:"DeclarationList",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e,(function(e){"Declaration"===e.type&&this.chunk(";")}))}},is=le.consumeNumber,os=at.TYPE.Dimension,as={name:"Dimension",structure:{value:String,unit:String},parse:function(){var e=this.scanner.tokenStart,t=is(this.scanner.source,e);return this.eat(os),{type:"Dimension",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e,t),unit:this.scanner.source.substring(t,this.scanner.tokenStart)}},generate:function(e){this.chunk(e.value),this.chunk(e.unit)}},ss=at.TYPE.RightParenthesis,ls={name:"Function",structure:{name:String,children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart,i=this.consumeFunctionName(),o=i.toLowerCase();return n=t.hasOwnProperty(o)?t[o].call(this,t):e.call(this,t),this.scanner.eof||this.eat(ss),{type:"Function",loc:this.getLocation(r,this.scanner.tokenStart),name:i,children:n}},generate:function(e){this.chunk(e.name),this.chunk("("),this.children(e),this.chunk(")")},walkContext:"function"},us=at.TYPE.Hash,cs={name:"Hash",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return this.eat(us),{type:"Hash",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e+1)}},generate:function(e){this.chunk("#"),this.chunk(e.value)}},ds=at.TYPE.Ident,ps={name:"Identifier",structure:{name:String},parse:function(){return{type:"Identifier",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),name:this.consume(ds)}},generate:function(e){this.chunk(e.name)}},ms=at.TYPE.Hash,hs={name:"IdSelector",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;return this.eat(ms),{type:"IdSelector",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e+1)}},generate:function(e){this.chunk("#"),this.chunk(e.name)}},fs=at.TYPE,gs=fs.Ident,ys=fs.Number,vs=fs.Dimension,bs=fs.LeftParenthesis,Ss=fs.RightParenthesis,xs=fs.Colon,ws=fs.Delim,Cs={name:"MediaFeature",structure:{name:String,value:["Identifier","Number","Dimension","Ratio",null]},parse:function(){var e,t=this.scanner.tokenStart,n=null;if(this.eat(bs),this.scanner.skipSC(),e=this.consume(gs),this.scanner.skipSC(),this.scanner.tokenType!==Ss){switch(this.eat(xs),this.scanner.skipSC(),this.scanner.tokenType){case ys:n=this.lookupNonWSType(1)===ws?this.Ratio():this.Number();break;case vs:n=this.Dimension();break;case gs:n=this.Identifier();break;default:this.error("Number, dimension, ratio or identifier is expected")}this.scanner.skipSC()}return this.eat(Ss),{type:"MediaFeature",loc:this.getLocation(t,this.scanner.tokenStart),name:e,value:n}},generate:function(e){this.chunk("("),this.chunk(e.name),null!==e.value&&(this.chunk(":"),this.node(e.value)),this.chunk(")")}},ks=at.TYPE,Os=ks.WhiteSpace,Ts=ks.Comment,Es=ks.Ident,As=ks.LeftParenthesis,_s={name:"MediaQuery",structure:{children:[["Identifier","MediaFeature","WhiteSpace"]]},parse:function(){this.scanner.skipSC();var e=this.createList(),t=null,n=null;e:for(;!this.scanner.eof;){switch(this.scanner.tokenType){case Ts:this.scanner.next();continue;case Os:n=this.WhiteSpace();continue;case Es:t=this.Identifier();break;case As:t=this.MediaFeature();break;default:break e}null!==n&&(e.push(n),n=null),e.push(t)}return null===t&&this.error("Identifier or parenthesis is expected"),{type:"MediaQuery",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e)}},zs=at.TYPE.Comma,Rs={name:"MediaQueryList",structure:{children:[["MediaQuery"]]},parse:function(e){var t=this.createList();for(this.scanner.skipSC();!this.scanner.eof&&(t.push(this.MediaQuery(e)),this.scanner.tokenType===zs);)this.scanner.next();return{type:"MediaQueryList",loc:this.getLocationFromList(t),children:t}},generate:function(e){this.children(e,(function(){this.chunk(",")}))}},Ls=at.TYPE.Number,Ps={name:"Number",structure:{value:String},parse:function(){return{type:"Number",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),value:this.consume(Ls)}},generate:function(e){this.chunk(e.value)}},Bs={name:"Operator",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return this.scanner.next(),{type:"Operator",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.value)}},Ws=at.TYPE,Ms=Ws.LeftParenthesis,Us=Ws.RightParenthesis,Is={name:"Parentheses",structure:{children:[[]]},parse:function(e,t){var n,r=this.scanner.tokenStart;return this.eat(Ms),n=e.call(this,t),this.scanner.eof||this.eat(Us),{type:"Parentheses",loc:this.getLocation(r,this.scanner.tokenStart),children:n}},generate:function(e){this.chunk("("),this.children(e),this.chunk(")")}},Ns=le.consumeNumber,qs=at.TYPE.Percentage,Ds={name:"Percentage",structure:{value:String},parse:function(){var e=this.scanner.tokenStart,t=Ns(this.scanner.source,e);return this.eat(qs),{type:"Percentage",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.source.substring(e,t)}},generate:function(e){this.chunk(e.value),this.chunk("%")}},Vs=at.TYPE,js=Vs.Ident,Fs=Vs.Function,Gs=Vs.Colon,Ks=Vs.RightParenthesis,Ys={name:"PseudoClassSelector",structure:{name:String,children:[["Raw"],null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null;return this.eat(Gs),this.scanner.tokenType===Fs?(t=(e=this.consumeFunctionName()).toLowerCase(),this.pseudo.hasOwnProperty(t)?(this.scanner.skipSC(),r=this.pseudo[t].call(this),this.scanner.skipSC()):(r=this.createList()).push(this.Raw(this.scanner.tokenIndex,null,!1)),this.eat(Ks)):e=this.consume(js),{type:"PseudoClassSelector",loc:this.getLocation(n,this.scanner.tokenStart),name:e,children:r}},generate:function(e){this.chunk(":"),this.chunk(e.name),null!==e.children&&(this.chunk("("),this.children(e),this.chunk(")"))},walkContext:"function"},Hs=at.TYPE,$s=Hs.Ident,Qs=Hs.Function,Zs=Hs.Colon,Xs=Hs.RightParenthesis,Js={name:"PseudoElementSelector",structure:{name:String,children:[["Raw"],null]},parse:function(){var e,t,n=this.scanner.tokenStart,r=null;return this.eat(Zs),this.eat(Zs),this.scanner.tokenType===Qs?(t=(e=this.consumeFunctionName()).toLowerCase(),this.pseudo.hasOwnProperty(t)?(this.scanner.skipSC(),r=this.pseudo[t].call(this),this.scanner.skipSC()):(r=this.createList()).push(this.Raw(this.scanner.tokenIndex,null,!1)),this.eat(Xs)):e=this.consume($s),{type:"PseudoElementSelector",loc:this.getLocation(n,this.scanner.tokenStart),name:e,children:r}},generate:function(e){this.chunk("::"),this.chunk(e.name),null!==e.children&&(this.chunk("("),this.children(e),this.chunk(")"))},walkContext:"function"},el=at.isDigit,tl=at.TYPE,nl=tl.Number,rl=tl.Delim;function il(){this.scanner.skipWS();for(var e=this.consume(nl),t=0;t<e.length;t++){var n=e.charCodeAt(t);el(n)||46===n||this.error("Unsigned number is expected",this.scanner.tokenStart-e.length+t)}return 0===Number(e)&&this.error("Zero number is not allowed",this.scanner.tokenStart-e.length),e}var ol={name:"Ratio",structure:{left:String,right:String},parse:function(){var e,t=this.scanner.tokenStart,n=il.call(this);return this.scanner.skipWS(),this.scanner.isDelim(47)||this.error("Solidus is expected"),this.eat(rl),e=il.call(this),{type:"Ratio",loc:this.getLocation(t,this.scanner.tokenStart),left:n,right:e}},generate:function(e){this.chunk(e.left),this.chunk("/"),this.chunk(e.right)}},al=at.TYPE,sl=qo.mode,ll=al.LeftCurlyBracket;function ul(e){return this.Raw(e,sl.leftCurlyBracket,!0)}function cl(){var e=this.SelectorList();return"Raw"!==e.type&&!1===this.scanner.eof&&this.scanner.tokenType!==ll&&this.error(),e}var dl={name:"Rule",structure:{prelude:["SelectorList","Raw"],block:["Block"]},parse:function(){var e,t,n=this.scanner.tokenIndex,r=this.scanner.tokenStart;return e=this.parseRulePrelude?this.parseWithFallback(cl,ul):ul.call(this,n),t=this.Block(!0),{type:"Rule",loc:this.getLocation(r,this.scanner.tokenStart),prelude:e,block:t}},generate:function(e){this.node(e.prelude),this.node(e.block)},walkContext:"rule"},pl=at.TYPE.Comma,ml={name:"SelectorList",structure:{children:[["Selector","Raw"]]},parse:function(){for(var e=this.createList();!this.scanner.eof&&(e.push(this.Selector()),this.scanner.tokenType===pl);)this.scanner.next();return{type:"SelectorList",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e,(function(){this.chunk(",")}))},walkContext:"selector"},hl=at.TYPE.String,fl={name:"String",structure:{value:String},parse:function(){return{type:"String",loc:this.getLocation(this.scanner.tokenStart,this.scanner.tokenEnd),value:this.consume(hl)}},generate:function(e){this.chunk(e.value)}},gl=at.TYPE,yl=gl.WhiteSpace,vl=gl.Comment,bl=gl.AtKeyword,Sl=gl.CDO,xl=gl.CDC;function wl(e){return this.Raw(e,null,!1)}var Cl={name:"StyleSheet",structure:{children:[["Comment","CDO","CDC","Atrule","Rule","Raw"]]},parse:function(){for(var e,t=this.scanner.tokenStart,n=this.createList();!this.scanner.eof;){switch(this.scanner.tokenType){case yl:this.scanner.next();continue;case vl:if(33!==this.scanner.source.charCodeAt(this.scanner.tokenStart+2)){this.scanner.next();continue}e=this.Comment();break;case Sl:e=this.CDO();break;case xl:e=this.CDC();break;case bl:e=this.parseWithFallback(this.Atrule,wl);break;default:e=this.parseWithFallback(this.Rule,wl)}n.push(e)}return{type:"StyleSheet",loc:this.getLocation(t,this.scanner.tokenStart),children:n}},generate:function(e){this.children(e)},walkContext:"stylesheet"},kl=at.TYPE.Ident;function Ol(){this.scanner.tokenType!==kl&&!1===this.scanner.isDelim(42)&&this.error("Identifier or asterisk is expected"),this.scanner.next()}var Tl={name:"TypeSelector",structure:{name:String},parse:function(){var e=this.scanner.tokenStart;return this.scanner.isDelim(124)?(this.scanner.next(),Ol.call(this)):(Ol.call(this),this.scanner.isDelim(124)&&(this.scanner.next(),Ol.call(this))),{type:"TypeSelector",loc:this.getLocation(e,this.scanner.tokenStart),name:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.name)}},El=at.isHexDigit,Al=at.cmpChar,_l=at.TYPE,zl=at.NAME,Rl=_l.Ident,Ll=_l.Number,Pl=_l.Dimension;function Bl(e,t){for(var n=this.scanner.tokenStart+e,r=0;n<this.scanner.tokenEnd;n++){var i=this.scanner.source.charCodeAt(n);if(45===i&&t&&0!==r)return 0===Bl.call(this,e+r+1,!1)&&this.error(),-1;El(i)||this.error(t&&0!==r?"HyphenMinus"+(r<6?" or hex digit":"")+" is expected":r<6?"Hex digit is expected":"Unexpected input",n),++r>6&&this.error("Too many hex digits",n)}return this.scanner.next(),r}function Wl(e){for(var t=0;this.scanner.isDelim(63);)++t>e&&this.error("Too many question marks"),this.scanner.next()}function Ml(e){this.scanner.source.charCodeAt(this.scanner.tokenStart)!==e&&this.error(zl[e]+" is expected")}function Ul(){var e=0;return this.scanner.isDelim(43)?(this.scanner.next(),this.scanner.tokenType===Rl?void((e=Bl.call(this,0,!0))>0&&Wl.call(this,6-e)):this.scanner.isDelim(63)?(this.scanner.next(),void Wl.call(this,5)):void this.error("Hex digit or question mark is expected")):this.scanner.tokenType===Ll?(Ml.call(this,43),e=Bl.call(this,1,!0),this.scanner.isDelim(63)?void Wl.call(this,6-e):this.scanner.tokenType===Pl||this.scanner.tokenType===Ll?(Ml.call(this,45),void Bl.call(this,1,!1)):void 0):this.scanner.tokenType===Pl?(Ml.call(this,43),void((e=Bl.call(this,1,!0))>0&&Wl.call(this,6-e))):void this.error()}var Il={name:"UnicodeRange",structure:{value:String},parse:function(){var e=this.scanner.tokenStart;return Al(this.scanner.source,e,117)||this.error("U is expected"),Al(this.scanner.source,e+1,43)||this.error("Plus sign is expected"),this.scanner.next(),Ul.call(this),{type:"UnicodeRange",loc:this.getLocation(e,this.scanner.tokenStart),value:this.scanner.substrToCursor(e)}},generate:function(e){this.chunk(e.value)}},Nl=at.isWhiteSpace,ql=at.cmpStr,Dl=at.TYPE,Vl=Dl.Function,jl=Dl.Url,Fl=Dl.RightParenthesis,Gl={name:"Url",structure:{value:["String","Raw"]},parse:function(){var e,t=this.scanner.tokenStart;switch(this.scanner.tokenType){case jl:for(var n=t+4,r=this.scanner.tokenEnd-1;n<r&&Nl(this.scanner.source.charCodeAt(n));)n++;for(;n<r&&Nl(this.scanner.source.charCodeAt(r-1));)r--;e={type:"Raw",loc:this.getLocation(n,r),value:this.scanner.source.substring(n,r)},this.eat(jl);break;case Vl:ql(this.scanner.source,this.scanner.tokenStart,this.scanner.tokenEnd,"url(")||this.error("Function name must be `url`"),this.eat(Vl),this.scanner.skipSC(),e=this.String(),this.scanner.skipSC(),this.eat(Fl);break;default:this.error("Url or Function is expected")}return{type:"Url",loc:this.getLocation(t,this.scanner.tokenStart),value:e}},generate:function(e){this.chunk("url"),this.chunk("("),this.node(e.value),this.chunk(")")}},Kl=at.TYPE.WhiteSpace,Yl=Object.freeze({type:"WhiteSpace",loc:null,value:" "}),Hl={AnPlusB:Lo,Atrule:$o,AtrulePrelude:Jo,AttributeSelector:la,Block:xa,Brackets:Oa,CDC:Ea,CDO:_a,ClassSelector:Ra,Combinator:Pa,Comment:Wa,Declaration:Ha,DeclarationList:rs,Dimension:as,Function:ls,Hash:cs,Identifier:ps,IdSelector:hs,MediaFeature:Cs,MediaQuery:_s,MediaQueryList:Rs,Nth:{name:"Nth",structure:{nth:["AnPlusB","Identifier"],selector:["SelectorList",null]},parse:function(e){this.scanner.skipSC();var t,n=this.scanner.tokenStart,r=n,i=null;return t=this.scanner.lookupValue(0,"odd")||this.scanner.lookupValue(0,"even")?this.Identifier():this.AnPlusB(),this.scanner.skipSC(),e&&this.scanner.lookupValue(0,"of")?(this.scanner.next(),i=this.SelectorList(),this.needPositions&&(r=this.getLastListNode(i.children).loc.end.offset)):this.needPositions&&(r=t.loc.end.offset),{type:"Nth",loc:this.getLocation(n,r),nth:t,selector:i}},generate:function(e){this.node(e.nth),null!==e.selector&&(this.chunk(" of "),this.node(e.selector))}},Number:Ps,Operator:Bs,Parentheses:Is,Percentage:Ds,PseudoClassSelector:Ys,PseudoElementSelector:Js,Ratio:ol,Raw:qo,Rule:dl,Selector:{name:"Selector",structure:{children:[["TypeSelector","IdSelector","ClassSelector","AttributeSelector","PseudoClassSelector","PseudoElementSelector","Combinator","WhiteSpace"]]},parse:function(){var e=this.readSequence(this.scope.Selector);return null===this.getFirstListNode(e)&&this.error("Selector is expected"),{type:"Selector",loc:this.getLocationFromList(e),children:e}},generate:function(e){this.children(e)}},SelectorList:ml,String:fl,StyleSheet:Cl,TypeSelector:Tl,UnicodeRange:Il,Url:Gl,Value:{name:"Value",structure:{children:[[]]},parse:function(){var e=this.scanner.tokenStart,t=this.readSequence(this.scope.Value);return{type:"Value",loc:this.getLocation(e,this.scanner.tokenStart),children:t}},generate:function(e){this.children(e)}},WhiteSpace:{name:"WhiteSpace",structure:{value:String},parse:function(){return this.eat(Kl),Yl},generate:function(e){this.chunk(e.value)}}},$l={generic:!0,types:fo.types,atrules:fo.atrules,properties:fo.properties,node:Hl},Ql=at.cmpChar,Zl=at.cmpStr,Xl=at.TYPE,Jl=Xl.Ident,eu=Xl.String,tu=Xl.Number,nu=Xl.Function,ru=Xl.Url,iu=Xl.Hash,ou=Xl.Dimension,au=Xl.Percentage,su=Xl.LeftParenthesis,lu=Xl.LeftSquareBracket,uu=Xl.Comma,cu=Xl.Delim,du=function(e){switch(this.scanner.tokenType){case iu:return this.Hash();case uu:return e.space=null,e.ignoreWSAfter=!0,this.Operator();case su:return this.Parentheses(this.readSequence,e.recognizer);case lu:return this.Brackets(this.readSequence,e.recognizer);case eu:return this.String();case ou:return this.Dimension();case au:return this.Percentage();case tu:return this.Number();case nu:return Zl(this.scanner.source,this.scanner.tokenStart,this.scanner.tokenEnd,"url(")?this.Url():this.Function(this.readSequence,e.recognizer);case ru:return this.Url();case Jl:return Ql(this.scanner.source,this.scanner.tokenStart,117)&&Ql(this.scanner.source,this.scanner.tokenStart+1,43)?this.UnicodeRange():this.Identifier();case cu:var t=this.scanner.source.charCodeAt(this.scanner.tokenStart);if(47===t||42===t||43===t||45===t)return this.Operator();35===t&&this.error("Hex or identifier is expected",this.scanner.tokenStart+1)}},pu={getNode:du},mu=at.TYPE,hu=mu.Delim,fu=mu.Ident,gu=mu.Dimension,yu=mu.Percentage,vu=mu.Number,bu=mu.Hash,Su=mu.Colon,xu=mu.LeftSquareBracket;var wu={getNode:function(e){switch(this.scanner.tokenType){case xu:return this.AttributeSelector();case bu:return this.IdSelector();case Su:return this.scanner.lookupType(1)===Su?this.PseudoElementSelector():this.PseudoClassSelector();case fu:return this.TypeSelector();case vu:case yu:return this.Percentage();case gu:46===this.scanner.source.charCodeAt(this.scanner.tokenStart)&&this.error("Identifier is expected",this.scanner.tokenStart+1);break;case hu:switch(this.scanner.source.charCodeAt(this.scanner.tokenStart)){case 43:case 62:case 126:return e.space=null,e.ignoreWSAfter=!0,this.Combinator();case 47:return this.Combinator();case 46:return this.ClassSelector();case 42:case 124:return this.TypeSelector();case 35:return this.IdSelector()}}}},Cu=at.TYPE,ku=qo.mode,Ou=Cu.Comma,Tu=Cu.WhiteSpace,Eu={AtrulePrelude:pu,Selector:wu,Value:{getNode:du,expression:function(){return this.createSingleNodeList(this.Raw(this.scanner.tokenIndex,null,!1))},var:function(){var e=this.createList();if(this.scanner.skipSC(),e.push(this.Identifier()),this.scanner.skipSC(),this.scanner.tokenType===Ou){e.push(this.Operator());const t=this.scanner.tokenIndex,n=this.parseCustomProperty?this.Value(null):this.Raw(this.scanner.tokenIndex,ku.exclamationMarkOrSemicolon,!1);if("Value"===n.type&&n.children.isEmpty())for(let e=t-this.scanner.tokenIndex;e<=0;e++)if(this.scanner.lookupType(e)===Tu){n.children.appendData({type:"WhiteSpace",loc:null,value:" "});break}e.push(n)}return e}}},Au=at.TYPE,_u=Au.String,zu=Au.Ident,Ru=Au.Url,Lu=Au.Function,Pu=Au.LeftParenthesis,Bu={parse:{prelude:function(){var e=this.createList();switch(this.scanner.skipSC(),this.scanner.tokenType){case _u:e.push(this.String());break;case Ru:case Lu:e.push(this.Url());break;default:this.error("String or url() is expected")}return this.lookupNonWSType(0)!==zu&&this.lookupNonWSType(0)!==Pu||(e.push(this.WhiteSpace()),e.push(this.MediaQueryList())),e},block:null}},Wu=at.TYPE,Mu=Wu.WhiteSpace,Uu=Wu.Comment,Iu=Wu.Ident,Nu=Wu.Function,qu=Wu.Colon,Du=Wu.LeftParenthesis;function Vu(){return this.createSingleNodeList(this.Raw(this.scanner.tokenIndex,null,!1))}function ju(){return this.scanner.skipSC(),this.scanner.tokenType===Iu&&this.lookupNonWSType(1)===qu?this.createSingleNodeList(this.Declaration()):Fu.call(this)}function Fu(){var e,t=this.createList(),n=null;this.scanner.skipSC();e:for(;!this.scanner.eof;){switch(this.scanner.tokenType){case Mu:n=this.WhiteSpace();continue;case Uu:this.scanner.next();continue;case Nu:e=this.Function(Vu,this.scope.AtrulePrelude);break;case Iu:e=this.Identifier();break;case Du:e=this.Parentheses(ju,this.scope.AtrulePrelude);break;default:break e}null!==n&&(t.push(n),n=null),t.push(e)}return t}var Gu={parse:function(){return this.createSingleNodeList(this.SelectorList())}},Ku={parse:function(){return this.createSingleNodeList(this.Nth(true))}},Yu={parse:function(){return this.createSingleNodeList(this.Nth(false))}},Hu={parseContext:{default:"StyleSheet",stylesheet:"StyleSheet",atrule:"Atrule",atrulePrelude:function(e){return this.AtrulePrelude(e.atrule?String(e.atrule):null)},mediaQueryList:"MediaQueryList",mediaQuery:"MediaQuery",rule:"Rule",selectorList:"SelectorList",selector:"Selector",block:function(){return this.Block(!0)},declarationList:"DeclarationList",declaration:"Declaration",value:"Value"},scope:Eu,atrule:{"font-face":{parse:{prelude:null,block:function(){return this.Block(!0)}}},import:Bu,media:{parse:{prelude:function(){return this.createSingleNodeList(this.MediaQueryList())},block:function(){return this.Block(!1)}}},page:{parse:{prelude:function(){return this.createSingleNodeList(this.SelectorList())},block:function(){return this.Block(!0)}}},supports:{parse:{prelude:function(){var e=Fu.call(this);return null===this.getFirstListNode(e)&&this.error("Condition is expected"),e},block:function(){return this.Block(!1)}}}},pseudo:{dir:{parse:function(){return this.createSingleNodeList(this.Identifier())}},has:{parse:function(){return this.createSingleNodeList(this.SelectorList())}},lang:{parse:function(){return this.createSingleNodeList(this.Identifier())}},matches:Gu,not:Gu,"nth-child":Ku,"nth-last-child":Ku,"nth-last-of-type":Yu,"nth-of-type":Yu,slotted:{parse:function(){return this.createSingleNodeList(this.Selector())}}},node:Hl},$u={node:Hl},Qu="1.1.3";x.exports=w.create(function(){for(var e={},t=0;t<arguments.length;t++){var n=arguments[t];for(var r in n)e[r]=n[r]}return e}($l,Hu,$u)),x.exports.version=Qu;const Zu=x.exports,Xu=["all","print","screen","speech"],Ju=/data:[^,]*;base64,/,ec=/^(["']).*\1$/,tc=[/::?(?:-moz-)?selection/],nc=[/(.*)transition(.*)/,/cursor/,/pointer-events/,/(-webkit-)?tap-highlight-color/,/(.*)user-select/];class rc{constructor(e,t,n){this.css=e,this.ast=t,this.errors=n}absolutifyUrls(e){Zu.walk(this.ast,{visit:"Url",enter:t=>{if(t.value&&"String"===t.value.type){const n=rc.readValue(t.value),r=new URL(n,e).toString();r!==n&&(t.value.value='"'+r+'"')}}})}pruned(e){const t=new rc(this.css,Zu.clone(this.ast),this.errors);return t.pruneMediaQueries(),t.pruneNonCriticalSelectors(e),t.pruneExcludedProperties(),t.pruneLargeBase64Embeds(),t.pruneComments(),t}originalText(e){return e.loc&&e.loc.start&&e.loc.end?this.css.substring(e.loc.start.offset,e.loc.end.offset):""}applyFilters(e){e&&(e.properties&&this.applyPropertiesFilter(e.properties),e.atRules&&this.applyAtRulesFilter(e.atRules))}applyPropertiesFilter(e){Zu.walk(this.ast,{visit:"Declaration",enter:(t,n,r)=>{!1===e(t.property,this.originalText(t.value))&&r.remove(n)}})}applyAtRulesFilter(e){Zu.walk(this.ast,{visit:"Atrule",enter:(t,n,r)=>{!1===e(t.name)&&r.remove(n)}})}pruneUnusedVariables(e){let t=0;return Zu.walk(this.ast,{visit:"Declaration",enter:(n,r,i)=>{n.property.startsWith("--")&&(e.has(n.property)||(i.remove(r),t++))}}),t}getUsedVariables(){const e=new Set;return Zu.walk(this.ast,{visit:"Function",enter:t=>{if("var"!==Zu.keyword(t.name).name)return;t.children.map(rc.readValue).forEach((t=>e.add(t)))}}),e}pruneComments(){Zu.walk(this.ast,{visit:"Comment",enter:(e,t,n)=>{n.remove(t)}})}pruneMediaQueries(){Zu.walk(this.ast,{visit:"Atrule",enter:(e,t,n)=>{"media"===Zu.keyword(e.name).name&&e.prelude&&(Zu.walk(e,{visit:"MediaQueryList",enter:(e,t,n)=>{Zu.walk(e,{visit:"MediaQuery",enter:(e,t,n)=>{rc.isUsefulMediaQuery(e)||n.remove(t)}}),e.children&&e.children.isEmpty()&&n.remove(t)}}),e.prelude.children&&e.prelude.children.isEmpty()&&n.remove(t))}})}static isKeyframeRule(e){return e.atrule&&"keyframes"===Zu.keyword(e.atrule.name).basename}forEachSelector(e){Zu.walk(this.ast,{visit:"Rule",enter(t){rc.isKeyframeRule(this)||"SelectorList"===t.prelude.type&&t.prelude.children.forEach((t=>{const n=Zu.generate(t);tc.some((e=>e.test(n)))||e(n)}))}})}pruneNonCriticalSelectors(e){Zu.walk(this.ast,{visit:"Rule",enter(t,n,r){this.atrule&&"keyframes"===Zu.keyword(this.atrule.name).basename||("SelectorList"===t.prelude.type?t.block.children.some((e=>"grid-area"===e.property))||(t.prelude.children=t.prelude.children.filter((t=>{if(tc.some((e=>e.test(t))))return!1;const n=Zu.generate(t);return e.has(n)})),t.prelude.children&&t.prelude.children.isEmpty()&&r.remove(n)):r.remove(n))}})}pruneLargeBase64Embeds(){Zu.walk(this.ast,{visit:"Declaration",enter:(e,t,n)=>{let r=!1;Zu.walk(e,{visit:"Url",enter(e){const t=e.value.value;Ju.test(t)&&t.length>1e3&&(r=!0)}}),r&&n.remove(t)}})}pruneExcludedProperties(){Zu.walk(this.ast,{visit:"Declaration",enter:(e,t,n)=>{if(e.property){const r=Zu.property(e.property).name;nc.some((e=>e.test(r)))&&n.remove(t)}}})}pruneNonCriticalFonts(e){Zu.walk(this.ast,{visit:"Atrule",enter:(t,n,r)=>{if("font-face"!==Zu.keyword(t.name).basename)return;const i={};Zu.walk(t,{visit:"Declaration",enter:(e,t,n)=>{const r=Zu.property(e.property).name;if(["src","font-family"].includes(r)){const t=e.value.children.toArray();i[r]=t.map(rc.readValue)}"src"===r&&n.remove(t)}}),i.src&&i["font-family"]&&i["font-family"].some((t=>e.has(t)))||r.remove(n)}})}ruleCount(){let e=0;return Zu.walk(this.ast,{visit:"Rule",enter:()=>{e++}}),e}getUsedFontFamilies(){const e=new Set;return Zu.walk(this.ast,{visit:"Declaration",enter(t){if(!this.rule)return;Zu.lexer.findDeclarationValueFragments(t,"Type","family-name").map((e=>e.nodes.toArray())).flat().map(rc.readValue).forEach((t=>e.add(t)))}}),e}static readValue(e){return"String"===e.type&&ec.test(e.value)?e.value.substr(1,e.value.length-2):"Identifier"===e.type?e.name:e.value}static isUsefulMediaQuery(e){let t=!1;const n={};if(Zu.walk(e,{visit:"Identifier",enter:e=>{const r=Zu.keyword(e.name).name;"not"!==r?(Xu.includes(r)&&(n[r]=!t),t=!1):t=!0}}),0===Object.keys(n).length)return!0;for(const e of["screen","all"])if(Object.prototype.hasOwnProperty.call(n,e))return n[e];return Object.values(n).some((e=>!e))}toCSS(){return Zu.generate(this.ast)}static parse(e){const t=[],n=Zu.parse(e,{parseCustomProperty:!0,positions:!0,onParseError:e=>{t.push(e)}});return new rc(e,n,t)}}var ic=rc,oc={exports:{}};!function(e,t){var n=function(){if("undefined"!=typeof self)return self;if("undefined"!=typeof window)return window;if(void 0!==n)return n;throw new Error("unable to locate global object")}();e.exports=t=n.fetch,n.fetch&&(t.default=n.fetch.bind(n)),t.Headers=n.Headers,t.Request=n.Request,t.Response=n.Response}(oc,oc.exports);const{HttpError:ac,GenericUrlError:sc,CriticalCssError:lc}=o,uc=ic,cc="undefined"!=typeof window&&window.fetch||oc.exports;var dc=class{constructor(){this.knownUrls={},this.cssFiles=[],this.errors=[]}async addMultiple(e,t){return Promise.all(Object.keys(t).map((n=>this.add(e,n,t[n]))))}async add(e,t,n={}){if(Object.prototype.hasOwnProperty.call(this.knownUrls,t)){if(this.knownUrls[t]instanceof Error)return;this.addExtraReference(e,t,this.knownUrls[t])}else try{const r=await cc(t);if(!r.ok)throw new ac({code:r.code,url:t});let i=await r.text();n.media&&(i="@media "+n.media+" {\n"+i+"\n}"),this.storeCss(e,t,i)}catch(e){let n=e;e instanceof lc||(n=new sc({code:t,url:e.message})),this.storeError(t,n)}}collateSelectorPages(){const e={};for(const t of this.cssFiles)t.ast.forEachSelector((n=>{e[n]||(e[n]=new Set),t.pages.forEach((t=>e[n].add(t)))}));return e}applyFilters(e){for(const t of this.cssFiles)t.ast.applyFilters(e)}prunedAsts(e){let t,n=this.cssFiles.map((t=>t.ast.pruned(e)));for(let e=0;e<10;e++){const e=n.reduce(((e,t)=>(t.getUsedVariables().forEach((t=>e.add(t))),e)),new Set);if(t&&t.size===e.size)break;if(0===n.reduce(((t,n)=>t+=n.pruneUnusedVariables(e)),0))break;t=e}const r=n.reduce(((e,t)=>(t.getUsedFontFamilies().forEach((t=>e.add(t))),e)),new Set);return n.forEach((e=>e.pruneNonCriticalFonts(r))),n=n.filter((e=>e.ruleCount()>0)),n}storeCss(e,t,n){const r=this.cssFiles.find((e=>e.css===n));if(r)return void this.addExtraReference(e,t,r);const i=uc.parse(n);i.absolutifyUrls(t);const o={css:n,ast:i,pages:[e],urls:[t]};this.knownUrls[t]=o,this.cssFiles.push(o)}addExtraReference(e,t,n){this.knownUrls[t]=n,n.pages.push(e),n.urls.includes(t)||n.urls.push(t)}storeError(e,t){this.knownUrls[e]=t,this.errors.push(t)}getErrors(){return this.errors}};const pc=["after","before","first-(line|letter)","(input-)?placeholder","scrollbar","search(results-)?decoration","search-(cancel|results)-button"];let mc;var hc={removeIgnoredPseudoElements:function(e){return e.replace(function(){if(mc)return mc;const e=pc.join("|");return mc=new RegExp("::?(-(moz|ms|webkit)-)?("+e+")"),mc}(),"").trim()}},fc="undefined"!=typeof global?global:"undefined"!=typeof self?self:"undefined"!=typeof window?window:{};function gc(){throw new Error("setTimeout has not been defined")}function yc(){throw new Error("clearTimeout has not been defined")}var vc=gc,bc=yc;function Sc(e){if(vc===setTimeout)return setTimeout(e,0);if((vc===gc||!vc)&&setTimeout)return vc=setTimeout,setTimeout(e,0);try{return vc(e,0)}catch(t){try{return vc.call(null,e,0)}catch(t){return vc.call(this,e,0)}}}"function"==typeof fc.setTimeout&&(vc=setTimeout),"function"==typeof fc.clearTimeout&&(bc=clearTimeout);var xc,wc=[],Cc=!1,kc=-1;function Oc(){Cc&&xc&&(Cc=!1,xc.length?wc=xc.concat(wc):kc=-1,wc.length&&Tc())}function Tc(){if(!Cc){var e=Sc(Oc);Cc=!0;for(var t=wc.length;t;){for(xc=wc,wc=[];++kc<t;)xc&&xc[kc].run();kc=-1,t=wc.length}xc=null,Cc=!1,function(e){if(bc===clearTimeout)return clearTimeout(e);if((bc===yc||!bc)&&clearTimeout)return bc=clearTimeout,clearTimeout(e);try{bc(e)}catch(t){try{return bc.call(null,e)}catch(t){return bc.call(this,e)}}}(e)}}function Ec(e){var t=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)t[n-1]=arguments[n];wc.push(new Ac(e,t)),1!==wc.length||Cc||Sc(Tc)}function Ac(e,t){this.fun=e,this.array=t}Ac.prototype.run=function(){this.fun.apply(null,this.array)};function _c(){}var zc=_c,Rc=_c,Lc=_c,Pc=_c,Bc=_c,Wc=_c,Mc=_c;var Uc=fc.performance||{},Ic=Uc.now||Uc.mozNow||Uc.msNow||Uc.oNow||Uc.webkitNow||function(){return(new Date).getTime()};var Nc=new Date;var qc={nextTick:Ec,title:"browser",browser:!0,env:{},argv:[],version:"",versions:{},on:zc,addListener:Rc,once:Lc,off:Pc,removeListener:Bc,removeAllListeners:Wc,emit:Mc,binding:function(e){throw new Error("process.binding is not supported")},cwd:function(){return"/"},chdir:function(e){throw new Error("process.chdir is not supported")},umask:function(){return 0},hrtime:function(e){var t=.001*Ic.call(Uc),n=Math.floor(t),r=Math.floor(t%1*1e9);return e&&(n-=e[0],(r-=e[1])<0&&(n--,r+=1e9)),[n,r]},platform:"browser",release:{},config:{},uptime:function(){return(new Date-Nc)/1e3}},Dc={exports:{}};var Vc=function(e){return e},jc=/([0-9]+)/;function Fc(e){return""+parseInt(e)==e?parseInt(e):e}var Gc=function(e,t){var n,r,i,o,a=(""+e).split(jc).map(Fc),s=(""+t).split(jc).map(Fc);for(i=0,o=Math.min(a.length,s.length);i<o;i++)if((n=a[i])!=(r=s[i]))return n>r?1:-1;return a.length>s.length?1:a.length==s.length?0:-1};function Kc(e,t){return Gc(e[1],t[1])}function Yc(e,t){return e[1]>t[1]?1:-1}var Hc,$c=function(e,t){switch(t){case"natural":return e.sort(Kc);case"standard":return e.sort(Yc);case"none":case!1:return e}};function Qc(){if(void 0===Hc){var e=new ArrayBuffer(2),t=new Uint8Array(e),n=new Uint16Array(e);if(t[0]=1,t[1]=2,258===n[0])Hc="BE";else{if(513!==n[0])throw new Error("unable to figure out endianess");Hc="LE"}}return Hc}function Zc(){return void 0!==fc.location?fc.location.hostname:""}function Xc(){return[]}function Jc(){return 0}function ed(){return Number.MAX_VALUE}function td(){return Number.MAX_VALUE}function nd(){return[]}function rd(){return"Browser"}function id(){return void 0!==fc.navigator?fc.navigator.appVersion:""}function od(){}function ad(){}function sd(){return"/tmp"}var ld=sd,ud={EOL:"\n",tmpdir:ld,tmpDir:sd,networkInterfaces:od,getNetworkInterfaces:ad,release:id,type:rd,cpus:nd,totalmem:td,freemem:ed,uptime:Jc,loadavg:Xc,hostname:Zc,endianness:Qc};var cd=function e(t,n){var r,i,o,a={};for(r in t)o=t[r],Array.isArray(o)?a[r]=o.slice(0):a[r]="object"==typeof o&&null!==o?e(o,{}):o;for(i in n)o=n[i],i in a&&Array.isArray(o)?a[i]=o.slice(0):a[i]=i in a&&"object"==typeof o&&null!==o?e(a[i],o):o;return a},dd=t(Object.freeze({__proto__:null,endianness:Qc,hostname:Zc,loadavg:Xc,uptime:Jc,freemem:ed,totalmem:td,cpus:nd,type:rd,release:id,networkInterfaces:od,getNetworkInterfaces:ad,arch:function(){return"javascript"},platform:function(){return"browser"},tmpDir:sd,tmpdir:ld,EOL:"\n",default:ud})).EOL,pd=cd,md={AfterAtRule:"afterAtRule",AfterBlockBegins:"afterBlockBegins",AfterBlockEnds:"afterBlockEnds",AfterComment:"afterComment",AfterProperty:"afterProperty",AfterRuleBegins:"afterRuleBegins",AfterRuleEnds:"afterRuleEnds",BeforeBlockEnds:"beforeBlockEnds",BetweenSelectors:"betweenSelectors"},hd={CarriageReturnLineFeed:"\r\n",LineFeed:"\n",System:dd},fd=" ",gd="\t",yd={AroundSelectorRelation:"aroundSelectorRelation",BeforeBlockBegins:"beforeBlockBegins",BeforeValue:"beforeValue"},vd={breaks:xd(!1),breakWith:hd.System,indentBy:0,indentWith:fd,spaces:wd(!1),wrapAt:!1,semicolonAfterLastProperty:!1},bd="false",Sd="true";function xd(e){var t={};return t[md.AfterAtRule]=e,t[md.AfterBlockBegins]=e,t[md.AfterBlockEnds]=e,t[md.AfterComment]=e,t[md.AfterProperty]=e,t[md.AfterRuleBegins]=e,t[md.AfterRuleEnds]=e,t[md.BeforeBlockEnds]=e,t[md.BetweenSelectors]=e,t}function wd(e){var t={};return t[yd.AroundSelectorRelation]=e,t[yd.BeforeBlockBegins]=e,t[yd.BeforeValue]=e,t}function Cd(e){switch(e){case"windows":case"crlf":case hd.CarriageReturnLineFeed:return hd.CarriageReturnLineFeed;case"unix":case"lf":case hd.LineFeed:return hd.LineFeed;default:return dd}}function kd(e){switch(e){case"space":return fd;case"tab":return gd;default:return e}}function Od(e){for(var t in md){var n=md[t],r=e.breaks[n];e.breaks[n]=!0===r?e.breakWith:!1===r?"":e.breakWith.repeat(parseInt(r))}return e}var Td=md,Ed=yd,Ad=function(e){return void 0!==e&&!1!==e&&("object"==typeof e&&"breakWith"in e&&(e=pd(e,{breakWith:Cd(e.breakWith)})),"object"==typeof e&&"indentBy"in e&&(e=pd(e,{indentBy:parseInt(e.indentBy)})),"object"==typeof e&&"indentWith"in e&&(e=pd(e,{indentWith:kd(e.indentWith)})),"object"==typeof e?Od(pd(vd,e)):"string"==typeof e&&"beautify"==e?Od(pd(vd,{breaks:xd(!0),indentBy:2,spaces:wd(!0)})):"string"==typeof e&&"keep-breaks"==e?Od(pd(vd,{breaks:{afterAtRule:!0,afterBlockBegins:!0,afterBlockEnds:!0,afterComment:!0,afterRuleEnds:!0,beforeBlockEnds:!0}})):"string"==typeof e?Od(pd(vd,e.split(";").reduce((function(e,t){var n=t.split(":"),r=n[0],i=n[1];return"breaks"==r||"spaces"==r?e[r]=function(e){return e.split(",").reduce((function(e,t){var n=t.split("="),r=n[0],i=n[1];return e[r]=function(e){switch(e){case bd:case"off":return!1;case Sd:case"on":return!0;default:return e}}(i),e}),{})}(i):"indentBy"==r||"wrapAt"==r?e[r]=parseInt(i):"indentWith"==r?e[r]=kd(i):"breakWith"==r&&(e[r]=Cd(i)),e}),{}))):vd)},_d={ASTERISK:"*",AT:"@",BACK_SLASH:"\\",CARRIAGE_RETURN:"\r",CLOSE_CURLY_BRACKET:"}",CLOSE_ROUND_BRACKET:")",CLOSE_SQUARE_BRACKET:"]",COLON:":",COMMA:",",DOUBLE_QUOTE:'"',EXCLAMATION:"!",FORWARD_SLASH:"/",INTERNAL:"-clean-css-",NEW_LINE_NIX:"\n",OPEN_CURLY_BRACKET:"{",OPEN_ROUND_BRACKET:"(",OPEN_SQUARE_BRACKET:"[",SEMICOLON:";",SINGLE_QUOTE:"'",SPACE:" ",TAB:"\t",UNDERSCORE:"_"};var zd=function(e){var t=e[0],n=e[1],r=e[2];return r?r+":"+t+":"+n:t+":"+n},Rd=Ed,Ld=_d,Pd=zd,Bd=/[\s"'][iI]\s*\]/,Wd=/([\d\w])([iI])\]/g,Md=/="([a-zA-Z][a-zA-Z\d\-_]+)"([iI])/g,Ud=/="([a-zA-Z][a-zA-Z\d\-_]+)"(\s|\])/g,Id=/^(?:(?:<!--|-->)\s*)+/,Nd=/='([a-zA-Z][a-zA-Z\d\-_]+)'([iI])/g,qd=/='([a-zA-Z][a-zA-Z\d\-_]+)'(\s|\])/g,Dd=/[>\+~]/,Vd=/\s/,jd=[":current",":future",":has",":host",":host-context",":is",":not",":past",":where"];function Fd(e){var t,n,r,i,o=!1,a=!1;for(r=0,i=e.length;r<i;r++){if(n=e[r],t);else if(n==Ld.SINGLE_QUOTE||n==Ld.DOUBLE_QUOTE)a=!a;else{if(!(a||n!=Ld.CLOSE_CURLY_BRACKET&&n!=Ld.EXCLAMATION&&"<"!=n&&n!=Ld.SEMICOLON)){o=!0;break}if(!a&&0===r&&Dd.test(n)){o=!0;break}}t=n==Ld.BACK_SLASH}return o}function Gd(e,t){var n,r,i,o,a,s,l,u,c,d,p,m,h,f,g=[],y=0,v=!1,b=!1,S=!1,x=Bd.test(e),w=t&&t.spaces[Rd.AroundSelectorRelation];for(h=0,f=e.length;h<f;h++){if(r=(n=e[h])==Ld.NEW_LINE_NIX,i=n==Ld.NEW_LINE_NIX&&e[h-1]==Ld.CARRIAGE_RETURN,s=l||u,d=!c&&!o&&0===y&&Dd.test(n),p=Vd.test(n),m=(1!=y||n!=Ld.CLOSE_ROUND_BRACKET)&&(m||0===y&&n==Ld.COLON&&Kd(e,h)),a&&s&&i)g.pop(),g.pop();else if(o&&s&&r)g.pop();else if(o)g.push(n);else if(n!=Ld.OPEN_SQUARE_BRACKET||s)if(n!=Ld.CLOSE_SQUARE_BRACKET||s)if(n!=Ld.OPEN_ROUND_BRACKET||s)if(n!=Ld.CLOSE_ROUND_BRACKET||s)if(n!=Ld.SINGLE_QUOTE||s)if(n!=Ld.DOUBLE_QUOTE||s)if(n==Ld.SINGLE_QUOTE&&s)g.push(n),l=!1;else if(n==Ld.DOUBLE_QUOTE&&s)g.push(n),u=!1;else{if(p&&b&&!w)continue;!p&&b&&w?(g.push(Ld.SPACE),g.push(n)):p&&!S&&v&&y>0&&m||(p&&!S&&y>0&&m?g.push(n):p&&(c||y>0)&&!s||p&&S&&!s||(i||r)&&(c||y>0)&&s||(d&&S&&!w?(g.pop(),g.push(n)):d&&!S&&w?(g.push(Ld.SPACE),g.push(n)):p?g.push(Ld.SPACE):g.push(n)))}else g.push(n),u=!0;else g.push(n),l=!0;else g.push(n),y--;else g.push(n),y++;else g.push(n),c=!1;else g.push(n),c=!0;a=o,o=n==Ld.BACK_SLASH,b=d,S=p,v=n==Ld.COMMA}return x?g.join("").replace(Wd,"$1 $2]"):g.join("")}function Kd(e,t){var n=e.substring(t,e.indexOf(Ld.OPEN_ROUND_BRACKET,t));return jd.indexOf(n)>-1}function Yd(e){return-1==e.indexOf("'")&&-1==e.indexOf('"')?e:e.replace(Nd,"=$1 $2").replace(qd,"=$1$2").replace(Md,"=$1 $2").replace(Ud,"=$1$2")}var Hd=function(e,t,n,r,i){var o=[],a=[];function s(e,t){return i.push("HTML comment '"+t+"' at "+Pd(e[2][0])+". Removing."),""}for(var l=0,u=e.length;l<u;l++){var c=e[l],d=c[1];Fd(d=d.replace(Id,s.bind(null,c)))?i.push("Invalid selector '"+c[1]+"' at "+Pd(c[2][0])+". Ignoring."):(d=Yd(d=Gd(d,r)),n&&d.indexOf("nav")>0&&(d=d.replace(/\+nav(\S|$)/,"+ nav$1")),t&&d.indexOf("*+html ")>-1||t&&d.indexOf("*:first-child+html ")>-1||(d.indexOf("*")>-1&&(d=d.replace(/\*([:#\.\[])/g,"$1").replace(/^(\:first\-child)?\+html/,"*$1+html")),a.indexOf(d)>-1||(c[1]=d,a.push(d),o.push(c))))}return 1==o.length&&0===o[0][1].length&&(i.push("Empty selector '"+o[0][1]+"' at "+Pd(o[0][2][0])+". Ignoring."),o=[]),o},$d=/^@media\W/,Qd=/^@(?:keyframes|-moz-keyframes|-o-keyframes|-webkit-keyframes)\W/;var Zd=function(e,t){var n,r,i;for(i=e.length-1;i>=0;i--)n=!t&&$d.test(e[i][1]),r=Qd.test(e[i][1]),e[i][1]=e[i][1].replace(/\n|\r\n/g," ").replace(/\s+/g," ").replace(/(,|:|\() /g,"$1").replace(/ \)/g,")"),r&&(e[i][1]=e[i][1].replace(/'([a-zA-Z][a-zA-Z\d\-_]+)'/,"$1").replace(/"([a-zA-Z][a-zA-Z\d\-_]+)"/,"$1")),n&&(e[i][1]=e[i][1].replace(/\) /g,")"));return e};var Xd=function(e){return e.replace(/\s+/g," ").replace(/url\(\s+/g,"url(").replace(/\s+\)/g,")").trim()},Jd={ASTERISK:"asterisk",BANG:"bang",BACKSLASH:"backslash",UNDERSCORE:"underscore"};var ep=function(e){for(var t=e.length-1;t>=0;t--){var n=e[t];n.unused&&n.all.splice(n.position,1)}},tp=Jd,np=_d;function rp(e){e.value[e.value.length-1][1]+="!important"}function ip(e){e.hack[0]==tp.UNDERSCORE?e.name="_"+e.name:e.hack[0]==tp.ASTERISK?e.name="*"+e.name:e.hack[0]==tp.BACKSLASH?e.value[e.value.length-1][1]+="\\"+e.hack[1]:e.hack[0]==tp.BANG&&(e.value[e.value.length-1][1]+=np.SPACE+"!ie")}var op=function(e,t){var n,r,i,o;for(o=e.length-1;o>=0;o--)(n=e[o]).dynamic&&n.important?rp(n):n.dynamic||n.unused||(n.dirty||n.important||n.hack)&&(n.optimizable&&t?(r=t(n),n.value=r):r=n.value,n.important&&rp(n),n.hack&&ip(n),"all"in n&&((i=n.all[n.position])[1][1]=n.name,i.splice(2,i.length-1),Array.prototype.push.apply(i,r)))},ap={AT_RULE:"at-rule",AT_RULE_BLOCK:"at-rule-block",AT_RULE_BLOCK_SCOPE:"at-rule-block-scope",COMMENT:"comment",NESTED_BLOCK:"nested-block",NESTED_BLOCK_SCOPE:"nested-block-scope",PROPERTY:"property",PROPERTY_BLOCK:"property-block",PROPERTY_NAME:"property-name",PROPERTY_VALUE:"property-value",RAW:"raw",RULE:"rule",RULE_SCOPE:"rule-scope"},sp=Jd,lp=_d,up=ap,cp={ASTERISK:"*",BACKSLASH:"\\",BANG:"!",BANG_SUFFIX_PATTERN:/!\w+$/,IMPORTANT_TOKEN:"!important",IMPORTANT_TOKEN_PATTERN:new RegExp("!important$","i"),IMPORTANT_WORD:"important",IMPORTANT_WORD_PATTERN:new RegExp("important$","i"),SUFFIX_BANG_PATTERN:/!$/,UNDERSCORE:"_",VARIABLE_REFERENCE_PATTERN:/var\(--.+\)$/};function dp(e){var t,n,r;for(t=2,n=e.length;t<n;t++)if((r=e[t])[0]==up.PROPERTY_VALUE&&pp(r[1]))return!0;return!1}function pp(e){return cp.VARIABLE_REFERENCE_PATTERN.test(e)}function mp(e){var t,n,r;for(n=3,r=e.length;n<r;n++)if((t=e[n])[0]==up.PROPERTY_VALUE&&(t[1]==lp.COMMA||t[1]==lp.FORWARD_SLASH))return!0;return!1}function hp(e){var t=function(e){if(e.length<3)return!1;var t=e[e.length-1];return!!cp.IMPORTANT_TOKEN_PATTERN.test(t[1])||!(!cp.IMPORTANT_WORD_PATTERN.test(t[1])||!cp.SUFFIX_BANG_PATTERN.test(e[e.length-2][1]))}(e);t&&function(e){var t=e[e.length-1],n=e[e.length-2];cp.IMPORTANT_TOKEN_PATTERN.test(t[1])?t[1]=t[1].replace(cp.IMPORTANT_TOKEN_PATTERN,""):(t[1]=t[1].replace(cp.IMPORTANT_WORD_PATTERN,""),n[1]=n[1].replace(cp.SUFFIX_BANG_PATTERN,"")),0===t[1].length&&e.pop(),0===n[1].length&&e.pop()}(e);var n=function(e){var t=!1,n=e[1][1],r=e[e.length-1];return n[0]==cp.UNDERSCORE?t=[sp.UNDERSCORE]:n[0]==cp.ASTERISK?t=[sp.ASTERISK]:r[1][0]!=cp.BANG||r[1].match(cp.IMPORTANT_WORD_PATTERN)?r[1].indexOf(cp.BANG)>0&&!r[1].match(cp.IMPORTANT_WORD_PATTERN)&&cp.BANG_SUFFIX_PATTERN.test(r[1])?t=[sp.BANG]:r[1].indexOf(cp.BACKSLASH)>0&&r[1].indexOf(cp.BACKSLASH)==r[1].length-cp.BACKSLASH.length-1?t=[sp.BACKSLASH,r[1].substring(r[1].indexOf(cp.BACKSLASH)+1)]:0===r[1].indexOf(cp.BACKSLASH)&&2==r[1].length&&(t=[sp.BACKSLASH,r[1].substring(1)]):t=[sp.BANG],t}(e);return n[0]==sp.ASTERISK||n[0]==sp.UNDERSCORE?function(e){e[1][1]=e[1][1].substring(1)}(e):n[0]!=sp.BACKSLASH&&n[0]!=sp.BANG||function(e,t){var n=e[e.length-1];n[1]=n[1].substring(0,n[1].indexOf(t[0]==sp.BACKSLASH?cp.BACKSLASH:cp.BANG)).trim(),0===n[1].length&&e.pop()}(e,n),{block:e[2]&&e[2][0]==up.PROPERTY_BLOCK,components:[],dirty:!1,dynamic:dp(e),hack:n,important:t,name:e[1][1],multiplex:e.length>3&&mp(e),optimizable:!0,position:0,shorthand:!1,unused:!1,value:e.slice(2)}}var fp=function(e,t){var n,r,i,o=[];for(i=e.length-1;i>=0;i--)(r=e[i])[0]==up.PROPERTY&&(t&&t.indexOf(r[1][1])>-1||((n=hp(r)).all=e,n.position=i,o.unshift(n)));return o},gp=hp;function yp(e){this.name="InvalidPropertyError",this.message=e,this.stack=(new Error).stack}yp.prototype=Object.create(Error.prototype),yp.prototype.constructor=yp;var vp=yp,bp=vp,Sp=gp,xp=ap,wp=_d,Cp=zd;function kp(e){var t,n;for(t=0,n=e.length;t<n;t++)if("inherit"==e[t][1])return!0;return!1}function Op(e,t,n){var r=n[e];return r.doubleValues&&2==r.defaultValue.length?Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue[0]],[xp.PROPERTY_VALUE,r.defaultValue[1]]]):r.doubleValues&&1==r.defaultValue.length?Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue[0]]]):Sp([xp.PROPERTY,[xp.PROPERTY_NAME,e],[xp.PROPERTY_VALUE,r.defaultValue]])}function Tp(e,t){var n=t[e.name].components,r=[],i=e.value;if(i.length<1)return[];i.length<2&&(i[1]=i[0].slice(0)),i.length<3&&(i[2]=i[0].slice(0)),i.length<4&&(i[3]=i[1].slice(0));for(var o=n.length-1;o>=0;o--){var a=Sp([xp.PROPERTY,[xp.PROPERTY_NAME,n[o]]]);a.value=[i[o]],r.unshift(a)}return r}function Ep(e,t,n){for(var r,i,o,a=t[e.name],s=[Op(a.components[0],0,t),Op(a.components[1],0,t),Op(a.components[2],0,t)],l=0;l<3;l++){var u=s[l];u.name.indexOf("color")>0?r=u:u.name.indexOf("style")>0?i=u:o=u}if(1==e.value.length&&"inherit"==e.value[0][1]||3==e.value.length&&"inherit"==e.value[0][1]&&"inherit"==e.value[1][1]&&"inherit"==e.value[2][1])return r.value=i.value=o.value=[e.value[0]],s;var c,d,p=e.value.slice(0);return p.length>0&&(c=(d=p.filter(function(e){return function(t){return"inherit"!=t[1]&&(e.isWidth(t[1])||e.isUnit(t[1])||e.isDynamicUnit(t[1]))&&!e.isStyleKeyword(t[1])&&!e.isColorFunction(t[1])}}(n))).length>1&&("none"==d[0][1]||"auto"==d[0][1])?d[1]:d[0])&&(o.value=[c],p.splice(p.indexOf(c),1)),p.length>0&&(c=p.filter(function(e){return function(t){return"inherit"!=t[1]&&e.isStyleKeyword(t[1])&&!e.isColorFunction(t[1])}}(n))[0])&&(i.value=[c],p.splice(p.indexOf(c),1)),p.length>0&&(c=p.filter(function(e){return function(t){return"invert"==t[1]||e.isColor(t[1])||e.isPrefixed(t[1])}}(n))[0])&&(r.value=[c],p.splice(p.indexOf(c),1)),s}var Ap={animation:function(e,t,n){var r,i,o,a=Op(e.name+"-duration",0,t),s=Op(e.name+"-timing-function",0,t),l=Op(e.name+"-delay",0,t),u=Op(e.name+"-iteration-count",0,t),c=Op(e.name+"-direction",0,t),d=Op(e.name+"-fill-mode",0,t),p=Op(e.name+"-play-state",0,t),m=Op(e.name+"-name",0,t),h=[a,s,l,u,c,d,p,m],f=e.value,g=!1,y=!1,v=!1,b=!1,S=!1,x=!1,w=!1,C=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return a.value=s.value=l.value=u.value=c.value=d.value=p.value=m.value=e.value,h;if(f.length>1&&kp(f))throw new bp("Invalid animation values at "+Cp(f[0][2][0])+". Ignoring.");for(i=0,o=f.length;i<o;i++)if(r=f[i],n.isTime(r[1])&&!g)a.value=[r],g=!0;else if(n.isTime(r[1])&&!v)l.value=[r],v=!0;else if(!n.isGlobal(r[1])&&!n.isTimingFunction(r[1])||y)if(!n.isAnimationIterationCountKeyword(r[1])&&!n.isPositiveNumber(r[1])||b)if(n.isAnimationDirectionKeyword(r[1])&&!S)c.value=[r],S=!0;else if(n.isAnimationFillModeKeyword(r[1])&&!x)d.value=[r],x=!0;else if(n.isAnimationPlayStateKeyword(r[1])&&!w)p.value=[r],w=!0;else{if(!n.isAnimationNameKeyword(r[1])&&!n.isIdentifier(r[1])||C)throw new bp("Invalid animation value at "+Cp(r[2][0])+". Ignoring.");m.value=[r],C=!0}else u.value=[r],b=!0;else s.value=[r],y=!0;return h},background:function(e,t,n){var r=Op("background-image",0,t),i=Op("background-position",0,t),o=Op("background-size",0,t),a=Op("background-repeat",0,t),s=Op("background-attachment",0,t),l=Op("background-origin",0,t),u=Op("background-clip",0,t),c=Op("background-color",0,t),d=[r,i,o,a,s,l,u,c],p=e.value,m=!1,h=!1,f=!1,g=!1,y=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return c.value=r.value=a.value=i.value=o.value=l.value=u.value=e.value,d;if(1==e.value.length&&"0 0"==e.value[0][1])return d;for(var v=p.length-1;v>=0;v--){var b=p[v];if(n.isBackgroundAttachmentKeyword(b[1]))s.value=[b],y=!0;else if(n.isBackgroundClipKeyword(b[1])||n.isBackgroundOriginKeyword(b[1]))h?(l.value=[b],f=!0):(u.value=[b],h=!0),y=!0;else if(n.isBackgroundRepeatKeyword(b[1]))g?a.value.unshift(b):(a.value=[b],g=!0),y=!0;else if(n.isBackgroundPositionKeyword(b[1])||n.isBackgroundSizeKeyword(b[1])||n.isUnit(b[1])||n.isDynamicUnit(b[1])){if(v>0){var S=p[v-1];S[1]==wp.FORWARD_SLASH?o.value=[b]:v>1&&p[v-2][1]==wp.FORWARD_SLASH?(o.value=[S,b],v-=2):(m||(i.value=[]),i.value.unshift(b),m=!0)}else m||(i.value=[]),i.value.unshift(b),m=!0;y=!0}else c.value[0][1]!=t[c.name].defaultValue&&"none"!=c.value[0][1]||!n.isColor(b[1])&&!n.isPrefixed(b[1])?(n.isUrl(b[1])||n.isFunction(b[1]))&&(r.value=[b],y=!0):(c.value=[b],y=!0)}if(h&&!f&&(l.value=u.value.slice(0)),!y)throw new bp("Invalid background value at "+Cp(p[0][2][0])+". Ignoring.");return d},border:Ep,borderRadius:function(e,t){for(var n=e.value,r=-1,i=0,o=n.length;i<o;i++)if(n[i][1]==wp.FORWARD_SLASH){r=i;break}if(0===r||r===n.length-1)throw new bp("Invalid border-radius value at "+Cp(n[0][2][0])+". Ignoring.");var a=Op(e.name,0,t);a.value=r>-1?n.slice(0,r):n.slice(0),a.components=Tp(a,t);var s=Op(e.name,0,t);s.value=r>-1?n.slice(r+1):n.slice(0),s.components=Tp(s,t);for(var l=0;l<4;l++)a.components[l].multiplex=!0,a.components[l].value=a.components[l].value.concat(s.components[l].value);return a.components},font:function(e,t,n){var r,i,o,a,s=Op("font-style",0,t),l=Op("font-variant",0,t),u=Op("font-weight",0,t),c=Op("font-stretch",0,t),d=Op("font-size",0,t),p=Op("line-height",0,t),m=Op("font-family",0,t),h=[s,l,u,c,d,p,m],f=e.value,g=0,y=!1,v=!1,b=!1,S=!1,x=!1,w=!1;if(!f[g])throw new bp("Missing font values at "+Cp(e.all[e.position][1][2][0])+". Ignoring.");if(1==f.length&&"inherit"==f[0][1])return s.value=l.value=u.value=c.value=d.value=p.value=m.value=f,h;if(1==f.length&&(n.isFontKeyword(f[0][1])||n.isGlobal(f[0][1])||n.isPrefixed(f[0][1])))return f[0][1]=wp.INTERNAL+f[0][1],s.value=l.value=u.value=c.value=d.value=p.value=m.value=f,h;if(f.length<2||!function(e,t){var n,r,i;for(r=0,i=e.length;r<i;r++)if(n=e[r],t.isFontSizeKeyword(n[1])||t.isUnit(n[1])&&!t.isDynamicUnit(n[1])||t.isFunction(n[1]))return!0;return!1}(f,n)||!function(e,t){var n,r,i;for(r=0,i=e.length;r<i;r++)if(n=e[r],t.isIdentifier(n[1])||t.isQuotedText(n[1]))return!0;return!1}(f,n))throw new bp("Invalid font values at "+Cp(e.all[e.position][1][2][0])+". Ignoring.");if(f.length>1&&kp(f))throw new bp("Invalid font values at "+Cp(f[0][2][0])+". Ignoring.");for(;g<4;){if(r=n.isFontStretchKeyword(f[g][1])||n.isGlobal(f[g][1]),i=n.isFontStyleKeyword(f[g][1])||n.isGlobal(f[g][1]),o=n.isFontVariantKeyword(f[g][1])||n.isGlobal(f[g][1]),a=n.isFontWeightKeyword(f[g][1])||n.isGlobal(f[g][1]),i&&!v)s.value=[f[g]],v=!0;else if(o&&!b)l.value=[f[g]],b=!0;else if(a&&!S)u.value=[f[g]],S=!0;else{if(!r||y){if(i&&v||o&&b||a&&S||r&&y)throw new bp("Invalid font style / variant / weight / stretch value at "+Cp(f[0][2][0])+". Ignoring.");break}c.value=[f[g]],y=!0}g++}if(!(n.isFontSizeKeyword(f[g][1])||n.isUnit(f[g][1])&&!n.isDynamicUnit(f[g][1])))throw new bp("Missing font size at "+Cp(f[0][2][0])+". Ignoring.");if(d.value=[f[g]],x=!0,!f[++g])throw new bp("Missing font family at "+Cp(f[0][2][0])+". Ignoring.");for(x&&f[g]&&f[g][1]==wp.FORWARD_SLASH&&f[g+1]&&(n.isLineHeightKeyword(f[g+1][1])||n.isUnit(f[g+1][1])||n.isNumber(f[g+1][1]))&&(p.value=[f[g+1]],g++,g++),m.value=[];f[g];)f[g][1]==wp.COMMA?w=!1:(w?m.value[m.value.length-1][1]+=wp.SPACE+f[g][1]:m.value.push(f[g]),w=!0),g++;if(0===m.value.length)throw new bp("Missing font family at "+Cp(f[0][2][0])+". Ignoring.");return h},fourValues:Tp,listStyle:function(e,t,n){var r=Op("list-style-type",0,t),i=Op("list-style-position",0,t),o=Op("list-style-image",0,t),a=[r,i,o];if(1==e.value.length&&"inherit"==e.value[0][1])return r.value=i.value=o.value=[e.value[0]],a;var s=e.value.slice(0),l=s.length,u=0;for(u=0,l=s.length;u<l;u++)if(n.isUrl(s[u][1])||"0"==s[u][1]){o.value=[s[u]],s.splice(u,1);break}for(u=0,l=s.length;u<l;u++)if(n.isListStylePositionKeyword(s[u][1])){i.value=[s[u]],s.splice(u,1);break}return s.length>0&&(n.isListStyleTypeKeyword(s[0][1])||n.isIdentifier(s[0][1]))&&(r.value=[s[0]]),a},multiplex:function(e){return function(t,n,r){var i,o,a,s,l=[],u=t.value;for(i=0,a=u.length;i<a;i++)","==u[i][1]&&l.push(i);if(0===l.length)return e(t,n,r);var c=[];for(i=0,a=l.length;i<=a;i++){var d=0===i?0:l[i-1]+1,p=i<a?l[i]:u.length,m=Op(t.name,0,n);m.value=u.slice(d,p),c.push(e(m,n,r))}var h=c[0];for(i=0,a=h.length;i<a;i++)for(h[i].multiplex=!0,o=1,s=c.length;o<s;o++)h[i].value.push([xp.PROPERTY_VALUE,wp.COMMA]),Array.prototype.push.apply(h[i].value,c[o][i].value);return h}},outline:Ep,transition:function(e,t,n){var r,i,o,a=Op(e.name+"-property",0,t),s=Op(e.name+"-duration",0,t),l=Op(e.name+"-timing-function",0,t),u=Op(e.name+"-delay",0,t),c=[a,s,l,u],d=e.value,p=!1,m=!1,h=!1,f=!1;if(1==e.value.length&&"inherit"==e.value[0][1])return a.value=s.value=l.value=u.value=e.value,c;if(d.length>1&&kp(d))throw new bp("Invalid animation values at "+Cp(d[0][2][0])+". Ignoring.");for(i=0,o=d.length;i<o;i++)if(r=d[i],n.isTime(r[1])&&!p)s.value=[r],p=!0;else if(n.isTime(r[1])&&!m)u.value=[r],m=!0;else if(!n.isGlobal(r[1])&&!n.isTimingFunction(r[1])||f){if(!n.isIdentifier(r[1])||h)throw new bp("Invalid animation value at "+Cp(r[2][0])+". Ignoring.");a.value=[r],h=!0}else l.value=[r],f=!0;return c}},_p=/(?:^|\W)(\-\w+\-)/g;function zp(e){for(var t,n=[];null!==(t=_p.exec(e));)-1==n.indexOf(t[0])&&n.push(t[0]);return n}var Rp=function(e,t){return zp(e).sort().join(",")==zp(t).sort().join(",")},Lp=Rp;var Pp=function(e,t,n,r,i){return!!Lp(t,n)&&(!i||e.isVariable(t)===e.isVariable(n))};function Bp(e,t,n){if(!e.isFunction(t)||!e.isFunction(n))return!1;var r=t.substring(0,t.indexOf("(")),i=n.substring(0,n.indexOf("(")),o=t.substring(r.length+1,t.length-1),a=n.substring(i.length+1,n.length-1);return e.isFunction(o)||e.isFunction(a)?r===i&&Bp(e,o,a):r===i}function Wp(e){return function(t,n,r){return!(!Pp(t,n,r,0,!0)&&!t.isKeyword(e)(r))&&(!(!t.isVariable(n)||!t.isVariable(r))||t.isKeyword(e)(r))}}function Mp(e){return function(t,n,r){return!!(Pp(t,n,r,0,!0)||t.isKeyword(e)(r)||t.isGlobal(r))&&(!(!t.isVariable(n)||!t.isVariable(r))||(t.isKeyword(e)(r)||t.isGlobal(r)))}}function Up(e,t,n){return!!Bp(e,t,n)||t===n}function Ip(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isUnit(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(e.isUnit(t)&&!e.isUnit(n))&&(!!e.isUnit(n)||!e.isUnit(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))}function Np(e){var t=Mp(e);return function(e,n,r){return Ip(e,n,r)||t(e,n,r)}}var qp={generic:{color:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isColor(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(!e.colorOpacity&&(e.isRgbColor(t)||e.isHslColor(t)))&&(!(!e.colorOpacity&&(e.isRgbColor(n)||e.isHslColor(n)))&&(!(!e.colorHexAlpha&&(e.isHexAlphaColor(t)||e.isHexAlphaColor(n)))&&(!(!e.isColor(t)||!e.isColor(n))||Up(e,t,n)))))},components:function(e){return function(t,n,r,i){return e[i](t,n,r)}},image:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isImage(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!!e.isImage(n)||!e.isImage(t)&&Up(e,t,n)))},propertyName:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isIdentifier(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||e.isIdentifier(n))},time:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isTime(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!(e.isTime(t)&&!e.isTime(n))&&(!!e.isTime(n)||!e.isTime(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))},timingFunction:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isTimingFunction(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isTimingFunction(n)||e.isGlobal(n)))},unit:Ip,unitOrNumber:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isUnit(n)||e.isNumber(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||!((e.isUnit(t)||e.isNumber(t))&&!e.isUnit(n)&&!e.isNumber(n))&&(!(!e.isUnit(n)&&!e.isNumber(n))||!e.isUnit(t)&&!e.isNumber(t)&&(!(!e.isFunction(t)||e.isPrefixed(t)||!e.isFunction(n)||e.isPrefixed(n))||Up(e,t,n))))}},property:{animationDirection:Mp("animation-direction"),animationFillMode:Wp("animation-fill-mode"),animationIterationCount:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isAnimationIterationCountKeyword(n)||e.isPositiveNumber(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isAnimationIterationCountKeyword(n)||e.isPositiveNumber(n)))},animationName:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isAnimationNameKeyword(n)||e.isIdentifier(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isAnimationNameKeyword(n)||e.isIdentifier(n)))},animationPlayState:Mp("animation-play-state"),backgroundAttachment:Wp("background-attachment"),backgroundClip:Mp("background-clip"),backgroundOrigin:Wp("background-origin"),backgroundPosition:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isBackgroundPositionKeyword(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!(!e.isBackgroundPositionKeyword(n)&&!e.isGlobal(n))||Ip(e,t,n)))},backgroundRepeat:Wp("background-repeat"),backgroundSize:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isBackgroundSizeKeyword(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(!(!e.isBackgroundSizeKeyword(n)&&!e.isGlobal(n))||Ip(e,t,n)))},bottom:Np("bottom"),borderCollapse:Wp("border-collapse"),borderStyle:Mp("*-style"),clear:Mp("clear"),cursor:Mp("cursor"),display:Mp("display"),float:Mp("float"),left:Np("left"),fontFamily:function(e,t,n){return Pp(e,t,n,0,!0)},fontStretch:Mp("font-stretch"),fontStyle:Mp("font-style"),fontVariant:Mp("font-variant"),fontWeight:Mp("font-weight"),listStyleType:Mp("list-style-type"),listStylePosition:Mp("list-style-position"),outlineStyle:Mp("*-style"),overflow:Mp("overflow"),position:Mp("position"),right:Np("right"),textAlign:Mp("text-align"),textDecoration:Mp("text-decoration"),textOverflow:Mp("text-overflow"),textShadow:function(e,t,n){return!!(Pp(e,t,n,0,!0)||e.isUnit(n)||e.isColor(n)||e.isGlobal(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||(e.isUnit(n)||e.isColor(n)||e.isGlobal(n)))},top:Np("top"),transform:Up,verticalAlign:Np("vertical-align"),visibility:Mp("visibility"),whiteSpace:Mp("white-space"),zIndex:function(e,t,n){return!(!Pp(e,t,n,0,!0)&&!e.isZIndex(n))&&(!(!e.isVariable(t)||!e.isVariable(n))||e.isZIndex(n))}}},Dp=gp,Vp=ap;function jp(e){var t=Dp([Vp.PROPERTY,[Vp.PROPERTY_NAME,e.name]]);return t.important=e.important,t.hack=e.hack,t.unused=!1,t}var Fp=function(e){for(var t=jp(e),n=e.components.length-1;n>=0;n--){var r=jp(e.components[n]);r.value=e.components[n].value.slice(0),t.components.unshift(r)}return t.dirty=!0,t.value=e.value.slice(0),t},Gp=jp,Kp=Gp,Yp=ap,Hp=_d;function $p(e){for(var t=0,n=e.length;t<n;t++){var r=e[t][1];if("inherit"!=r&&r!=Hp.COMMA&&r!=Hp.FORWARD_SLASH)return!1}return!0}function Qp(e){var t=e.components,n=t[0].value[0],r=t[1].value[0],i=t[2].value[0],o=t[3].value[0];return n[1]==r[1]&&n[1]==i[1]&&n[1]==o[1]?[n]:n[1]==i[1]&&r[1]==o[1]?[n,r]:r[1]==o[1]?[n,r,i]:[n,r,i,o]}function Zp(e,t,n){var r,i,o;for(i=0,o=e.length;i<o;i++)if((r=e[i]).name==n&&r.value[0][1]==t[n].defaultValue)return!0;return!1}var Xp={background:function(e,t,n){var r,i,o=e.components,a=[];function s(e){Array.prototype.unshift.apply(a,e.value)}function l(e){var n=t[e.name];return n.doubleValues&&1==n.defaultValue.length?e.value[0][1]==n.defaultValue[0]&&(!e.value[1]||e.value[1][1]==n.defaultValue[0]):n.doubleValues&&1!=n.defaultValue.length?e.value[0][1]==n.defaultValue[0]&&(e.value[1]?e.value[1][1]:e.value[0][1])==n.defaultValue[1]:e.value[0][1]==n.defaultValue}for(var u=o.length-1;u>=0;u--){var c=o[u],d=l(c);if("background-clip"==c.name){var p=o[u-1],m=l(p);i=!(r=c.value[0][1]==p.value[0][1])&&(m&&!d||!m&&!d||!m&&d&&c.value[0][1]!=p.value[0][1]),r?s(p):i&&(s(c),s(p)),u--}else if("background-size"==c.name){var h=o[u-1],f=l(h);i=!(r=!f&&d)&&(f&&!d||!f&&!d),r?s(h):i?(s(c),a.unshift([Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]),s(h)):1==h.value.length&&s(h),u--}else{if(d||t[c.name].multiplexLastOnly&&!n)continue;s(c)}}return 0===a.length&&1==e.value.length&&"0"==e.value[0][1]&&a.push(e.value[0]),0===a.length&&a.push([Yp.PROPERTY_VALUE,t[e.name].defaultValue]),$p(a)?[a[0]]:a},borderRadius:function(e,t){if(e.multiplex){for(var n=Kp(e),r=Kp(e),i=0;i<4;i++){var o=e.components[i],a=Kp(e);a.value=[o.value[0]],n.components.push(a);var s=Kp(e);s.value=[o.value[1]||o.value[0]],r.components.push(s)}var l=Qp(n),u=Qp(r);return l.length!=u.length||l[0][1]!=u[0][1]||l.length>1&&l[1][1]!=u[1][1]||l.length>2&&l[2][1]!=u[2][1]||l.length>3&&l[3][1]!=u[3][1]?l.concat([[Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]]).concat(u):l}return Qp(e)},font:function(e,t){var n,r=e.components,i=[],o=0,a=0;if(0===e.value[0][1].indexOf(Hp.INTERNAL))return e.value[0][1]=e.value[0][1].substring(Hp.INTERNAL.length),e.value;for(;o<4;)(n=r[o]).value[0][1]!=t[n.name].defaultValue&&Array.prototype.push.apply(i,n.value),o++;for(Array.prototype.push.apply(i,r[o].value),r[++o].value[0][1]!=t[r[o].name].defaultValue&&(Array.prototype.push.apply(i,[[Yp.PROPERTY_VALUE,Hp.FORWARD_SLASH]]),Array.prototype.push.apply(i,r[o].value)),o++;r[o].value[a];)i.push(r[o].value[a]),r[o].value[a+1]&&i.push([Yp.PROPERTY_VALUE,Hp.COMMA]),a++;return $p(i)?[i[0]]:i},fourValues:Qp,multiplex:function(e){return function(t,n){if(!t.multiplex)return e(t,n,!0);var r,i,o=0,a=[],s={};for(r=0,i=t.components[0].value.length;r<i;r++)t.components[0].value[r][1]==Hp.COMMA&&o++;for(r=0;r<=o;r++){for(var l=Kp(t),u=0,c=t.components.length;u<c;u++){var d=t.components[u],p=Kp(d);l.components.push(p);for(var m=s[p.name]||0,h=d.value.length;m<h;m++){if(d.value[m][1]==Hp.COMMA){s[p.name]=m+1;break}p.value.push(d.value[m])}}var f=e(l,n,r==o);Array.prototype.push.apply(a,f),r<o&&a.push([Yp.PROPERTY_VALUE,Hp.COMMA])}return a}},withoutDefaults:function(e,t){for(var n=e.components,r=[],i=n.length-1;i>=0;i--){var o=n[i],a=t[o.name];(o.value[0][1]!=a.defaultValue||"keepUnlessDefault"in a&&!Zp(n,t,a.keepUnlessDefault))&&r.unshift(o.value[0])}return 0===r.length&&r.push([Yp.PROPERTY_VALUE,t[e.name].defaultValue]),$p(r)?[r[0]]:r}},Jp=cd,em=/^\d+$/,tm=["*","all"],nm="off";function rm(e){return{ch:e,cm:e,em:e,ex:e,in:e,mm:e,pc:e,pt:e,px:e,q:e,rem:e,vh:e,vmax:e,vmin:e,vw:e,"%":e}}var im=nm,om=function(e){return Jp(rm(nm),function(e){if(null==e)return{};if("boolean"==typeof e)return{};if("number"==typeof e&&-1==e)return rm(nm);if("number"==typeof e)return rm(e);if("string"==typeof e&&em.test(e))return rm(parseInt(e));if("string"==typeof e&&e==nm)return rm(nm);if("object"==typeof e)return e;return e.split(",").reduce((function(e,t){var n=t.split("="),r=n[0],i=parseInt(n[1]);return(isNaN(i)||-1==i)&&(i=nm),tm.indexOf(r)>-1?e=Jp(e,rm(i)):e[r]=i,e}),{})}(e))},am=cd,sm={Zero:"0",One:"1",Two:"2"},lm={};lm[sm.Zero]={},lm[sm.One]={cleanupCharsets:!0,normalizeUrls:!0,optimizeBackground:!0,optimizeBorderRadius:!0,optimizeFilter:!0,optimizeFontWeight:!0,optimizeOutline:!0,removeEmpty:!0,removeNegativePaddings:!0,removeQuotes:!0,removeWhitespace:!0,replaceMultipleZeros:!0,replaceTimeUnits:!0,replaceZeroUnits:!0,roundingPrecision:om(void 0),selectorsSortingMethod:"standard",specialComments:"all",tidyAtRules:!0,tidyBlockScopes:!0,tidySelectors:!0},lm[sm.Two]={mergeAdjacentRules:!0,mergeIntoShorthands:!0,mergeMedia:!0,mergeNonAdjacentRules:!0,mergeSemantically:!1,overrideProperties:!0,removeEmpty:!0,reduceNonAdjacentRules:!0,removeDuplicateFontRules:!0,removeDuplicateMediaBlocks:!0,removeDuplicateRules:!0,removeUnusedAtRules:!1,restructureRules:!1,skipProperties:[]};var um="*",cm="all";function dm(e,t){var n,r=am(lm[e],{});for(n in r)"boolean"==typeof r[n]&&(r[n]=t);return r}function pm(e){switch(e){case"false":case"off":return!1;case"true":case"on":return!0;default:return e}}function mm(e,t){return e.split(";").reduce((function(e,n){var r=n.split(":"),i=r[0],o=pm(r[1]);return um==i||cm==i?e=am(e,dm(t,o)):e[i]=o,e}),{})}var hm=sm,fm=function(e){var t=am(lm,{}),n=sm.Zero,r=sm.One,i=sm.Two;return void 0===e?(delete t[i],t):("string"==typeof e&&(e=parseInt(e)),"number"==typeof e&&e===parseInt(i)?t:"number"==typeof e&&e===parseInt(r)?(delete t[i],t):"number"==typeof e&&e===parseInt(n)?(delete t[i],delete t[r],t):("object"==typeof e&&(e=function(e){var t,n,r=am(e,{});for(n=0;n<=2;n++)!((t=""+n)in r)||void 0!==r[t]&&!1!==r[t]||delete r[t],t in r&&!0===r[t]&&(r[t]={}),t in r&&"string"==typeof r[t]&&(r[t]=mm(r[t],t));return r}(e)),r in e&&"roundingPrecision"in e[r]&&(e[r].roundingPrecision=om(e[r].roundingPrecision)),i in e&&"skipProperties"in e[i]&&"string"==typeof e[i].skipProperties&&(e[i].skipProperties=e[i].skipProperties.split(",")),(n in e||r in e||i in e)&&(t[n]=am(t[n],e[n])),r in e&&um in e[r]&&(t[r]=am(t[r],dm(r,pm(e[r]["*"]))),delete e[r]["*"]),r in e&&cm in e[r]&&(t[r]=am(t[r],dm(r,pm(e[r].all))),delete e[r].all),r in e||i in e?t[r]=am(t[r],e[r]):delete t[r],i in e&&um in e[i]&&(t[i]=am(t[i],dm(i,pm(e[i]["*"]))),delete e[i]["*"]),i in e&&cm in e[i]&&(t[i]=am(t[i],dm(i,pm(e[i].all))),delete e[i].all),i in e?t[i]=am(t[i],e[i]):delete t[i],t))},gm=hm,ym={level1:{property:function(e,t){var n=t.value;4==n.length&&"0"===n[0][1]&&"0"===n[1][1]&&"0"===n[2][1]&&"0"===n[3][1]&&(t.value.splice(2),t.dirty=!0)}}},vm=hm,bm={level1:{property:function(e,t,n){var r=t.value;n.level[vm.One].optimizeBorderRadius&&(3==r.length&&"/"==r[1][1]&&r[0][1]==r[2][1]?(t.value.splice(1),t.dirty=!0):5==r.length&&"/"==r[2][1]&&r[0][1]==r[3][1]&&r[1][1]==r[4][1]?(t.value.splice(2),t.dirty=!0):7==r.length&&"/"==r[3][1]&&r[0][1]==r[4][1]&&r[1][1]==r[5][1]&&r[2][1]==r[6][1]?(t.value.splice(3),t.dirty=!0):9==r.length&&"/"==r[4][1]&&r[0][1]==r[5][1]&&r[1][1]==r[6][1]&&r[2][1]==r[7][1]&&r[3][1]==r[8][1]&&(t.value.splice(4),t.dirty=!0))}}},Sm=hm,xm=/progid:DXImageTransform\.Microsoft\.(Alpha|Chroma)(\W)/,wm=/,(\S)/g,Cm=/ ?= ?/g,km={level1:{property:function(e,t,n){n.compatibility.properties.ieFilters&&n.level[Sm.One].optimizeFilter&&(1==t.value.length&&(t.value[0][1]=t.value[0][1].replace(xm,(function(e,t,n){return t.toLowerCase()+n}))),t.value[0][1]=t.value[0][1].replace(wm,", $1").replace(Cm,"="))}}},Om=hm,Tm={level1:{property:function(e,t,n){var r=t.value[0][1];n.level[Om.One].optimizeFontWeight&&("normal"==r?r="400":"bold"==r&&(r="700"),t.value[0][1]=r)}}},Em=hm,Am={level1:{property:function(e,t,n){var r=t.value;n.level[Em.One].replaceMultipleZeros&&4==r.length&&"0"===r[0][1]&&"0"===r[1][1]&&"0"===r[2][1]&&"0"===r[3][1]&&(t.value.splice(1),t.dirty=!0)}}},_m=hm,zm={level1:{property:function(e,t,n){var r=t.value;n.level[_m.One].optimizeOutline&&1==r.length&&"none"==r[0][1]&&(r[0][1]="0")}}},Rm=hm;function Lm(e){return e&&"-"==e[1][0]&&parseFloat(e[1])<0}var Pm={level1:{property:function(e,t,n){var r=t.value;4==r.length&&"0"===r[0][1]&&"0"===r[1][1]&&"0"===r[2][1]&&"0"===r[3][1]&&(t.value.splice(1),t.dirty=!0),n.level[Rm.One].removeNegativePaddings&&(Lm(t.value[0])||Lm(t.value[1])||Lm(t.value[2])||Lm(t.value[3]))&&(t.unused=!0)}}},Bm={background:{level1:{property:function(e,t,n){var r=t.value;n.level[gm.One].optimizeBackground&&(1==r.length&&"none"==r[0][1]&&(r[0][1]="0 0"),1==r.length&&"transparent"==r[0][1]&&(r[0][1]="0 0"))}}}.level1.property,boxShadow:ym.level1.property,borderRadius:bm.level1.property,filter:km.level1.property,fontWeight:Tm.level1.property,margin:Am.level1.property,outline:zm.level1.property,padding:Pm.level1.property},Wm={aliceblue:"#f0f8ff",antiquewhite:"#faebd7",aqua:"#0ff",aquamarine:"#7fffd4",azure:"#f0ffff",beige:"#f5f5dc",bisque:"#ffe4c4",black:"#000",blanchedalmond:"#ffebcd",blue:"#00f",blueviolet:"#8a2be2",brown:"#a52a2a",burlywood:"#deb887",cadetblue:"#5f9ea0",chartreuse:"#7fff00",chocolate:"#d2691e",coral:"#ff7f50",cornflowerblue:"#6495ed",cornsilk:"#fff8dc",crimson:"#dc143c",cyan:"#0ff",darkblue:"#00008b",darkcyan:"#008b8b",darkgoldenrod:"#b8860b",darkgray:"#a9a9a9",darkgreen:"#006400",darkgrey:"#a9a9a9",darkkhaki:"#bdb76b",darkmagenta:"#8b008b",darkolivegreen:"#556b2f",darkorange:"#ff8c00",darkorchid:"#9932cc",darkred:"#8b0000",darksalmon:"#e9967a",darkseagreen:"#8fbc8f",darkslateblue:"#483d8b",darkslategray:"#2f4f4f",darkslategrey:"#2f4f4f",darkturquoise:"#00ced1",darkviolet:"#9400d3",deeppink:"#ff1493",deepskyblue:"#00bfff",dimgray:"#696969",dimgrey:"#696969",dodgerblue:"#1e90ff",firebrick:"#b22222",floralwhite:"#fffaf0",forestgreen:"#228b22",fuchsia:"#f0f",gainsboro:"#dcdcdc",ghostwhite:"#f8f8ff",gold:"#ffd700",goldenrod:"#daa520",gray:"#808080",green:"#008000",greenyellow:"#adff2f",grey:"#808080",honeydew:"#f0fff0",hotpink:"#ff69b4",indianred:"#cd5c5c",indigo:"#4b0082",ivory:"#fffff0",khaki:"#f0e68c",lavender:"#e6e6fa",lavenderblush:"#fff0f5",lawngreen:"#7cfc00",lemonchiffon:"#fffacd",lightblue:"#add8e6",lightcoral:"#f08080",lightcyan:"#e0ffff",lightgoldenrodyellow:"#fafad2",lightgray:"#d3d3d3",lightgreen:"#90ee90",lightgrey:"#d3d3d3",lightpink:"#ffb6c1",lightsalmon:"#ffa07a",lightseagreen:"#20b2aa",lightskyblue:"#87cefa",lightslategray:"#778899",lightslategrey:"#778899",lightsteelblue:"#b0c4de",lightyellow:"#ffffe0",lime:"#0f0",limegreen:"#32cd32",linen:"#faf0e6",magenta:"#ff00ff",maroon:"#800000",mediumaquamarine:"#66cdaa",mediumblue:"#0000cd",mediumorchid:"#ba55d3",mediumpurple:"#9370db",mediumseagreen:"#3cb371",mediumslateblue:"#7b68ee",mediumspringgreen:"#00fa9a",mediumturquoise:"#48d1cc",mediumvioletred:"#c71585",midnightblue:"#191970",mintcream:"#f5fffa",mistyrose:"#ffe4e1",moccasin:"#ffe4b5",navajowhite:"#ffdead",navy:"#000080",oldlace:"#fdf5e6",olive:"#808000",olivedrab:"#6b8e23",orange:"#ffa500",orangered:"#ff4500",orchid:"#da70d6",palegoldenrod:"#eee8aa",palegreen:"#98fb98",paleturquoise:"#afeeee",palevioletred:"#db7093",papayawhip:"#ffefd5",peachpuff:"#ffdab9",peru:"#cd853f",pink:"#ffc0cb",plum:"#dda0dd",powderblue:"#b0e0e6",purple:"#800080",rebeccapurple:"#663399",red:"#f00",rosybrown:"#bc8f8f",royalblue:"#4169e1",saddlebrown:"#8b4513",salmon:"#fa8072",sandybrown:"#f4a460",seagreen:"#2e8b57",seashell:"#fff5ee",sienna:"#a0522d",silver:"#c0c0c0",skyblue:"#87ceeb",slateblue:"#6a5acd",slategray:"#708090",slategrey:"#708090",snow:"#fffafa",springgreen:"#00ff7f",steelblue:"#4682b4",tan:"#d2b48c",teal:"#008080",thistle:"#d8bfd8",tomato:"#ff6347",turquoise:"#40e0d0",violet:"#ee82ee",wheat:"#f5deb3",white:"#fff",whitesmoke:"#f5f5f5",yellow:"#ff0",yellowgreen:"#9acd32"},Mm={},Um={};for(var Im in Wm){var Nm=Wm[Im];Im.length<Nm.length?Um[Nm]=Im:Mm[Im]=Nm}var qm=new RegExp("(^| |,|\\))("+Object.keys(Mm).join("|")+")( |,|\\)|$)","ig"),Dm=new RegExp("("+Object.keys(Um).join("|")+")([^a-f0-9]|$)","ig");function Vm(e,t,n,r){return t+Mm[n.toLowerCase()]+r}function jm(e,t,n){return Um[t.toLowerCase()]+n}function Fm(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}var Gm=_d;var Km=function(e,t){var n,r=Gm.OPEN_ROUND_BRACKET,i=Gm.CLOSE_ROUND_BRACKET,o=0,a=0,s=0,l=e.length,u=[];if(-1==e.indexOf(t))return[e];if(-1==e.indexOf(r))return e.split(t);for(;a<l;)e[a]==r?o++:e[a]==i&&o--,0===o&&a>0&&a+1<l&&e[a]==t&&(u.push(e.substring(s,a)),s=a+1),a++;return s<a+1&&((n=e.substring(s))[n.length-1]==t&&(n=n.substring(0,n.length-1)),u.push(n)),u},Ym=function(e){var t=e.indexOf("#")>-1,n=e.replace(qm,Vm);return n!=e&&(n=n.replace(qm,Vm)),t?n.replace(Dm,jm):n},Hm=function(e,t,n){var r=function(e,t,n){var r,i,o;if((e%=360)<0&&(e+=360),e=~~e/360,t<0?t=0:t>100&&(t=100),n<0?n=0:n>100&&(n=100),n=~~n/100,0==(t=~~t/100))r=i=o=n;else{var a=n<.5?n*(1+t):n+t-n*t,s=2*n-a;r=Fm(s,a,e+1/3),i=Fm(s,a,e),o=Fm(s,a,e-1/3)}return[~~(255*r),~~(255*i),~~(255*o)]}(e,t,n),i=r[0].toString(16),o=r[1].toString(16),a=r[2].toString(16);return"#"+(1==i.length?"0":"")+i+(1==o.length?"0":"")+o+(1==a.length?"0":"")+a},$m=function(e,t,n){return"#"+("00000"+(Math.max(0,Math.min(parseInt(e),255))<<16|Math.max(0,Math.min(parseInt(t),255))<<8|Math.max(0,Math.min(parseInt(n),255))).toString(16)).slice(-6)},Qm=Km,Zm=/(rgb|rgba|hsl|hsla)\(([^\(\)]+)\)/gi,Xm=/#|rgb|hsl/gi,Jm=/(^|[^='"])#([0-9a-f]{6})/gi,eh=/(^|[^='"])#([0-9a-f]{3})/gi,th=/[0-9a-f]/i,nh=/hsl\((-?\d+),(-?\d+)%?,(-?\d+)%?\)/gi,rh=/(rgb|hsl)a?\((\-?\d+),(\-?\d+\%?),(\-?\d+\%?),(0*[1-9]+[0-9]*(\.?\d*)?)\)/gi,ih=/rgb\((\-?\d+),(\-?\d+),(\-?\d+)\)/gi,oh=/(?:rgba|hsla)\(0,0%?,0%?,0\)/g,ah=/\(0deg\)/g,sh={level1:{value:function(e,t,n){return n.compatibility.properties.zeroUnits?-1==t.indexOf("0deg")?t:t.replace(ah,"(0)"):t}}},lh=/^url\(/i;var uh=function(e){return lh.test(e)},ch=uh,dh=hm,ph=/(^|\D)\.0+(\D|$)/g,mh=/\.([1-9]*)0+(\D|$)/g,hh=/(^|\D)0\.(\d)/g,fh=/([^\w\d\-]|^)\-0([^\.]|$)/g,gh=/(^|\s)0+([1-9])/g,yh={level1:{value:function(e,t,n){return n.level[dh.One].replaceZeroUnits?ch(t)||-1==t.indexOf("0")?t:(t.indexOf("-")>-1&&(t=t.replace(fh,"$10$2").replace(fh,"$10$2")),t.replace(gh,"$1$2").replace(ph,"$10$2").replace(mh,(function(e,t,n){return(t.length>0?".":"")+t+n})).replace(hh,"$1.$2")):t}}},vh={level1:{value:function(e,t,n){return n.precision.enabled&&-1!==t.indexOf(".")?t.replace(n.precision.decimalPointMatcher,"$1$2$3").replace(n.precision.zeroMatcher,(function(e,t,r,i){var o=n.precision.units[i].multiplier,a=parseInt(t),s=isNaN(a)?0:a,l=parseFloat(r);return Math.round((s+l)*o)/o+i})):t}}},bh=hm,Sh=/^local\(/i,xh=/^('.*'|".*")$/,wh=/^['"][a-zA-Z][a-zA-Z\d\-_]+['"]$/,Ch={level1:{value:function(e,t,n){return n.level[bh.One].removeQuotes&&(xh.test(t)||Sh.test(t))&&wh.test(t)?t.substring(1,t.length-1):t}}},kh=hm,Oh=/^(\-?[\d\.]+)(m?s)$/,Th={level1:{value:function(e,t,n){return n.level[kh.One].replaceTimeUnits&&Oh.test(t)?t.replace(Oh,(function(e,t,n){var r;return"ms"==n?r=parseInt(t)/1e3+"s":"s"==n&&(r=1e3*parseFloat(t)+"ms"),r.length<e.length?r:e})):t}}},Eh=/(?:^|\s|\()(-?\d+)px/,Ah={level1:{value:function(e,t,n){return Eh.test(t)?t.replace(Eh,(function(e,t){var r,i=parseInt(t);return 0===i?e:(n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.pt&&3*i%4==0&&(r=3*i/4+"pt"),n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.pc&&i%16==0&&(r=i/16+"pc"),n.compatibility.properties.shorterLengthUnits&&n.compatibility.units.in&&i%96==0&&(r=i/96+"in"),r&&(r=e.substring(0,e.indexOf(t))+r),r&&r.length<e.length?r:e)})):t}}},_h=uh,zh=hm,Rh=/^url\(/i,Lh={level1:{value:function(e,t,n){return n.level[zh.One].normalizeUrls&&_h(t)?t.replace(Rh,"url("):t}}},Ph=/^url\(['"].+['"]\)$/,Bh=/^url\(['"].*[\*\s\(\)'"].*['"]\)$/,Wh=/["']/g,Mh=/^url\(['"]data:[^;]+;charset/,Uh={level1:{value:function(e,t,n){return n.compatibility.properties.urlQuotes||!Ph.test(t)||Bh.test(t)||Mh.test(t)?t:t.replace(Wh,"")}}},Ih=uh,Nh=/\\?\n|\\?\r\n/g,qh={level1:{value:function(e,t){return Ih(t)?t.replace(Nh,""):t}}},Dh=hm,Vh=_d,jh=/\) ?\/ ?/g,Fh=/, /g,Gh=/\s+/g,Kh=/\s+(;?\))/g,Yh=/(\(;?)\s+/g,Hh={level1:{value:function(e,t,n){return n.level[Dh.One].removeWhitespace?-1==t.indexOf(" ")||0===t.indexOf("expression")||t.indexOf(Vh.SINGLE_QUOTE)>-1||t.indexOf(Vh.DOUBLE_QUOTE)>-1?t:((t=t.replace(Gh," ")).indexOf("calc")>-1&&(t=t.replace(jh,")/ ")),t.replace(Yh,"$1").replace(Kh,"$1").replace(Fh,",")):t}}},$h=/^(?:\-moz\-calc|\-webkit\-calc|calc|rgb|hsl|rgba|hsla|min|max|clamp)\(/,Qh={level1:{value:function(e,t,n){return n.compatibility.properties.zeroUnits?$h.test(t)||t.indexOf("%")>0&&("height"==e||"max-height"==e||"width"==e||"max-width"==e)?t:t.replace(n.unitsRegexp,"$10$2").replace(n.unitsRegexp,"$10$2"):t}}},Zh={color:{level1:{value:function(e,t,n){return n.compatibility.properties.colors?t.match(Xm)?(t=t.replace(rh,(function(e,t,n,r,i,o){return parseInt(o,10)>=1?t+"("+[n,r,i].join(",")+")":e})).replace(ih,(function(e,t,n,r){return $m(t,n,r)})).replace(nh,(function(e,t,n,r){return Hm(t,n,r)})).replace(Jm,(function(e,t,n,r,i){var o=i[r+e.length];return o&&th.test(o)?e:n[0]==n[1]&&n[2]==n[3]&&n[4]==n[5]?(t+"#"+n[0]+n[2]+n[4]).toLowerCase():(t+"#"+n).toLowerCase()})).replace(eh,(function(e,t,n){return t+"#"+n.toLowerCase()})).replace(Zm,(function(e,t,n){var r=n.split(","),i=t&&t.toLowerCase();return"hsl"==i&&3==r.length||"hsla"==i&&4==r.length||"rgb"==i&&3===r.length&&n.indexOf("%")>0||"rgba"==i&&4==r.length&&n.indexOf("%")>0?(-1==r[1].indexOf("%")&&(r[1]+="%"),-1==r[2].indexOf("%")&&(r[2]+="%"),t+"("+r.join(",")+")"):e})),n.compatibility.colors.opacity&&-1==e.indexOf("background")&&(t=t.replace(oh,(function(e){return Qm(t,",").pop().indexOf("gradient(")>-1?e:"transparent"}))),Ym(t)):Ym(t):t}}}.level1.value,degrees:sh.level1.value,fraction:yh.level1.value,precision:vh.level1.value,textQuotes:Ch.level1.value,time:Th.level1.value,unit:Ah.level1.value,urlPrefix:Lh.level1.value,urlQuotes:Uh.level1.value,urlWhiteSpace:qh.level1.value,whiteSpace:Hh.level1.value,zero:Qh.level1.value},Xh=Ap,Jh=qp,ef=Xp,tf=Bm,nf=Zh,rf=cd,of={animation:{canOverride:Jh.generic.components([Jh.generic.time,Jh.generic.timingFunction,Jh.generic.time,Jh.property.animationIterationCount,Jh.property.animationDirection,Jh.property.animationFillMode,Jh.property.animationPlayState,Jh.property.animationName]),components:["animation-duration","animation-timing-function","animation-delay","animation-iteration-count","animation-direction","animation-fill-mode","animation-play-state","animation-name"],breakUp:Xh.multiplex(Xh.animation),defaultValue:"none",restore:ef.multiplex(ef.withoutDefaults),shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.textQuotes,nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-delay":{canOverride:Jh.generic.time,componentOf:["animation"],defaultValue:"0s",intoMultiplexMode:"real",valueOptimizers:[nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-direction":{canOverride:Jh.property.animationDirection,componentOf:["animation"],defaultValue:"normal",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-duration":{canOverride:Jh.generic.time,componentOf:["animation"],defaultValue:"0s",intoMultiplexMode:"real",keepUnlessDefault:"animation-delay",valueOptimizers:[nf.time,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-fill-mode":{canOverride:Jh.property.animationFillMode,componentOf:["animation"],defaultValue:"none",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-iteration-count":{canOverride:Jh.property.animationIterationCount,componentOf:["animation"],defaultValue:"1",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-name":{canOverride:Jh.property.animationName,componentOf:["animation"],defaultValue:"none",intoMultiplexMode:"real",valueOptimizers:[nf.textQuotes],vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-play-state":{canOverride:Jh.property.animationPlayState,componentOf:["animation"],defaultValue:"running",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},"animation-timing-function":{canOverride:Jh.generic.timingFunction,componentOf:["animation"],defaultValue:"ease",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-o-","-webkit-"]},background:{canOverride:Jh.generic.components([Jh.generic.image,Jh.property.backgroundPosition,Jh.property.backgroundSize,Jh.property.backgroundRepeat,Jh.property.backgroundAttachment,Jh.property.backgroundOrigin,Jh.property.backgroundClip,Jh.generic.color]),components:["background-image","background-position","background-size","background-repeat","background-attachment","background-origin","background-clip","background-color"],breakUp:Xh.multiplex(Xh.background),defaultValue:"0 0",propertyOptimizer:tf.background,restore:ef.multiplex(ef.background),shortestValue:"0",shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.urlWhiteSpace,nf.fraction,nf.zero,nf.color,nf.urlPrefix,nf.urlQuotes]},"background-attachment":{canOverride:Jh.property.backgroundAttachment,componentOf:["background"],defaultValue:"scroll",intoMultiplexMode:"real"},"background-clip":{canOverride:Jh.property.backgroundClip,componentOf:["background"],defaultValue:"border-box",intoMultiplexMode:"real",shortestValue:"border-box"},"background-color":{canOverride:Jh.generic.color,componentOf:["background"],defaultValue:"transparent",intoMultiplexMode:"real",multiplexLastOnly:!0,nonMergeableValue:"none",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"background-image":{canOverride:Jh.generic.image,componentOf:["background"],defaultValue:"none",intoMultiplexMode:"default",valueOptimizers:[nf.urlWhiteSpace,nf.urlPrefix,nf.urlQuotes,nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero,nf.color]},"background-origin":{canOverride:Jh.property.backgroundOrigin,componentOf:["background"],defaultValue:"padding-box",intoMultiplexMode:"real",shortestValue:"border-box"},"background-position":{canOverride:Jh.property.backgroundPosition,componentOf:["background"],defaultValue:["0","0"],doubleValues:!0,intoMultiplexMode:"real",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"background-repeat":{canOverride:Jh.property.backgroundRepeat,componentOf:["background"],defaultValue:["repeat"],doubleValues:!0,intoMultiplexMode:"real"},"background-size":{canOverride:Jh.property.backgroundSize,componentOf:["background"],defaultValue:["auto"],doubleValues:!0,intoMultiplexMode:"real",shortestValue:"0 0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},bottom:{canOverride:Jh.property.bottom,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},border:{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-width","border-style","border-color"],defaultValue:"none",overridesShorthands:["border-bottom","border-left","border-right","border-top"],restore:ef.withoutDefaults,shorthand:!0,shorthandComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-bottom":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-bottom-width","border-bottom-style","border-bottom-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-bottom-color":{canOverride:Jh.generic.color,componentOf:["border-bottom","border-color"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-bottom-left-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-bottom-right-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-bottom-style":{canOverride:Jh.property.borderStyle,componentOf:["border-bottom","border-style"],defaultValue:"none"},"border-bottom-width":{canOverride:Jh.generic.unit,componentOf:["border-bottom","border-width"],defaultValue:"medium",oppositeTo:"border-top-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-collapse":{canOverride:Jh.property.borderCollapse,defaultValue:"separate"},"border-color":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.color,Jh.generic.color,Jh.generic.color,Jh.generic.color]),componentOf:["border"],components:["border-top-color","border-right-color","border-bottom-color","border-left-color"],defaultValue:"none",restore:ef.fourValues,shortestValue:"red",shorthand:!0,singleTypeComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-left":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-left-width","border-left-style","border-left-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},"border-left-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-left"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-left-style":{canOverride:Jh.property.borderStyle,componentOf:["border-left","border-style"],defaultValue:"none"},"border-left-width":{canOverride:Jh.generic.unit,componentOf:["border-left","border-width"],defaultValue:"medium",oppositeTo:"border-right-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-radius":{breakUp:Xh.borderRadius,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["border-top-left-radius","border-top-right-radius","border-bottom-right-radius","border-bottom-left-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,restore:ef.borderRadius,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-right":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-right-width","border-right-style","border-right-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-right-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-right"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-right-style":{canOverride:Jh.property.borderStyle,componentOf:["border-right","border-style"],defaultValue:"none"},"border-right-width":{canOverride:Jh.generic.unit,componentOf:["border-right","border-width"],defaultValue:"medium",oppositeTo:"border-left-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-style":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.property.borderStyle,Jh.property.borderStyle,Jh.property.borderStyle,Jh.property.borderStyle]),componentOf:["border"],components:["border-top-style","border-right-style","border-bottom-style","border-left-style"],defaultValue:"none",restore:ef.fourValues,shorthand:!0,singleTypeComponents:!0},"border-top":{breakUp:Xh.border,canOverride:Jh.generic.components([Jh.generic.unit,Jh.property.borderStyle,Jh.generic.color]),components:["border-top-width","border-top-style","border-top-color"],defaultValue:"none",restore:ef.withoutDefaults,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.zero,nf.color,nf.unit]},"border-top-color":{canOverride:Jh.generic.color,componentOf:["border-color","border-top"],defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"border-top-left-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-top-right-radius":{canOverride:Jh.generic.unit,componentOf:["border-radius"],defaultValue:"0",propertyOptimizer:tf.borderRadius,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-o-"]},"border-top-style":{canOverride:Jh.property.borderStyle,componentOf:["border-style","border-top"],defaultValue:"none"},"border-top-width":{canOverride:Jh.generic.unit,componentOf:["border-top","border-width"],defaultValue:"medium",oppositeTo:"border-bottom-width",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"border-width":{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),componentOf:["border"],components:["border-top-width","border-right-width","border-bottom-width","border-left-width"],defaultValue:"medium",restore:ef.fourValues,shortestValue:"0",shorthand:!0,singleTypeComponents:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"box-shadow":{propertyOptimizer:tf.boxShadow,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero,nf.color],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},clear:{canOverride:Jh.property.clear,defaultValue:"none"},clip:{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},color:{canOverride:Jh.generic.color,defaultValue:"transparent",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"column-gap":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},cursor:{canOverride:Jh.property.cursor,defaultValue:"auto"},display:{canOverride:Jh.property.display},filter:{propertyOptimizer:tf.filter,valueOptimizers:[nf.fraction]},float:{canOverride:Jh.property.float,defaultValue:"none"},font:{breakUp:Xh.font,canOverride:Jh.generic.components([Jh.property.fontStyle,Jh.property.fontVariant,Jh.property.fontWeight,Jh.property.fontStretch,Jh.generic.unit,Jh.generic.unit,Jh.property.fontFamily]),components:["font-style","font-variant","font-weight","font-stretch","font-size","line-height","font-family"],restore:ef.font,shorthand:!0,valueOptimizers:[nf.textQuotes]},"font-family":{canOverride:Jh.property.fontFamily,defaultValue:"user|agent|specific",valueOptimizers:[nf.textQuotes]},"font-size":{canOverride:Jh.generic.unit,defaultValue:"medium",shortestValue:"0",valueOptimizers:[nf.fraction]},"font-stretch":{canOverride:Jh.property.fontStretch,defaultValue:"normal"},"font-style":{canOverride:Jh.property.fontStyle,defaultValue:"normal"},"font-variant":{canOverride:Jh.property.fontVariant,defaultValue:"normal"},"font-weight":{canOverride:Jh.property.fontWeight,defaultValue:"normal",propertyOptimizer:tf.fontWeight,shortestValue:"400"},gap:{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},height:{canOverride:Jh.generic.unit,defaultValue:"auto",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},left:{canOverride:Jh.property.left,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"letter-spacing":{valueOptimizers:[nf.fraction,nf.zero]},"line-height":{canOverride:Jh.generic.unitOrNumber,defaultValue:"normal",shortestValue:"0",valueOptimizers:[nf.fraction,nf.zero]},"list-style":{canOverride:Jh.generic.components([Jh.property.listStyleType,Jh.property.listStylePosition,Jh.property.listStyleImage]),components:["list-style-type","list-style-position","list-style-image"],breakUp:Xh.listStyle,restore:ef.withoutDefaults,defaultValue:"outside",shortestValue:"none",shorthand:!0},"list-style-image":{canOverride:Jh.generic.image,componentOf:["list-style"],defaultValue:"none"},"list-style-position":{canOverride:Jh.property.listStylePosition,componentOf:["list-style"],defaultValue:"outside",shortestValue:"inside"},"list-style-type":{canOverride:Jh.property.listStyleType,componentOf:["list-style"],defaultValue:"decimal|disc",shortestValue:"none"},margin:{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["margin-top","margin-right","margin-bottom","margin-left"],defaultValue:"0",propertyOptimizer:tf.margin,restore:ef.fourValues,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-bottom":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-top",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-inline-end":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-inline-start":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-left":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-right",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-right":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-left",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"margin-top":{canOverride:Jh.generic.unit,componentOf:["margin"],defaultValue:"0",oppositeTo:"margin-bottom",propertyOptimizer:tf.margin,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"max-height":{canOverride:Jh.generic.unit,defaultValue:"none",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"max-width":{canOverride:Jh.generic.unit,defaultValue:"none",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"min-height":{canOverride:Jh.generic.unit,defaultValue:"0",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"min-width":{canOverride:Jh.generic.unit,defaultValue:"0",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},opacity:{valueOptimizers:[nf.fraction,nf.precision]},outline:{canOverride:Jh.generic.components([Jh.generic.color,Jh.property.outlineStyle,Jh.generic.unit]),components:["outline-color","outline-style","outline-width"],breakUp:Xh.outline,restore:ef.withoutDefaults,defaultValue:"0",propertyOptimizer:tf.outline,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"outline-color":{canOverride:Jh.generic.color,componentOf:["outline"],defaultValue:"invert",shortestValue:"red",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.color]},"outline-style":{canOverride:Jh.property.outlineStyle,componentOf:["outline"],defaultValue:"none"},"outline-width":{canOverride:Jh.generic.unit,componentOf:["outline"],defaultValue:"medium",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},overflow:{canOverride:Jh.property.overflow,defaultValue:"visible"},"overflow-x":{canOverride:Jh.property.overflow,defaultValue:"visible"},"overflow-y":{canOverride:Jh.property.overflow,defaultValue:"visible"},padding:{breakUp:Xh.fourValues,canOverride:Jh.generic.components([Jh.generic.unit,Jh.generic.unit,Jh.generic.unit,Jh.generic.unit]),components:["padding-top","padding-right","padding-bottom","padding-left"],defaultValue:"0",propertyOptimizer:tf.padding,restore:ef.fourValues,shorthand:!0,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-bottom":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-top",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-left":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-right",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-right":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-left",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"padding-top":{canOverride:Jh.generic.unit,componentOf:["padding"],defaultValue:"0",oppositeTo:"padding-bottom",propertyOptimizer:tf.padding,valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},position:{canOverride:Jh.property.position,defaultValue:"static"},right:{canOverride:Jh.property.right,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"row-gap":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},src:{valueOptimizers:[nf.urlWhiteSpace,nf.urlPrefix,nf.urlQuotes]},"stroke-width":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"text-align":{canOverride:Jh.property.textAlign,defaultValue:"left|right"},"text-decoration":{canOverride:Jh.property.textDecoration,defaultValue:"none"},"text-indent":{canOverride:Jh.property.textOverflow,defaultValue:"none",valueOptimizers:[nf.fraction,nf.zero]},"text-overflow":{canOverride:Jh.property.textOverflow,defaultValue:"none"},"text-shadow":{canOverride:Jh.property.textShadow,defaultValue:"none",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.zero,nf.color]},top:{canOverride:Jh.property.top,defaultValue:"auto",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},transform:{canOverride:Jh.property.transform,valueOptimizers:[nf.whiteSpace,nf.degrees,nf.fraction,nf.precision,nf.unit,nf.zero],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},transition:{breakUp:Xh.multiplex(Xh.transition),canOverride:Jh.generic.components([Jh.property.transitionProperty,Jh.generic.time,Jh.generic.timingFunction,Jh.generic.time]),components:["transition-property","transition-duration","transition-timing-function","transition-delay"],defaultValue:"none",restore:ef.multiplex(ef.withoutDefaults),shorthand:!0,valueOptimizers:[nf.time,nf.fraction],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-delay":{canOverride:Jh.generic.time,componentOf:["transition"],defaultValue:"0s",intoMultiplexMode:"real",valueOptimizers:[nf.time],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-duration":{canOverride:Jh.generic.time,componentOf:["transition"],defaultValue:"0s",intoMultiplexMode:"real",keepUnlessDefault:"transition-delay",valueOptimizers:[nf.time,nf.fraction],vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-property":{canOverride:Jh.generic.propertyName,componentOf:["transition"],defaultValue:"all",intoMultiplexMode:"placeholder",placeholderValue:"_",vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"transition-timing-function":{canOverride:Jh.generic.timingFunction,componentOf:["transition"],defaultValue:"ease",intoMultiplexMode:"real",vendorPrefixes:["-moz-","-ms-","-o-","-webkit-"]},"vertical-align":{canOverride:Jh.property.verticalAlign,defaultValue:"baseline",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},visibility:{canOverride:Jh.property.visibility,defaultValue:"visible"},"-webkit-tap-highlight-color":{valueOptimizers:[nf.whiteSpace,nf.color]},"-webkit-margin-end":{valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"white-space":{canOverride:Jh.property.whiteSpace,defaultValue:"normal"},width:{canOverride:Jh.generic.unit,defaultValue:"auto",shortestValue:"0",valueOptimizers:[nf.whiteSpace,nf.fraction,nf.precision,nf.unit,nf.zero]},"z-index":{canOverride:Jh.property.zIndex,defaultValue:"auto"}},af={};function sf(e,t){var n=rf(of[e],{});return"componentOf"in n&&(n.componentOf=n.componentOf.map((function(e){return t+e}))),"components"in n&&(n.components=n.components.map((function(e){return t+e}))),"keepUnlessDefault"in n&&(n.keepUnlessDefault=t+n.keepUnlessDefault),n}af={};for(var lf in of){var uf=of[lf];if("vendorPrefixes"in uf){for(var cf=0;cf<uf.vendorPrefixes.length;cf++){var df=uf.vendorPrefixes[cf],pf=sf(lf,df);delete pf.vendorPrefixes,af[df+lf]=pf}delete uf.vendorPrefixes}}var mf=rf(of,af),hf="",ff=Td,gf=Ed,yf=_d,vf=ap;function bf(e){return"filter"==e[1][1]||"-ms-filter"==e[1][1]}function Sf(e,t,n){return!e.spaceAfterClosingBrace&&function(e){return"background"==e[1][1]||"transform"==e[1][1]||"src"==e[1][1]}(t)&&function(e,t){return e[t][1][e[t][1].length-1]==yf.CLOSE_ROUND_BRACKET}(t,n)||function(e,t){return e[t+1]&&e[t+1][1]==yf.FORWARD_SLASH}(t,n)||function(e,t){return e[t][1]==yf.FORWARD_SLASH}(t,n)||function(e,t){return e[t+1]&&e[t+1][1]==yf.COMMA}(t,n)||function(e,t){return e[t][1]==yf.COMMA}(t,n)}function xf(e,t){for(var n=e.store,r=0,i=t.length;r<i;r++)n(e,t[r]),r<i-1&&n(e,zf(e))}function wf(e,t){for(var n=function(e){for(var t=e.length-1;t>=0&&e[t][0]==vf.COMMENT;t--);return t}(t),r=0,i=t.length;r<i;r++)Cf(e,t,r,n)}function Cf(e,t,n,r){var i,o=e.store,a=t[n],s=a[2],l=s&&s[0]===vf.PROPERTY_BLOCK;i=e.format?!(!e.format.semicolonAfterLastProperty&&!l)||n<r:n<r||l;var u=n===r;switch(a[0]){case vf.AT_RULE:o(e,a),o(e,_f(e,ff.AfterProperty,!1));break;case vf.AT_RULE_BLOCK:xf(e,a[1]),o(e,Ef(e,ff.AfterRuleBegins,!0)),wf(e,a[2]),o(e,Af(e,ff.AfterRuleEnds,!1,u));break;case vf.COMMENT:o(e,a),o(e,Of(e,ff.AfterComment)+e.indentWith);break;case vf.PROPERTY:o(e,a[1]),o(e,function(e){return e.format?yf.COLON+(Tf(e,gf.BeforeValue)?yf.SPACE:hf):yf.COLON}(e)),s&&kf(e,a),o(e,i?_f(e,ff.AfterProperty,u):hf);break;case vf.RAW:o(e,a)}}function kf(e,t){var n,r,i=e.store;if(t[2][0]==vf.PROPERTY_BLOCK)i(e,Ef(e,ff.AfterBlockBegins,!1)),wf(e,t[2][1]),i(e,Af(e,ff.AfterBlockEnds,!1,!0));else for(n=2,r=t.length;n<r;n++)i(e,t[n]),n<r-1&&(bf(t)||!Sf(e,t,n))&&i(e,yf.SPACE)}function Of(e,t){return e.format?e.format.breaks[t]:hf}function Tf(e,t){return e.format&&e.format.spaces[t]}function Ef(e,t,n){return e.format?(e.indentBy+=e.format.indentBy,e.indentWith=e.format.indentWith.repeat(e.indentBy),(n&&Tf(e,gf.BeforeBlockBegins)?yf.SPACE:hf)+yf.OPEN_CURLY_BRACKET+Of(e,t)+e.indentWith):yf.OPEN_CURLY_BRACKET}function Af(e,t,n,r){return e.format?(e.indentBy-=e.format.indentBy,e.indentWith=e.format.indentWith.repeat(e.indentBy),Of(e,n?ff.BeforeBlockEnds:ff.AfterProperty)+e.indentWith+yf.CLOSE_CURLY_BRACKET+(r?hf:Of(e,t)+e.indentWith)):yf.CLOSE_CURLY_BRACKET}function _f(e,t,n){return e.format?yf.SEMICOLON+(n?hf:Of(e,t)+e.indentWith):yf.SEMICOLON}function zf(e){return e.format?yf.COMMA+Of(e,ff.BetweenSelectors)+e.indentWith:yf.COMMA}var Rf={all:function e(t,n){var r,i,o,a,s=t.store;for(o=0,a=n.length;o<a;o++)switch(i=o==a-1,(r=n[o])[0]){case vf.AT_RULE:s(t,r),s(t,_f(t,ff.AfterAtRule,i));break;case vf.AT_RULE_BLOCK:xf(t,r[1]),s(t,Ef(t,ff.AfterRuleBegins,!0)),wf(t,r[2]),s(t,Af(t,ff.AfterRuleEnds,!1,i));break;case vf.NESTED_BLOCK:xf(t,r[1]),s(t,Ef(t,ff.AfterBlockBegins,!0)),e(t,r[2]),s(t,Af(t,ff.AfterBlockEnds,!0,i));break;case vf.COMMENT:s(t,r),s(t,Of(t,ff.AfterComment)+t.indentWith);break;case vf.RAW:s(t,r);break;case vf.RULE:xf(t,r[1]),s(t,Ef(t,ff.AfterRuleBegins,!0)),wf(t,r[2]),s(t,Af(t,ff.AfterRuleEnds,!1,i))}},body:wf,property:Cf,rules:xf,value:kf},Lf=Rf;function Pf(e,t){e.output.push("string"==typeof t?t:t[1])}function Bf(){return{output:[],store:Pf}}var Wf=function(e){var t=Bf();return Lf.all(t,e),t.output.join("")},Mf=function(e){var t=Bf();return Lf.body(t,e),t.output.join("")},Uf=function(e,t){var n=Bf();return Lf.property(n,e,t,!0),n.output.join("")},If=function(e){var t=Bf();return Lf.rules(t,e),t.output.join("")},Nf=function(e){var t=Bf();return Lf.value(t,e),t.output.join("")},qf=$c,Df=Hd,Vf=Zd,jf=Xd,Ff=Jd,Gf=ep,Kf=op,Yf=fp,Hf=mf,$f=Zh,Qf=hm,Zf=ap,Xf=_d,Jf=zd,eg=If,tg="@charset",ng=new RegExp("^@charset","i"),rg=im,ig=/^(?:\-chrome\-|\-[\w\-]+\w|\w[\w\-]+\w|\w{1,}|\-\-\S+)$/,og=/^@import/i,ag=/^url\(/i,sg=/^--\S+$/;function lg(e){return ag.test(e)}function ug(e){return og.test(e[1])}function cg(e){var t;return("filter"==e.name||"-ms-filter"==e.name)&&((t=e.value[0][1]).indexOf("progid")>-1||0===t.indexOf("alpha")||0===t.indexOf("chroma"))}function dg(){}function pg(e,t,n){var r,i,o,a,s,l,u,c,d,p=n.options,m=eg(e),h=Yf(t),f=n.options.plugins.level1Value,g=n.options.plugins.level1Property;for(c=0,d=h.length;c<d;c++){var y,v,b,S;if(o=(i=h[c]).name,u=Hf[o]&&Hf[o].propertyOptimizer||dg,r=Hf[o]&&Hf[o].valueOptimizers||[$f.whiteSpace],ig.test(o))if(0!==i.value.length)if(!i.hack||(i.hack[0]!=Ff.ASTERISK&&i.hack[0]!=Ff.UNDERSCORE||p.compatibility.properties.iePrefixHack)&&(i.hack[0]!=Ff.BACKSLASH||p.compatibility.properties.ieSuffixHack)&&(i.hack[0]!=Ff.BANG||p.compatibility.properties.ieBangHack))if(p.compatibility.properties.ieFilters||!cg(i)){if(i.block)pg(e,i.value[0][1],n);else if(!sg.test(o)){for(y=0,b=i.value.length;y<b;y++){if(a=i.value[y][0],s=i.value[y][1],a==Zf.PROPERTY_BLOCK){i.unused=!0,n.warnings.push("Invalid value token at "+Jf(s[0][1][2][0])+". Ignoring.");break}if(lg(s)&&!n.validator.isUrl(s)){i.unused=!0,n.warnings.push("Broken URL '"+s+"' at "+Jf(i.value[y][2][0])+". Ignoring.");break}for(v=0,S=r.length;v<S;v++)s=r[v](o,s,p);for(v=0,S=f.length;v<S;v++)s=f[v](o,s,p);i.value[y][1]=s}for(u(m,i,p),y=0,b=g.length;y<b;y++)g[y](m,i,p)}}else i.unused=!0;else i.unused=!0;else l=i.all[i.position],n.warnings.push("Empty property '"+o+"' at "+Jf(l[1][2][0])+". Ignoring."),i.unused=!0;else l=i.all[i.position],n.warnings.push("Invalid property name '"+o+"' at "+Jf(l[1][2][0])+". Ignoring."),i.unused=!0}Kf(h),Gf(h),function(e,t){var n,r;for(r=0;r<e.length;r++)(n=e[r])[0]==Zf.COMMENT&&(mg(n,t),0===n[1].length&&(e.splice(r,1),r--))}(t,p)}function mg(e,t){e[1][2]==Xf.EXCLAMATION&&("all"==t.level[Qf.One].specialComments||t.commentsKept<t.level[Qf.One].specialComments)?t.commentsKept++:e[1]=[]}var hg=function e(t,n){var r=n.options,i=r.level[Qf.One],o=r.compatibility.selectors.ie7Hack,a=r.compatibility.selectors.adjacentSpace,s=r.compatibility.properties.spaceAfterClosingBrace,l=r.format,u=!1,c=!1;r.unitsRegexp=r.unitsRegexp||function(e){var t=["px","em","ex","cm","mm","in","pt","pc","%"];return["ch","rem","vh","vm","vmax","vmin","vw"].forEach((function(n){e.compatibility.units[n]&&t.push(n)})),new RegExp("(^|\\s|\\(|,)0(?:"+t.join("|")+")(\\W|$)","g")}(r),r.precision=r.precision||function(e){var t,n,r={matcher:null,units:{}},i=[];for(t in e)(n=e[t])!=rg&&(r.units[t]={},r.units[t].value=n,r.units[t].multiplier=Math.pow(10,n),i.push(t));return i.length>0&&(r.enabled=!0,r.decimalPointMatcher=new RegExp("(\\d)\\.($|"+i.join("|")+")($|W)","g"),r.zeroMatcher=new RegExp("(\\d*)(\\.\\d+)("+i.join("|")+")","g")),r}(i.roundingPrecision),r.commentsKept=r.commentsKept||0;for(var d=0,p=t.length;d<p;d++){var m=t[d];switch(m[0]){case Zf.AT_RULE:m[1]=ug(m)&&c?"":m[1],m[1]=i.tidyAtRules?jf(m[1]):m[1],u=!0;break;case Zf.AT_RULE_BLOCK:pg(m[1],m[2],n),c=!0;break;case Zf.NESTED_BLOCK:m[1]=i.tidyBlockScopes?Vf(m[1],s):m[1],e(m[2],n),c=!0;break;case Zf.COMMENT:mg(m,r);break;case Zf.RULE:m[1]=i.tidySelectors?Df(m[1],!o,a,l,n.warnings):m[1],m[1]=m[1].length>1?qf(m[1],i.selectorsSortingMethod):m[1],pg(m[1],m[2],n),c=!0}(m[0]==Zf.COMMENT&&0===m[1].length||i.removeEmpty&&(0===m[1].length||m[2]&&0===m[2].length))&&(t.splice(d,1),d--,p--)}return i.cleanupCharsets&&u&&function(e){for(var t=!1,n=0,r=e.length;n<r;n++){var i=e[n];i[0]==Zf.AT_RULE&&ng.test(i[1])&&(t||-1==i[1].indexOf(tg)?(e.splice(n,1),n--,r--):(t=!0,e.splice(n,1),e.unshift([Zf.AT_RULE,i[1].replace(ng,tg)])))}}(t),t},fg=_d,gg=Km,yg=/\/deep\//,vg=/^::/,bg=/:(-moz-|-ms-|-o-|-webkit-)/,Sg=":not",xg=[":dir",":lang",":not",":nth-child",":nth-last-child",":nth-last-of-type",":nth-of-type"],wg=/[>\+~]/,Cg=[":after",":before",":first-letter",":first-line",":lang"],kg=["::after","::before","::first-letter","::first-line"],Og="double-quote",Tg="single-quote",Eg="root";function Ag(e){return yg.test(e)}function _g(e){return bg.test(e)}function zg(e){var t,n,r,i,o,a,s=[],l=[],u=Eg,c=0,d=!1,p=!1;for(o=0,a=e.length;o<a;o++)t=e[o],i=!r&&wg.test(t),n=u==Og||u==Tg,r?l.push(t):t==fg.DOUBLE_QUOTE&&u==Eg?(l.push(t),u=Og):t==fg.DOUBLE_QUOTE&&u==Og?(l.push(t),u=Eg):t==fg.SINGLE_QUOTE&&u==Eg?(l.push(t),u=Tg):t==fg.SINGLE_QUOTE&&u==Tg?(l.push(t),u=Eg):n?l.push(t):t==fg.OPEN_ROUND_BRACKET?(l.push(t),c++):t==fg.CLOSE_ROUND_BRACKET&&1==c&&d?(l.push(t),s.push(l.join("")),c--,l=[],d=!1):t==fg.CLOSE_ROUND_BRACKET?(l.push(t),c--):t==fg.COLON&&0===c&&d&&!p?(s.push(l.join("")),(l=[]).push(t)):t!=fg.COLON||0!==c||p?t==fg.SPACE&&0===c&&d||i&&0===c&&d?(s.push(l.join("")),l=[],d=!1):l.push(t):((l=[]).push(t),d=!0),r=t==fg.BACK_SLASH,p=t==fg.COLON;return l.length>0&&d&&s.push(l.join("")),s}function Rg(e,t,n,r,i){return function(e,t,n){var r,i,o,a;for(o=0,a=e.length;o<a;o++)if(i=(r=e[o]).indexOf(fg.OPEN_ROUND_BRACKET)>-1?r.substring(0,r.indexOf(fg.OPEN_ROUND_BRACKET)):r,-1===t.indexOf(i)&&-1===n.indexOf(i))return!1;return!0}(t,n,r)&&function(e){var t,n,r,i,o,a;for(o=0,a=e.length;o<a;o++){if(n=(i=(r=(t=e[o]).indexOf(fg.OPEN_ROUND_BRACKET))>-1)?t.substring(0,r):t,i&&-1==xg.indexOf(n))return!1;if(!i&&xg.indexOf(n)>-1)return!1}return!0}(t)&&(t.length<2||!function(e,t){var n,r,i,o,a,s,l,u,c=0;for(l=0,u=t.length;l<u&&(n=t[l],i=t[l+1]);l++)if(r=e.indexOf(n,c),c=o=e.indexOf(n,r+1),r+n.length==o&&(a=n.indexOf(fg.OPEN_ROUND_BRACKET)>-1?n.substring(0,n.indexOf(fg.OPEN_ROUND_BRACKET)):n,s=i.indexOf(fg.OPEN_ROUND_BRACKET)>-1?i.substring(0,i.indexOf(fg.OPEN_ROUND_BRACKET)):i,a!=Sg||s!=Sg))return!0;return!1}(e,t))&&(t.length<2||i&&function(e){var t,n,r,i=0;for(n=0,r=e.length;n<r;n++)if(Lg(t=e[n])?i+=kg.indexOf(t)>-1?1:0:i+=Cg.indexOf(t)>-1?1:0,i>1)return!1;return!0}(t))}function Lg(e){return vg.test(e)}var Pg=function(e,t,n,r){var i,o,a,s=gg(e,fg.COMMA);for(o=0,a=s.length;o<a;o++)if(0===(i=s[o]).length||Ag(i)||_g(i)||i.indexOf(fg.COLON)>-1&&!Rg(i,zg(i),t,n,r))return!1;return!0},Bg=_d;var Wg=function(e,t,n){var r,i,o,a=t.value.length,s=n.value.length,l=Math.max(a,s),u=Math.min(a,s)-1;for(o=0;o<l;o++)if(r=t.value[o]&&t.value[o][1]||r,i=n.value[o]&&n.value[o][1]||i,r!=Bg.COMMA&&i!=Bg.COMMA&&!e(r,i,o,o<=u))return!1;return!0};var Mg=function(e){for(var t=e.value.length-1;t>=0;t--)if("inherit"==e.value[t][1])return!0;return!1};var Ug=mf,Ig=vp;function Ng(e,t){return 1==e.value.length&&t.isVariable(e.value[0][1])}function qg(e,t){return e.value.length>1&&e.value.filter((function(e){return t.isVariable(e[1])})).length>1}var Dg=function(e,t,n){for(var r,i,o,a=e.length-1;a>=0;a--){var s=e[a],l=Ug[s.name];if(!s.dynamic&&l&&l.shorthand){if(Ng(s,t)||qg(s,t)){s.optimizable=!1;continue}s.shorthand=!0,s.dirty=!0;try{if(s.components=l.breakUp(s,Ug,t),l.shorthandComponents)for(i=0,o=s.components.length;i<o;i++)(r=s.components[i]).components=Ug[r.name].breakUp(r,Ug,t)}catch(e){if(!(e instanceof Ig))throw e;s.components=[],n.push(e.message)}s.components.length>0?s.multiplex=s.components[0].multiplex:s.unused=!0}}},Vg=mf;var jg=function(e){var t=Vg[e.name];return t&&t.shorthand?t.restore(e,Vg):e.value},Fg=Wg,Gg=Mg,Kg=function(e){var t,n,r=e.value[0][1];for(t=1,n=e.value.length;t<n;t++)if(e.value[t][1]!=r)return!1;return!0},Yg=Dg,Hg=mf,$g=Fp,Qg=jg,Zg=op,Xg=gp,Jg=Mf,ey=ap;function ty(e,t,n,r){var i,o,a,s,l=e[t],u=[];for(i in n)void 0!==l&&i==l.name||(o=Hg[i],a=n[i],l&&ny(n,i,l)?delete n[i]:o.components.length>Object.keys(a).length||ry(a)||iy(a,i,r)&&ay(a)&&(sy(a)?ly(e,a,i,r):my(e,a,i,r),u.push(i)));for(s=u.length-1;s>=0;s--)delete n[u[s]]}function ny(e,t,n){var r,i=Hg[t],o=Hg[n.name];if("overridesShorthands"in i&&i.overridesShorthands.indexOf(n.name)>-1)return!0;if(o&&"componentOf"in o)for(r in e[t])if(o.componentOf.indexOf(r)>-1)return!0;return!1}function ry(e){var t,n;for(n in e){if(void 0!==t&&e[n].important!=t)return!0;t=e[n].important}return!1}function iy(e,t,n){var r,i,o,a,s=Hg[t],l=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,s.defaultValue]],u=Xg(l);for(Yg([u],n,[]),o=0,a=s.components.length;o<a;o++)if(r=e[s.components[o]],i=Hg[r.name].canOverride||oy,!Fg(i.bind(null,n),u.components[o],r))return!1;return!0}function oy(e,t,n){return t===n}function ay(e){var t,n,r,i,o=null;for(n in e)if(r=e[n],"restore"in(i=Hg[n])){if(Zg([r.all[r.position]],Qg),t=i.restore(r,Hg).length,null!==o&&t!==o)return!1;o=t}return!0}function sy(e){var t,n,r=null;for(t in e){if(n=Gg(e[t]),null!==r&&r!==n)return!0;r=n}return!1}function ly(e,t,n,r){var i,o,a,s,l=function(e,t,n){var r,i,o,a,s,l,u=[],c={},d={},p=Hg[t],m=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,p.defaultValue]],h=Xg(m);for(Yg([h],n,[]),s=0,l=p.components.length;s<l;s++)r=e[p.components[s]],Gg(r)?(i=r.all[r.position].slice(0,2),Array.prototype.push.apply(i,r.value),u.push(i),(o=$g(r)).value=uy(e,o.name),h.components[s]=o,c[r.name]=$g(r)):((o=$g(r)).all=r.all,h.components[s]=o,d[r.name]=r);return h.important=e[Object.keys(e).pop()].important,a=cy(d,1),m[1].push(a),Zg([h],Qg),m=m.slice(0,2),Array.prototype.push.apply(m,h.value),u.unshift(m),[u,h,c]}(t,n,r),u=function(e,t,n){var r,i,o,a,s,l,u=[],c={},d={},p=Hg[t],m=[ey.PROPERTY,[ey.PROPERTY_NAME,t],[ey.PROPERTY_VALUE,"inherit"]],h=Xg(m);for(Yg([h],n,[]),s=0,l=p.components.length;s<l;s++)r=e[p.components[s]],Gg(r)?c[r.name]=r:(i=r.all[r.position].slice(0,2),Array.prototype.push.apply(i,r.value),u.push(i),d[r.name]=$g(r));return o=cy(c,1),m[1].push(o),a=cy(c,2),m[2].push(a),u.unshift(m),[u,h,d]}(t,n,r),c=l[0],d=u[0],p=Jg(c).length<Jg(d).length,m=p?c:d,h=p?l[1]:u[1],f=p?l[2]:u[2],g=t[Object.keys(t).pop()],y=g.all,v=g.position;for(i in h.position=v,h.shorthand=!0,h.important=g.important,h.multiplex=!1,h.dirty=!0,h.all=y,h.all[v]=m[0],e.splice(v,1,h),t)(o=t[i]).unused=!0,h.multiplex=h.multiplex||o.multiplex,o.name in f&&(a=f[o.name],s=py(m,i),a.position=y.length,a.all=y,a.all.push(s),e.push(a))}function uy(e,t){var n=Hg[t];return"oppositeTo"in n?e[n.oppositeTo].value:[[ey.PROPERTY_VALUE,n.defaultValue]]}function cy(e,t){var n,r,i,o,a=[];for(o in e)i=(r=(n=e[o]).all[n.position])[t][r[t].length-1],Array.prototype.push.apply(a,i);return a.sort(dy)}function dy(e,t){var n=e[0],r=t[0],i=e[1],o=t[1];return n<r||n===r&&i<o?-1:1}function py(e,t){var n,r;for(n=0,r=e.length;n<r;n++)if(e[n][1][1]==t)return e[n]}function my(e,t,n,r){var i,o,a,s=Hg[n],l=[ey.PROPERTY,[ey.PROPERTY_NAME,n],[ey.PROPERTY_VALUE,s.defaultValue]],u=function(e,t,n){var r=Object.keys(t),i=t[r[0]].position,o=t[r[r.length-1]].position;return"border"==n&&function(e,t){for(var n=e.length-1;n>=0;n--)if(e[n].name==t)return!0;return!1}(e.slice(i,o),"border-image")?i:o}(e,t,n),c=Xg(l);c.shorthand=!0,c.dirty=!0,c.multiplex=!1,Yg([c],r,[]);for(var d=0,p=s.components.length;d<p;d++){var m=t[s.components[d]];c.components[d]=$g(m),c.important=m.important,c.multiplex=c.multiplex||m.multiplex,a=m.all}for(var h in t)t[h].unused=!0;i=cy(t,1),l[1].push(i),o=cy(t,2),l[2].push(o),c.position=u,c.all=a,c.all[u]=l,e.splice(u,1,c)}var hy=mf;function fy(e,t){return e.components.filter(t)[0]}var gy=mf;function yy(e,t){var n=gy[e.name];return"components"in n&&n.components.indexOf(t.name)>-1}var vy=_d;var by=mf;var Sy=Mg,xy=function(e){for(var t=e.value.length-1;t>=0;t--)if("unset"==e.value[t][1])return!0;return!1},wy=Wg,Cy=function(e,t){var n,r=(n=t,function(e){return n.name===e.name});return fy(e,r)||function(e,t){var n,r,i;if(!hy[e.name].shorthandComponents)return;for(r=0,i=e.components.length;r<i;r++)if(n=fy(e.components[r],t))return n;return}(e,r)},ky=function(e,t,n){return yy(e,t)||!n&&!!gy[e.name].shorthandComponents&&function(e,t){return e.components.some((function(e){return yy(e,t)}))}(e,t)},Oy=function(e){return"font"!=e.name||-1==e.value[0][1].indexOf(vy.INTERNAL)},Ty=function(e,t){return e.name in by&&"overridesShorthands"in by[e.name]&&by[e.name].overridesShorthands.indexOf(t.name)>-1},Ey=Rp,Ay=mf,_y=Fp,zy=jg,Ry=Gp,Ly=op,Py=ap,By=_d,Wy=Uf;function My(e,t,n){return t===n}function Uy(e,t){for(var n=0;n<e.components.length;n++){var r=e.components[n],i=Ay[r.name],o=i&&i.canOverride||My,a=Ry(r);if(a.value=[[Py.PROPERTY_VALUE,i.defaultValue]],!wy(o.bind(null,t),a,r))return!0}return!1}function Iy(e,t){t.unused=!0,Vy(t,Fy(e)),e.value=t.value}function Ny(e,t){t.unused=!0,e.multiplex=!0,e.value=t.value}function qy(e,t){t.multiplex?Ny(e,t):e.multiplex?Iy(e,t):function(e,t){t.unused=!0,e.value=t.value}(e,t)}function Dy(e,t){t.unused=!0;for(var n=0,r=e.components.length;n<r;n++)qy(e.components[n],t.components[n],e.multiplex)}function Vy(e,t){e.multiplex=!0,Ay[e.name].shorthand?function(e,t){var n,r,i;for(r=0,i=e.components.length;r<i;r++)(n=e.components[r]).multiplex||jy(n,t)}(e,t):jy(e,t)}function jy(e,t){for(var n,r=Ay[e.name],i="real"==r.intoMultiplexMode,o="real"==r.intoMultiplexMode?e.value.slice(0):"placeholder"==r.intoMultiplexMode?r.placeholderValue:r.defaultValue,a=Fy(e),s=o.length;a<t;a++)if(e.value.push([Py.PROPERTY_VALUE,By.COMMA]),Array.isArray(o))for(n=0;n<s;n++)e.value.push(i?o[n]:[Py.PROPERTY_VALUE,o[n]]);else e.value.push(i?o:[Py.PROPERTY_VALUE,o])}function Fy(e){for(var t=0,n=0,r=e.value.length;n<r;n++)e.value[n][1]==By.COMMA&&t++;return t+1}function Gy(e){var t=[Py.PROPERTY,[Py.PROPERTY_NAME,e.name]].concat(e.value);return Wy([t],0).length}function Ky(e,t,n){for(var r=0,i=t;i>=0&&(e[i].name!=n||e[i].unused||r++,!(r>1));i--);return r>1}function Yy(e,t){for(var n=0,r=e.components.length;n<r;n++)if(!Hy(t.isUrl,e.components[n])&&Hy(t.isFunction,e.components[n]))return!0;return!1}function Hy(e,t){for(var n=0,r=t.value.length;n<r;n++)if(t.value[n][1]!=By.COMMA&&e(t.value[n][1]))return!0;return!1}function $y(e,t){if(!e.multiplex&&!t.multiplex||e.multiplex&&t.multiplex)return!1;var n,r=e.multiplex?e:t,i=e.multiplex?t:e,o=_y(r);Ly([o],zy);var a=_y(i);Ly([a],zy);var s=Gy(o)+1+Gy(a);return e.multiplex?Iy(n=Cy(o,a),a):(n=Cy(a,o),Vy(a,Fy(o)),Ny(n,o)),Ly([a],zy),s<=Gy(a)}function Qy(e){return e.name in Ay}function Zy(e,t){return!e.multiplex&&("background"==e.name||"background-image"==e.name)&&t.multiplex&&("background"==t.name||"background-image"==t.name)&&function(e){for(var t=function(e){for(var t=[],n=0,r=[],i=e.length;n<i;n++){var o=e[n];o[1]==By.COMMA?(t.push(r),r=[]):r.push(o)}return t.push(r),t}(e),n=0,r=t.length;n<r;n++)if(1==t[n].length&&"none"==t[n][0][1])return!0;return!1}(t.value)}var Xy=function(e,t){var n,r,i,o,a,s,l,u={};if(!(e.length<3)){for(o=0,a=e.length;o<a;o++)if(i=e[o],n=Hg[i.name],!i.dynamic&&!i.unused&&!i.hack&&!i.block&&(!n||!n.singleTypeComponents||Kg(i))&&(ty(e,o,u,t),n&&n.componentOf))for(s=0,l=n.componentOf.length;s<l;s++)u[r=n.componentOf[s]]=u[r]||{},u[r][i.name]=i;ty(e,o,u,t)}},Jy=function(e,t,n,r){var i,o,a,s,l,u,c,d,p,m,h;e:for(p=e.length-1;p>=0;p--)if(Qy(o=e[p])&&!o.block){i=Ay[o.name].canOverride||My;t:for(m=p-1;m>=0;m--)if(Qy(a=e[m])&&!a.block&&!a.dynamic&&!o.dynamic&&!a.unused&&!o.unused&&(!a.hack||o.hack||o.important)&&(a.hack||a.important||!o.hack)&&(a.important!=o.important||a.hack[0]==o.hack[0])&&!(a.important==o.important&&(a.hack[0]!=o.hack[0]||a.hack[1]&&a.hack[1]!=o.hack[1])||Sy(o)||Zy(a,o)))if(o.shorthand&&ky(o,a)){if(!o.important&&a.important)continue;if(!Ey([a],o.components))continue;if(!Hy(r.isFunction,a)&&Yy(o,r))continue;if(!Oy(o)){a.unused=!0;continue}s=Cy(o,a),i=Ay[a.name].canOverride||My,wy(i.bind(null,r),a,s)&&(a.unused=!0)}else if(o.shorthand&&Ty(o,a)){if(!o.important&&a.important)continue;if(!Ey([a],o.components))continue;if(!Hy(r.isFunction,a)&&Yy(o,r))continue;for(h=(l=a.shorthand?a.components:[a]).length-1;h>=0;h--)if(u=l[h],c=Cy(o,u),i=Ay[u.name].canOverride||My,!wy(i.bind(null,r),a,c))continue t;a.unused=!0}else if(t&&a.shorthand&&!o.shorthand&&ky(a,o,!0)){if(o.important&&!a.important)continue;if(!o.important&&a.important){o.unused=!0;continue}if(Ky(e,p-1,a.name))continue;if(Yy(a,r))continue;if(!Oy(a))continue;if(xy(a)||xy(o))continue;if(s=Cy(a,o),wy(i.bind(null,r),s,o)){var f=!n.properties.backgroundClipMerging&&s.name.indexOf("background-clip")>-1||!n.properties.backgroundOriginMerging&&s.name.indexOf("background-origin")>-1||!n.properties.backgroundSizeMerging&&s.name.indexOf("background-size")>-1,g=Ay[o.name].nonMergeableValue===o.value[0][1];if(f||g)continue;if(!n.properties.merging&&Uy(a,r))continue;if(s.value[0][1]!=o.value[0][1]&&(Sy(a)||Sy(o)))continue;if($y(a,o))continue;!a.multiplex&&o.multiplex&&Vy(a,Fy(o)),qy(s,o),a.dirty=!0}}else if(t&&a.shorthand&&o.shorthand&&a.name==o.name){if(!a.multiplex&&o.multiplex)continue;if(!o.important&&a.important){o.unused=!0;continue e}if(o.important&&!a.important){a.unused=!0;continue}if(!Oy(o)){a.unused=!0;continue}for(h=a.components.length-1;h>=0;h--){var y=a.components[h],v=o.components[h];if(i=Ay[y.name].canOverride||My,!wy(i.bind(null,r),y,v))continue e}Dy(a,o),a.dirty=!0}else if(t&&a.shorthand&&o.shorthand&&ky(a,o)){if(!a.important&&o.important)continue;if(s=Cy(a,o),i=Ay[o.name].canOverride||My,!wy(i.bind(null,r),s,o))continue;if(a.important&&!o.important){o.unused=!0;continue}if(Ay[o.name].restore(o,Ay).length>1)continue;qy(s=Cy(a,o),o),o.dirty=!0}else if(a.name==o.name){if(d=!0,o.shorthand)for(h=o.components.length-1;h>=0&&d;h--)u=a.components[h],c=o.components[h],i=Ay[c.name].canOverride||My,d=d&&wy(i.bind(null,r),u,c);else i=Ay[o.name].canOverride||My,d=wy(i.bind(null,r),a,o);if(a.important&&!o.important&&d){o.unused=!0;continue}if(!a.important&&o.important&&d){a.unused=!0;continue}if(!d)continue;a.unused=!0}}},ev=Dg,tv=jg,nv=fp,rv=ep,iv=op,ov=hm;var av=function e(t,n,r,i){var o,a,s,l=i.options.level[ov.Two],u=nv(t,l.skipProperties);for(ev(u,i.validator,i.warnings),a=0,s=u.length;a<s;a++)(o=u[a]).block&&e(o.value[0][1],n,r,i);r&&l.mergeIntoShorthands&&Xy(u,i.validator),n&&l.overrideProperties&&Jy(u,r,i.options.compatibility,i.validator),iv(u,tv),rv(u)},sv=Pg,lv=av,uv=$c,cv=Hd,dv=hm,pv=Mf,mv=If,hv=ap;var fv=function(e,t){for(var n=[null,[],[]],r=t.options,i=r.compatibility.selectors.adjacentSpace,o=r.level[dv.One].selectorsSortingMethod,a=r.compatibility.selectors.mergeablePseudoClasses,s=r.compatibility.selectors.mergeablePseudoElements,l=r.compatibility.selectors.mergeLimit,u=r.compatibility.selectors.multiplePseudoMerging,c=0,d=e.length;c<d;c++){var p=e[c];p[0]==hv.RULE?n[0]==hv.RULE&&mv(p[1])==mv(n[1])?(Array.prototype.push.apply(n[2],p[2]),lv(n[2],!0,!0,t),p[2]=[]):n[0]==hv.RULE&&pv(p[2])==pv(n[2])&&sv(mv(p[1]),a,s,u)&&sv(mv(n[1]),a,s,u)&&n[1].length<l?(n[1]=cv(n[1].concat(p[1]),!1,i,!1,t.warnings),n[1]=n.length>1?uv(n[1],o):n[1],p[2]=[]):n=p:n=[null,[],[]]}},gv=/\-\-.+$/;function yv(e){return e.replace(gv,"")}var vv=function(e,t,n){var r,i,o,a,s,l;for(o=0,a=e.length;o<a;o++)for(r=e[o][1],s=0,l=t.length;s<l;s++){if(r==(i=t[s][1]))return!0;if(n&&yv(r)==yv(i))return!0}return!1},bv=_d,Sv=".",xv="#",wv=":",Cv=/[a-zA-Z]/,kv=/[\s,\(>~\+]/;function Ov(e,t){return e.indexOf(":not(",t)===t}var Tv=function(e){var t,n,r,i,o,a,s,l=[0,0,0],u=0,c=!1,d=!1;for(a=0,s=e.length;a<s;a++){if(t=e[a],n);else if(t!=bv.SINGLE_QUOTE||i||r)if(t==bv.SINGLE_QUOTE&&!i&&r)r=!1;else if(t!=bv.DOUBLE_QUOTE||i||r)if(t==bv.DOUBLE_QUOTE&&i&&!r)i=!1;else{if(r||i)continue;u>0&&!c||(t==bv.OPEN_ROUND_BRACKET?u++:t==bv.CLOSE_ROUND_BRACKET&&1==u?(u--,c=!1):t==bv.CLOSE_ROUND_BRACKET?u--:t==xv?l[0]++:t==Sv||t==bv.OPEN_SQUARE_BRACKET?l[1]++:t!=wv||d||Ov(e,a)?t==wv?c=!0:(0===a||o)&&Cv.test(t)&&l[2]++:(l[1]++,c=!1))}else i=!0;else r=!0;d=t==wv,o=!(n=t==bv.BACK_SLASH)&&kv.test(t)}return l};function Ev(e,t){var n;return e in t||(t[e]=n=Tv(e)),n||t[e]}var Av=vv,_v=function(e,t,n){var r,i,o,a,s,l;for(o=0,a=e.length;o<a;o++)for(r=Ev(e[o][1],n),s=0,l=t.length;s<l;s++)if(i=Ev(t[s][1],n),r[0]===i[0]&&r[1]===i[1]&&r[2]===i[2])return!0;return!1},zv=/align\-items|box\-align|box\-pack|flex|justify/,Rv=/^border\-(top|right|bottom|left|color|style|width|radius)/;function Lv(e,t,n){var r,i,o=e[0],a=e[1],s=e[2],l=e[5],u=e[6],c=t[0],d=t[1],p=t[2],m=t[5],h=t[6];return!("font"==o&&"line-height"==c||"font"==c&&"line-height"==o)&&((!zv.test(o)||!zv.test(c))&&(!(s==p&&Bv(o)==Bv(c)&&Pv(o)^Pv(c))&&(("border"!=s||!Rv.test(p)||!("border"==o||o==p||a!=d&&Wv(o,c)))&&(("border"!=p||!Rv.test(s)||!("border"==c||c==s||a!=d&&Wv(o,c)))&&(("border"!=s||"border"!=p||o==c||!(Mv(o)&&Uv(c)||Uv(o)&&Mv(c)))&&(s!=p||(!(o!=c||s!=p||a!=d&&(r=a,i=d,!Pv(r)||!Pv(i)||r.split("-")[1]==i.split("-")[2]))||(o!=c&&s==p&&o!=s&&c!=p||(o!=c&&s==p&&a==d||(!(!h||!u||Iv(s)||Iv(p)||Av(m,l,!1))||!_v(l,m,n)))))))))))}function Pv(e){return/^\-(?:moz|webkit|ms|o)\-/.test(e)}function Bv(e){return e.replace(/^\-(?:moz|webkit|ms|o)\-/,"")}function Wv(e,t){return e.split("-").pop()==t.split("-").pop()}function Mv(e){return"border-top"==e||"border-right"==e||"border-bottom"==e||"border-left"==e}function Uv(e){return"border-color"==e||"border-style"==e||"border-width"==e}function Iv(e){return"font"==e||"line-height"==e||"list-style"==e}var Nv=function(e,t,n){for(var r=t.length-1;r>=0;r--)for(var i=e.length-1;i>=0;i--)if(!Lv(e[i],t[r],n))return!1;return!0},qv=ap,Dv=If,Vv=Nf;function jv(e){return"list-style"==e?e:e.indexOf("-radius")>0?"border-radius":"border-collapse"==e||"border-spacing"==e||"border-image"==e?e:0===e.indexOf("border-")&&/^border\-\w+\-\w+$/.test(e)?e.match(/border\-\w+/)[0]:0===e.indexOf("border-")&&/^border\-\w+$/.test(e)?"border":0===e.indexOf("text-")||"-chrome-"==e?e:e.replace(/^\-\w+\-/,"").match(/([a-zA-Z]+)/)[0].toLowerCase()}var Fv=function e(t){var n,r,i,o,a,s,l=[];if(t[0]==qv.RULE)for(n=!/[\.\+>~]/.test(Dv(t[1])),a=0,s=t[2].length;a<s;a++)(r=t[2][a])[0]==qv.PROPERTY&&0!==(i=r[1][1]).length&&(o=Vv(r,a),l.push([i,o,jv(i),t[2][a],i+":"+o,t[1],n]));else if(t[0]==qv.NESTED_BLOCK)for(a=0,s=t[2].length;a<s;a++)l=l.concat(e(t[2][a]));return l},Gv=Nv,Kv=Lv,Yv=Fv,Hv=vv,$v=If,Qv=hm,Zv=ap;function Xv(e,t,n){var r,i,o,a,s,l,u,c;for(s=0,l=e.length;s<l;s++)for(i=(r=e[s])[5],u=0,c=t.length;u<c;u++)if(a=(o=t[u])[5],Hv(i,a,!0)&&!Kv(r,o,n))return!1;return!0}var Jv=Pg,eb=$c,tb=Hd,nb=hm,rb=Mf,ib=If,ob=ap;function ab(e){return/\.|\*| :/.test(e)}function sb(e){var t=ib(e[1]);return t.indexOf("__")>-1||t.indexOf("--")>-1}function lb(e){return e.replace(/--[^ ,>\+~:]+/g,"")}function ub(e,t){var n=lb(ib(e[1]));for(var r in t){var i=t[r],o=lb(ib(i[1]));(o.indexOf(n)>-1||n.indexOf(o)>-1)&&delete t[r]}}var cb=function(e,t){for(var n=t.options,r=n.level[nb.Two].mergeSemantically,i=n.compatibility.selectors.adjacentSpace,o=n.level[nb.One].selectorsSortingMethod,a=n.compatibility.selectors.mergeablePseudoClasses,s=n.compatibility.selectors.mergeablePseudoElements,l=n.compatibility.selectors.multiplePseudoMerging,u={},c=e.length-1;c>=0;c--){var d=e[c];if(d[0]==ob.RULE){d[2].length>0&&!r&&ab(ib(d[1]))&&(u={}),d[2].length>0&&r&&sb(d)&&ub(d,u);var p=rb(d[2]),m=u[p];m&&Jv(ib(d[1]),a,s,l)&&Jv(ib(m[1]),a,s,l)&&(d[2].length>0?(d[1]=tb(m[1].concat(d[1]),!1,i,!1,t.warnings),d[1]=d[1].length>1?eb(d[1],o):d[1]):d[1]=m[1].concat(d[1]),m[2]=[],u[p]=null),u[rb(d[2])]=d}}},db=Nv,pb=Fv,mb=av,hb=If,fb=ap;var gb=function e(t){for(var n=t.slice(0),r=0,i=n.length;r<i;r++)Array.isArray(n[r])&&(n[r]=e(n[r]));return n},yb=Pg,vb=av,bb=gb,Sb=ap,xb=Mf,wb=If;function Cb(e){for(var t=[],n=0;n<e.length;n++)t.push([e[n][1]]);return t}function kb(e,t,n,r,i){for(var o=[],a=[],s=[],l=t.length-1;l>=0;l--)if(!n.filterOut(l,o)){var u=t[l].where,c=e[u],d=bb(c[2]);o=o.concat(d),a.push(d),s.push(u)}vb(o,!0,!1,i);for(var p=s.length,m=o.length-1,h=p-1;h>=0;)if((0===h||o[m]&&a[h].indexOf(o[m])>-1)&&m>-1)m--;else{var f=o.splice(m+1);n.callback(e[s[h]],f,p,h),h--}}var Ob=function(e,t){for(var n=t.options,r=n.compatibility.selectors.mergeablePseudoClasses,i=n.compatibility.selectors.mergeablePseudoElements,o=n.compatibility.selectors.multiplePseudoMerging,a={},s=[],l=e.length-1;l>=0;l--){var u=e[l];if(u[0]==Sb.RULE&&0!==u[2].length)for(var c=wb(u[1]),d=u[1].length>1&&yb(c,r,i,o),p=Cb(u[1]),m=d?[c].concat(p):[c],h=0,f=m.length;h<f;h++){var g=m[h];a[g]?s.push(g):a[g]=[],a[g].push({where:l,list:p,isPartial:d&&h>0,isComplex:d&&0===h})}}!function(e,t,n,r,i){function o(e,t){return u[e].isPartial&&0===t.length}function a(e,t,n,r){u[n-r-1].isPartial||(e[2]=t)}for(var s=0,l=t.length;s<l;s++){var u=n[t[s]];kb(e,u,{filterOut:o,callback:a},r,i)}}(e,s,a,n,t),function(e,t,n,r){var i=n.compatibility.selectors.mergeablePseudoClasses,o=n.compatibility.selectors.mergeablePseudoElements,a=n.compatibility.selectors.multiplePseudoMerging,s={};function l(e){return s.data[e].where<s.intoPosition}function u(e,t,n,r){0===r&&s.reducedBodies.push(t)}e:for(var c in t){var d=t[c];if(d[0].isComplex){var p=d[d.length-1].where,m=e[p],h=[],f=yb(c,i,o,a)?d[0].list:[c];s.intoPosition=p,s.reducedBodies=h;for(var g=0,y=f.length;g<y;g++){var v=t[f[g]];if(v.length<2)continue e;if(s.data=v,kb(e,v,{filterOut:l,callback:u},n,r),xb(h[h.length-1])!=xb(h[0]))continue e}m[2]=h[0]}}}(e,a,n,t)},Tb=ap,Eb=Wf;var Ab=function(e){var t,n,r,i,o=[];for(r=0,i=e.length;r<i;r++)(t=e[r])[0]!=Tb.AT_RULE_BLOCK&&"@font-face"!=t[1][0][1]||(n=Eb([t]),o.indexOf(n)>-1?t[2]=[]:o.push(n))},_b=ap,zb=Wf,Rb=If;var Lb=function(e){var t,n,r,i,o,a={};for(i=0,o=e.length;i<o;i++)(n=e[i])[0]==_b.NESTED_BLOCK&&((t=a[r=Rb(n[1])+"%"+zb(n[2])])&&(t[2]=[]),a[r]=n)},Pb=ap,Bb=Mf,Wb=If;var Mb=function(e){for(var t,n,r,i,o={},a=[],s=0,l=e.length;s<l;s++)(n=e[s])[0]==Pb.RULE&&(o[t=Wb(n[1])]&&1==o[t].length?a.push(t):o[t]=o[t]||[],o[t].push(s));for(s=0,l=a.length;s<l;s++){i=[];for(var u=o[t=a[s]].length-1;u>=0;u--)n=e[o[t][u]],r=Bb(n[2]),i.indexOf(r)>-1?n[2]=[]:i.push(r)}},Ub=Dg,Ib=gp,Nb=op,qb=ap,Db=/^(\-moz\-|\-o\-|\-webkit\-)?animation-name$/,Vb=/^(\-moz\-|\-o\-|\-webkit\-)?animation$/,jb=/^@(\-moz\-|\-o\-|\-webkit\-)?keyframes /,Fb=/\s{0,31}!important$/,Gb=/^(['"]?)(.*)\1$/;function Kb(e){return e.replace(Gb,"$2").replace(Fb,"")}function Yb(e,t,n,r){var i,o,a,s,l,u={};for(s=0,l=e.length;s<l;s++)t(e[s],u);if(0!==Object.keys(u).length)for(i in Hb(e,n,u,r),u)for(s=0,l=(o=u[i]).length;s<l;s++)(a=o[s])[a[0]==qb.AT_RULE?1:2]=[]}function Hb(e,t,n,r){var i,o,a=t(n);for(i=0,o=e.length;i<o;i++)switch(e[i][0]){case qb.RULE:a(e[i],r);break;case qb.NESTED_BLOCK:Hb(e[i][2],t,n,r)}}function $b(e,t){var n;e[0]==qb.AT_RULE_BLOCK&&0===e[1][0][1].indexOf("@counter-style")&&(t[n=e[1][0][1].split(" ")[1]]=t[n]||[],t[n].push(e))}function Qb(e){return function(t,n){var r,i,o,a;for(o=0,a=t[2].length;o<a;o++)"list-style"==(r=t[2][o])[1][1]&&(i=Ib(r),Ub([i],n.validator,n.warnings),i.components[0].value[0][1]in e&&delete e[r[2][1]],Nb([i])),"list-style-type"==r[1][1]&&r[2][1]in e&&delete e[r[2][1]]}}function Zb(e,t){var n,r,i,o;if(e[0]==qb.AT_RULE_BLOCK&&"@font-face"==e[1][0][1])for(i=0,o=e[2].length;i<o;i++)if("font-family"==(n=e[2][i])[1][1]){t[r=Kb(n[2][1].toLowerCase())]=t[r]||[],t[r].push(e);break}}function Xb(e){return function(t,n){var r,i,o,a,s,l,u,c;for(s=0,l=t[2].length;s<l;s++){if("font"==(r=t[2][s])[1][1]){for(i=Ib(r),Ub([i],n.validator,n.warnings),u=0,c=(o=i.components[6]).value.length;u<c;u++)(a=Kb(o.value[u][1].toLowerCase()))in e&&delete e[a];Nb([i])}if("font-family"==r[1][1])for(u=2,c=r.length;u<c;u++)(a=Kb(r[u][1].toLowerCase()))in e&&delete e[a]}}}function Jb(e,t){var n;e[0]==qb.NESTED_BLOCK&&jb.test(e[1][0][1])&&(t[n=e[1][0][1].split(" ")[1]]=t[n]||[],t[n].push(e))}function eS(e){return function(t,n){var r,i,o,a,s,l,u;for(a=0,s=t[2].length;a<s;a++){if(r=t[2][a],Vb.test(r[1][1])){for(i=Ib(r),Ub([i],n.validator,n.warnings),l=0,u=(o=i.components[7]).value.length;l<u;l++)o.value[l][1]in e&&delete e[o.value[l][1]];Nb([i])}if(Db.test(r[1][1]))for(l=2,u=r.length;l<u;l++)r[l][1]in e&&delete e[r[l][1]]}}}function tS(e,t){var n;e[0]==qb.AT_RULE&&0===e[1].indexOf("@namespace")&&(t[n=e[1].split(" ")[1]]=t[n]||[],t[n].push(e))}function nS(e){var t=new RegExp(Object.keys(e).join("\\||")+"\\|","g");return function(n){var r,i,o,a,s,l;for(o=0,a=n[1].length;o<a;o++)for(s=0,l=(r=n[1][o][1].match(t)).length;s<l;s++)(i=r[s].substring(0,r[s].length-1))in e&&delete e[i]}}function rS(e,t){return e[1]>t[1]?1:-1}var iS=Lv,oS=Fv,aS=Pg,sS=function(e){for(var t=[],n=[],r=0,i=e.length;r<i;r++){var o=e[r];-1==n.indexOf(o[1])&&(n.push(o[1]),t.push(o))}return t.sort(rS)},lS=ap,uS=gb,cS=Mf,dS=If;function pS(e,t){return e>t?1:-1}var mS=fv,hS=function(e,t){for(var n=t.options.level[Qv.Two].mergeSemantically,r=t.cache.specificity,i={},o=[],a=e.length-1;a>=0;a--){var s=e[a];if(s[0]==Zv.NESTED_BLOCK){var l=$v(s[1]),u=i[l];u||(u=[],i[l]=u),u.push(a)}}for(var c in i){var d=i[c];e:for(var p=d.length-1;p>0;p--){var m=d[p],h=e[m],f=d[p-1],g=e[f];t:for(var y=1;y>=-1;y-=2){for(var v=1==y,b=v?m+1:f-1,S=v?f:m,x=v?1:-1,w=v?h:g,C=v?g:h,k=Yv(w);b!=S;){var O=Yv(e[b]);if(b+=x,!(n&&Xv(k,O,r)||Gv(k,O,r)))continue t}C[2]=v?w[2].concat(C[2]):C[2].concat(w[2]),w[2]=[],o.push(C);continue e}}}return o},fS=cb,gS=function(e,t){var n,r=t.cache.specificity,i={},o=[];for(n=e.length-1;n>=0;n--)if(e[n][0]==fb.RULE&&0!==e[n][2].length){var a=hb(e[n][1]);i[a]=[n].concat(i[a]||[]),2==i[a].length&&o.push(a)}for(n=o.length-1;n>=0;n--){var s=i[o[n]];e:for(var l=s.length-1;l>0;l--){var u=s[l-1],c=e[u],d=s[l],p=e[d];t:for(var m=1;m>=-1;m-=2){for(var h=1==m,f=h?u+1:d-1,g=h?d:u,y=h?1:-1,v=h?c:p,b=h?p:c,S=pb(v);f!=g;){var x=pb(e[f]);f+=y;var w=h?db(S,x,r):db(x,S,r);if(!w&&!h)continue e;if(!w&&h)continue t}h?(Array.prototype.push.apply(v[2],b[2]),b[2]=v[2]):Array.prototype.push.apply(b[2],v[2]),mb(b[2],!0,!0,t),v[2]=[]}}}},yS=Ob,vS=Ab,bS=Lb,SS=Mb,xS=function(e,t){Yb(e,$b,Qb,t),Yb(e,Zb,Xb,t),Yb(e,Jb,eS,t),Yb(e,tS,nS,t)},wS=function(e,t){var n,r,i,o=t.options,a=o.compatibility.selectors.mergeablePseudoClasses,s=o.compatibility.selectors.mergeablePseudoElements,l=o.compatibility.selectors.mergeLimit,u=o.compatibility.selectors.multiplePseudoMerging,c=t.cache.specificity,d={},p=[],m={},h=[],f="%";function g(e,t){var n=function(e){for(var t=[],n=0,r=e.length;n<r;n++)t.push(dS(e[n][1]));return t.join(f)}(t);return m[n]=m[n]||[],m[n].push([e,t]),n}function y(e){var t,n=e.split(f),r=[];for(var i in m){var o=i.split(f);for(t=o.length-1;t>=0;t--)if(n.indexOf(o[t])>-1){r.push(i);break}}for(t=r.length-1;t>=0;t--)delete m[r[t]]}function v(e){for(var t=[],n=[],r=e.length-1;r>=0;r--)aS(dS(e[r][1]),a,s,u)&&(n.unshift(e[r]),e[r][2].length>0&&-1==t.indexOf(e[r])&&t.push(e[r]));return t.length>1?n:[]}function b(e,t){var n=t[0],r=t[1],i=t[4],o=n.length+r.length+1,a=[],s=[],l=v(d[i]);if(!(l.length<2)){var u=x(l,o,1),c=u[0];if(c[1]>0)return function(e,t,n){for(var r=n.length-1;r>=0;r--){var i=g(t,n[r][0]);if(m[i].length>1&&T(e,m[i])){y(i);break}}}(e,t,u);for(var p=c[0].length-1;p>=0;p--)a=c[0][p][1].concat(a),s.unshift(c[0][p]);k(e,[t],a=sS(a),s)}}function S(e,t){return e[1]>t[1]?1:e[1]==t[1]?0:-1}function x(e,t,n){return w(e,t,n,1).sort(S)}function w(e,t,n,r){var i=[[e,C(e,t,n)]];if(e.length>2&&r>0)for(var o=e.length-1;o>=0;o--){var a=Array.prototype.slice.call(e,0);a.splice(o,1),i=i.concat(w(a,t,n,r-1))}return i}function C(e,t,n){for(var r=0,i=e.length-1;i>=0;i--)r+=e[i][2].length>n?dS(e[i][1]).length:-1;return r-(e.length-1)*t+1}function k(t,n,r,i){var o,a,s,l,u=[];for(o=i.length-1;o>=0;o--){var c=i[o];for(a=c[2].length-1;a>=0;a--){var d=c[2][a];for(s=0,l=n.length;s<l;s++){var p=n[s],m=d[1][1],h=p[0],f=p[4];if(m==h&&cS([d])==f){c[2].splice(a,1);break}}}}for(o=n.length-1;o>=0;o--)u.unshift(n[o][3]);var g=[lS.RULE,r,u];e.splice(t,0,g)}function O(e,t){var n=t[4],r=d[n];r&&r.length>1&&(function(e,t){var n,r,i=[],o=[],a=t[4],s=v(d[a]);if(s.length<2)return;e:for(var l in d){var u=d[l];for(n=s.length-1;n>=0;n--)if(-1==u.indexOf(s[n]))continue e;i.push(l)}if(i.length<2)return!1;for(n=i.length-1;n>=0;n--)for(r=p.length-1;r>=0;r--)if(p[r][4]==i[n]){o.unshift([p[r],s]);break}return T(e,o)}(e,t)||b(e,t))}function T(e,t){for(var n,r=0,i=[],o=t.length-1;o>=0;o--){r+=(n=t[o][0])[4].length+(o>0?1:0),i.push(n)}var a=x(t[0][1],r,i.length)[0];if(a[1]>0)return!1;var s=[],l=[];for(o=a[0].length-1;o>=0;o--)s=a[0][o][1].concat(s),l.unshift(a[0][o]);for(k(e,i,s=sS(s),l),o=i.length-1;o>=0;o--){n=i[o];var u=p.indexOf(n);delete d[n[4]],u>-1&&-1==h.indexOf(u)&&h.push(u)}return!0}function E(e,t,n){if(e[0]!=t[0])return!1;var r=t[4],i=d[r];return i&&i.indexOf(n)>-1}for(var A=e.length-1;A>=0;A--){var _,z,R,L,P,B=e[A];if(B[0]==lS.RULE)_=!0;else{if(B[0]!=lS.NESTED_BLOCK)continue;_=!1}var W=p.length,M=oS(B);h=[];var U=[];for(z=M.length-1;z>=0;z--)for(R=z-1;R>=0;R--)if(!iS(M[z],M[R],c)){U.push(z);break}for(z=M.length-1;z>=0;z--){var I=M[z],N=!1;for(R=0;R<W;R++){var q=p[R];-1==h.indexOf(R)&&(!iS(I,q,c)&&!E(I,q,B)||d[q[4]]&&d[q[4]].length===l)&&(O(A+1,q),-1==h.indexOf(R)&&(h.push(R),delete d[q[4]])),N||(N=I[0]==q[0]&&I[1]==q[1])&&(P=R)}if(_&&!(U.indexOf(z)>-1)){var D=I[4];N&&p[P][5].length+I[5].length>l?(O(A+1,p[P]),p.splice(P,1),d[D]=[B],N=!1):(d[D]=d[D]||[],d[D].push(B)),N?p[P]=(n=p[P],r=I,i=void 0,(i=uS(n))[5]=i[5].concat(r[5]),i):p.push(I)}}for(z=0,L=(h=h.sort(pS)).length;z<L;z++){var V=h[z]-z;p.splice(V,1)}}for(var j=e[0]&&e[0][0]==lS.AT_RULE&&0===e[0][1].indexOf("@charset")?1:0;j<e.length-1;j++){var F=e[j][0]===lS.AT_RULE&&0===e[j][1].indexOf("@import"),G=e[j][0]===lS.COMMENT;if(!F&&!G)break}for(A=0;A<p.length;A++)O(j,p[A])},CS=av,kS=hm,OS=ap;function TS(e){for(var t=0,n=e.length;t<n;t++){var r=e[t],i=!1;switch(r[0]){case OS.RULE:i=0===r[1].length||0===r[2].length;break;case OS.NESTED_BLOCK:TS(r[2]),i=0===r[2].length;break;case OS.AT_RULE:i=0===r[1].length;break;case OS.AT_RULE_BLOCK:i=0===r[2].length}i&&(e.splice(t,1),t--,n--)}}function ES(e,t){for(var n=0,r=e.length;n<r;n++){var i=e[n];switch(i[0]){case OS.RULE:CS(i[2],!0,!0,t);break;case OS.NESTED_BLOCK:ES(i[2],t)}}}function AS(e,t,n){var r,i,o=t.options.level[kS.Two],a=t.options.plugins.level2Block;if(function(e,t){for(var n=0,r=e.length;n<r;n++){var i=e[n];if(i[0]==OS.NESTED_BLOCK){var o=/@(-moz-|-o-|-webkit-)?keyframes/.test(i[1][0][1]);AS(i[2],t,!o)}}}(e,t),ES(e,t),o.removeDuplicateRules&&SS(e),o.mergeAdjacentRules&&mS(e,t),o.reduceNonAdjacentRules&&yS(e,t),o.mergeNonAdjacentRules&&"body"!=o.mergeNonAdjacentRules&&gS(e,t),o.mergeNonAdjacentRules&&"selector"!=o.mergeNonAdjacentRules&&fS(e,t),o.restructureRules&&o.mergeAdjacentRules&&n&&(wS(e,t),mS(e,t)),o.restructureRules&&!o.mergeAdjacentRules&&n&&wS(e,t),o.removeDuplicateFontRules&&vS(e),o.removeDuplicateMediaBlocks&&bS(e),o.removeUnusedAtRules&&xS(e,t),o.mergeMedia)for(i=(r=hS(e,t)).length-1;i>=0;i--)AS(r[i][2],t,!1);for(i=0;i<a.length;i++)a[i](e);return o.removeEmpty&&TS(e),e}var _S=AS,zS=new RegExp("^(\\-moz\\-|\\-webkit\\-)?calc\\([^\\)]+\\)$","i"),RS=/[0-9]/,LS=new RegExp("^(var\\(\\-\\-[^\\)]+\\)|[A-Z]+(\\-|[A-Z]|[0-9])+\\(.*?\\)|\\-(\\-|[A-Z]|[0-9])+\\(.*?\\))$","i"),PS=/^#(?:[0-9a-f]{4}|[0-9a-f]{8})$/i,BS=/^hsl\(\s{0,31}[\-\.]?\d+\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31}\)|hsla\(\s{0,31}[\-\.]?\d+\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\d*\.?\d+%\s{0,31},\s{0,31}\.?\d+\s{0,31}\)$/,WS=/^(\-[a-z0-9_][a-z0-9\-_]*|[a-z_][a-z0-9\-_]*)$/i,MS=/^[a-z]+$/i,US=/^-([a-z0-9]|-)*$/i,IS=/^("[^"]*"|'[^']*')$/i,NS=/^rgb\(\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31}\)|rgba\(\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\d]{1,3}\s{0,31},\s{0,31}[\.\d]+\s{0,31}\)$/i,qS=/\d+(s|ms)/,DS=/^(cubic\-bezier|steps)\([^\)]+\)$/,VS=["ms","s"],jS=/^url\([\s\S]+\)$/i,FS=new RegExp("^var\\(\\-\\-[^\\)]+\\)$","i"),GS=/^#[0-9a-f]{8}$/i,KS=/^#[0-9a-f]{4}$/i,YS=/^#[0-9a-f]{6}$/i,HS=/^#[0-9a-f]{3}$/i,$S={"^":["inherit","initial","unset"],"*-style":["auto","dashed","dotted","double","groove","hidden","inset","none","outset","ridge","solid"],"*-timing-function":["ease","ease-in","ease-in-out","ease-out","linear","step-end","step-start"],"animation-direction":["alternate","alternate-reverse","normal","reverse"],"animation-fill-mode":["backwards","both","forwards","none"],"animation-iteration-count":["infinite"],"animation-name":["none"],"animation-play-state":["paused","running"],"background-attachment":["fixed","inherit","local","scroll"],"background-clip":["border-box","content-box","inherit","padding-box","text"],"background-origin":["border-box","content-box","inherit","padding-box"],"background-position":["bottom","center","left","right","top"],"background-repeat":["no-repeat","inherit","repeat","repeat-x","repeat-y","round","space"],"background-size":["auto","cover","contain"],"border-collapse":["collapse","inherit","separate"],bottom:["auto"],clear:["both","left","none","right"],color:["transparent"],cursor:["all-scroll","auto","col-resize","crosshair","default","e-resize","help","move","n-resize","ne-resize","no-drop","not-allowed","nw-resize","pointer","progress","row-resize","s-resize","se-resize","sw-resize","text","vertical-text","w-resize","wait"],display:["block","inline","inline-block","inline-table","list-item","none","table","table-caption","table-cell","table-column","table-column-group","table-footer-group","table-header-group","table-row","table-row-group"],float:["left","none","right"],left:["auto"],font:["caption","icon","menu","message-box","small-caption","status-bar","unset"],"font-size":["large","larger","medium","small","smaller","x-large","x-small","xx-large","xx-small"],"font-stretch":["condensed","expanded","extra-condensed","extra-expanded","normal","semi-condensed","semi-expanded","ultra-condensed","ultra-expanded"],"font-style":["italic","normal","oblique"],"font-variant":["normal","small-caps"],"font-weight":["100","200","300","400","500","600","700","800","900","bold","bolder","lighter","normal"],"line-height":["normal"],"list-style-position":["inside","outside"],"list-style-type":["armenian","circle","decimal","decimal-leading-zero","disc","decimal|disc","georgian","lower-alpha","lower-greek","lower-latin","lower-roman","none","square","upper-alpha","upper-latin","upper-roman"],overflow:["auto","hidden","scroll","visible"],position:["absolute","fixed","relative","static"],right:["auto"],"text-align":["center","justify","left","left|right","right"],"text-decoration":["line-through","none","overline","underline"],"text-overflow":["clip","ellipsis"],top:["auto"],"vertical-align":["baseline","bottom","middle","sub","super","text-bottom","text-top","top"],visibility:["collapse","hidden","visible"],"white-space":["normal","nowrap","pre"],width:["inherit","initial","medium","thick","thin"]},QS=["%","ch","cm","em","ex","in","mm","pc","pt","px","rem","vh","vm","vmax","vmin","vw"];function ZS(e){return"auto"!=e&&(ax("color")(e)||function(e){return HS.test(e)||KS.test(e)||YS.test(e)||GS.test(e)}(e)||XS(e)||function(e){return MS.test(e)}(e))}function XS(e){return lx(e)||tx(e)}function JS(e){return zS.test(e)}function ex(e){return LS.test(e)}function tx(e){return BS.test(e)}function nx(e){return PS.test(e)}function rx(e){return WS.test(e)}function ix(e){return IS.test(e)}function ox(e){return"none"==e||"inherit"==e||hx(e)}function ax(e){return function(t){return $S[e].indexOf(t)>-1}}function sx(e){return gx(e)==e.length}function lx(e){return NS.test(e)}function ux(e){return US.test(e)}function cx(e){return sx(e)&&parseFloat(e)>=0}function dx(e){return FS.test(e)}function px(e){var t=gx(e);return t==e.length&&0===parseInt(e)||t>-1&&VS.indexOf(e.slice(t+1))>-1||function(e){return ex(e)&&qS.test(e)}(e)}function mx(e,t){var n=gx(t);return n==t.length&&0===parseInt(t)||n>-1&&e.indexOf(t.slice(n+1).toLowerCase())>-1||"auto"==t||"inherit"==t}function hx(e){return jS.test(e)}function fx(e){return"auto"==e||sx(e)||ax("^")(e)}function gx(e){var t,n,r,i=!1,o=!1;for(n=0,r=e.length;n<r;n++)if(t=e[n],0!==n||"+"!=t&&"-"!=t){if(n>0&&o&&("+"==t||"-"==t))return n-1;if("."!=t||i){if("."==t&&i)return n-1;if(RS.test(t))continue;return n-1}i=!0}else o=!0;return n}var yx=function(e){var t,n=QS.slice(0).filter((function(t){return!(t in e.units)||!0===e.units[t]}));return e.customUnits.rpx&&n.push("rpx"),{colorOpacity:e.colors.opacity,colorHexAlpha:e.colors.hexAlpha,isAnimationDirectionKeyword:ax("animation-direction"),isAnimationFillModeKeyword:ax("animation-fill-mode"),isAnimationIterationCountKeyword:ax("animation-iteration-count"),isAnimationNameKeyword:ax("animation-name"),isAnimationPlayStateKeyword:ax("animation-play-state"),isTimingFunction:(t=ax("*-timing-function"),function(e){return t(e)||DS.test(e)}),isBackgroundAttachmentKeyword:ax("background-attachment"),isBackgroundClipKeyword:ax("background-clip"),isBackgroundOriginKeyword:ax("background-origin"),isBackgroundPositionKeyword:ax("background-position"),isBackgroundRepeatKeyword:ax("background-repeat"),isBackgroundSizeKeyword:ax("background-size"),isColor:ZS,isColorFunction:XS,isDynamicUnit:JS,isFontKeyword:ax("font"),isFontSizeKeyword:ax("font-size"),isFontStretchKeyword:ax("font-stretch"),isFontStyleKeyword:ax("font-style"),isFontVariantKeyword:ax("font-variant"),isFontWeightKeyword:ax("font-weight"),isFunction:ex,isGlobal:ax("^"),isHexAlphaColor:nx,isHslColor:tx,isIdentifier:rx,isImage:ox,isKeyword:ax,isLineHeightKeyword:ax("line-height"),isListStylePositionKeyword:ax("list-style-position"),isListStyleTypeKeyword:ax("list-style-type"),isNumber:sx,isPrefixed:ux,isPositiveNumber:cx,isQuotedText:ix,isRgbColor:lx,isStyleKeyword:ax("*-style"),isTime:px,isUnit:mx.bind(null,n),isUrl:hx,isVariable:dx,isWidth:ax("width"),isZIndex:fx}},vx={"*":{colors:{hexAlpha:!1,opacity:!0},customUnits:{rpx:!1},properties:{backgroundClipMerging:!0,backgroundOriginMerging:!0,backgroundSizeMerging:!0,colors:!0,ieBangHack:!1,ieFilters:!1,iePrefixHack:!1,ieSuffixHack:!1,merging:!0,shorterLengthUnits:!1,spaceAfterClosingBrace:!0,urlQuotes:!0,zeroUnits:!0},selectors:{adjacentSpace:!1,ie7Hack:!1,mergeablePseudoClasses:[":active",":after",":before",":empty",":checked",":disabled",":empty",":enabled",":first-child",":first-letter",":first-line",":first-of-type",":focus",":hover",":lang",":last-child",":last-of-type",":link",":not",":nth-child",":nth-last-child",":nth-last-of-type",":nth-of-type",":only-child",":only-of-type",":root",":target",":visited"],mergeablePseudoElements:["::after","::before","::first-letter","::first-line"],mergeLimit:8191,multiplePseudoMerging:!0},units:{ch:!0,in:!0,pc:!0,pt:!0,rem:!0,vh:!0,vm:!0,vmax:!0,vmin:!0,vw:!0}}};function bx(e,t){for(var n in e){var r=e[n];"object"!=typeof r||Array.isArray(r)?t[n]=n in t?t[n]:r:t[n]=bx(r,t[n]||{})}return t}vx.ie11=bx(vx["*"],{properties:{ieSuffixHack:!0}}),vx.ie10=bx(vx["*"],{properties:{ieSuffixHack:!0}}),vx.ie9=bx(vx["*"],{properties:{ieFilters:!0,ieSuffixHack:!0}}),vx.ie8=bx(vx.ie9,{colors:{opacity:!1},properties:{backgroundClipMerging:!1,backgroundOriginMerging:!1,backgroundSizeMerging:!1,iePrefixHack:!0,merging:!1},selectors:{mergeablePseudoClasses:[":after",":before",":first-child",":first-letter",":focus",":hover",":visited"],mergeablePseudoElements:[]},units:{ch:!1,rem:!1,vh:!1,vm:!1,vmax:!1,vmin:!1,vw:!1}}),vx.ie7=bx(vx.ie8,{properties:{ieBangHack:!0},selectors:{ie7Hack:!0,mergeablePseudoClasses:[":first-child",":first-letter",":hover",":visited"]}});var Sx=function(e){return bx(vx["*"],function(e){if("object"==typeof e)return e;if(!/[,\+\-]/.test(e))return vx[e]||vx["*"];var t=e.split(","),n=t[0]in vx?vx[t.shift()]:vx["*"];return e={},t.forEach((function(t){var n="+"==t[0],r=t.substring(1).split("."),i=r[0],o=r[1];e[i]=e[i]||{},e[i][o]=n})),bx(n,e)}(e))},xx=[],wx=[],Cx="undefined"!=typeof Uint8Array?Uint8Array:Array,kx=!1;function Ox(){kx=!0;for(var e="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",t=0,n=e.length;t<n;++t)xx[t]=e[t],wx[e.charCodeAt(t)]=t;wx["-".charCodeAt(0)]=62,wx["_".charCodeAt(0)]=63}function Tx(e,t,n){for(var r,i,o=[],a=t;a<n;a+=3)r=(e[a]<<16)+(e[a+1]<<8)+e[a+2],o.push(xx[(i=r)>>18&63]+xx[i>>12&63]+xx[i>>6&63]+xx[63&i]);return o.join("")}function Ex(e){var t;kx||Ox();for(var n=e.length,r=n%3,i="",o=[],a=16383,s=0,l=n-r;s<l;s+=a)o.push(Tx(e,s,s+a>l?l:s+a));return 1===r?(t=e[n-1],i+=xx[t>>2],i+=xx[t<<4&63],i+="=="):2===r&&(t=(e[n-2]<<8)+e[n-1],i+=xx[t>>10],i+=xx[t>>4&63],i+=xx[t<<2&63],i+="="),o.push(i),o.join("")}function Ax(e,t,n,r,i){var o,a,s=8*i-r-1,l=(1<<s)-1,u=l>>1,c=-7,d=n?i-1:0,p=n?-1:1,m=e[t+d];for(d+=p,o=m&(1<<-c)-1,m>>=-c,c+=s;c>0;o=256*o+e[t+d],d+=p,c-=8);for(a=o&(1<<-c)-1,o>>=-c,c+=r;c>0;a=256*a+e[t+d],d+=p,c-=8);if(0===o)o=1-u;else{if(o===l)return a?NaN:1/0*(m?-1:1);a+=Math.pow(2,r),o-=u}return(m?-1:1)*a*Math.pow(2,o-r)}function _x(e,t,n,r,i,o){var a,s,l,u=8*o-i-1,c=(1<<u)-1,d=c>>1,p=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,m=r?0:o-1,h=r?1:-1,f=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(s=isNaN(t)?1:0,a=c):(a=Math.floor(Math.log(t)/Math.LN2),t*(l=Math.pow(2,-a))<1&&(a--,l*=2),(t+=a+d>=1?p/l:p*Math.pow(2,1-d))*l>=2&&(a++,l/=2),a+d>=c?(s=0,a=c):a+d>=1?(s=(t*l-1)*Math.pow(2,i),a+=d):(s=t*Math.pow(2,d-1)*Math.pow(2,i),a=0));i>=8;e[n+m]=255&s,m+=h,s/=256,i-=8);for(a=a<<i|s,u+=i;u>0;e[n+m]=255&a,m+=h,a/=256,u-=8);e[n+m-h]|=128*f}var zx={}.toString,Rx=Array.isArray||function(e){return"[object Array]"==zx.call(e)};function Lx(){return Bx.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function Px(e,t){if(Lx()<t)throw new RangeError("Invalid typed array length");return Bx.TYPED_ARRAY_SUPPORT?(e=new Uint8Array(t)).__proto__=Bx.prototype:(null===e&&(e=new Bx(t)),e.length=t),e}function Bx(e,t,n){if(!(Bx.TYPED_ARRAY_SUPPORT||this instanceof Bx))return new Bx(e,t,n);if("number"==typeof e){if("string"==typeof t)throw new Error("If encoding is specified then the first argument must be a string");return Ux(this,e)}return Wx(this,e,t,n)}function Wx(e,t,n,r){if("number"==typeof t)throw new TypeError('"value" argument must not be a number');return"undefined"!=typeof ArrayBuffer&&t instanceof ArrayBuffer?function(e,t,n,r){if(t.byteLength,n<0||t.byteLength<n)throw new RangeError("'offset' is out of bounds");if(t.byteLength<n+(r||0))throw new RangeError("'length' is out of bounds");t=void 0===n&&void 0===r?new Uint8Array(t):void 0===r?new Uint8Array(t,n):new Uint8Array(t,n,r);Bx.TYPED_ARRAY_SUPPORT?(e=t).__proto__=Bx.prototype:e=Ix(e,t);return e}(e,t,n,r):"string"==typeof t?function(e,t,n){"string"==typeof n&&""!==n||(n="utf8");if(!Bx.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var r=0|Dx(t,n),i=(e=Px(e,r)).write(t,n);i!==r&&(e=e.slice(0,i));return e}(e,t,n):function(e,t){if(qx(t)){var n=0|Nx(t.length);return 0===(e=Px(e,n)).length||t.copy(e,0,0,n),e}if(t){if("undefined"!=typeof ArrayBuffer&&t.buffer instanceof ArrayBuffer||"length"in t)return"number"!=typeof t.length||(r=t.length)!=r?Px(e,0):Ix(e,t);if("Buffer"===t.type&&Rx(t.data))return Ix(e,t.data)}var r;throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}(e,t)}function Mx(e){if("number"!=typeof e)throw new TypeError('"size" argument must be a number');if(e<0)throw new RangeError('"size" argument must not be negative')}function Ux(e,t){if(Mx(t),e=Px(e,t<0?0:0|Nx(t)),!Bx.TYPED_ARRAY_SUPPORT)for(var n=0;n<t;++n)e[n]=0;return e}function Ix(e,t){var n=t.length<0?0:0|Nx(t.length);e=Px(e,n);for(var r=0;r<n;r+=1)e[r]=255&t[r];return e}function Nx(e){if(e>=Lx())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+Lx().toString(16)+" bytes");return 0|e}function qx(e){return!(null==e||!e._isBuffer)}function Dx(e,t){if(qx(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return hw(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return fw(e).length;default:if(r)return hw(e).length;t=(""+t).toLowerCase(),r=!0}}function Vx(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return rw(this,t,n);case"utf8":case"utf-8":return Jx(this,t,n);case"ascii":return tw(this,t,n);case"latin1":case"binary":return nw(this,t,n);case"base64":return Xx(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return iw(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function jx(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function Fx(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=Bx.from(t,r)),qx(t))return 0===t.length?-1:Gx(e,t,n,r,i);if("number"==typeof t)return t&=255,Bx.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):Gx(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function Gx(e,t,n,r,i){var o,a=1,s=e.length,l=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,s/=2,l/=2,n/=2}function u(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(i){var c=-1;for(o=n;o<s;o++)if(u(e,o)===u(t,-1===c?0:o-c)){if(-1===c&&(c=o),o-c+1===l)return c*a}else-1!==c&&(o-=o-c),c=-1}else for(n+l>s&&(n=s-l),o=n;o>=0;o--){for(var d=!0,p=0;p<l;p++)if(u(e,o+p)!==u(t,p)){d=!1;break}if(d)return o}return-1}function Kx(e,t,n,r){n=Number(n)||0;var i=e.length-n;r?(r=Number(r))>i&&(r=i):r=i;var o=t.length;if(o%2!=0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var a=0;a<r;++a){var s=parseInt(t.substr(2*a,2),16);if(isNaN(s))return a;e[n+a]=s}return a}function Yx(e,t,n,r){return gw(hw(t,e.length-n),e,n,r)}function Hx(e,t,n,r){return gw(function(e){for(var t=[],n=0;n<e.length;++n)t.push(255&e.charCodeAt(n));return t}(t),e,n,r)}function $x(e,t,n,r){return Hx(e,t,n,r)}function Qx(e,t,n,r){return gw(fw(t),e,n,r)}function Zx(e,t,n,r){return gw(function(e,t){for(var n,r,i,o=[],a=0;a<e.length&&!((t-=2)<0);++a)r=(n=e.charCodeAt(a))>>8,i=n%256,o.push(i),o.push(r);return o}(t,e.length-n),e,n,r)}function Xx(e,t,n){return 0===t&&n===e.length?Ex(e):Ex(e.slice(t,n))}function Jx(e,t,n){n=Math.min(e.length,n);for(var r=[],i=t;i<n;){var o,a,s,l,u=e[i],c=null,d=u>239?4:u>223?3:u>191?2:1;if(i+d<=n)switch(d){case 1:u<128&&(c=u);break;case 2:128==(192&(o=e[i+1]))&&(l=(31&u)<<6|63&o)>127&&(c=l);break;case 3:o=e[i+1],a=e[i+2],128==(192&o)&&128==(192&a)&&(l=(15&u)<<12|(63&o)<<6|63&a)>2047&&(l<55296||l>57343)&&(c=l);break;case 4:o=e[i+1],a=e[i+2],s=e[i+3],128==(192&o)&&128==(192&a)&&128==(192&s)&&(l=(15&u)<<18|(63&o)<<12|(63&a)<<6|63&s)>65535&&l<1114112&&(c=l)}null===c?(c=65533,d=1):c>65535&&(c-=65536,r.push(c>>>10&1023|55296),c=56320|1023&c),r.push(c),i+=d}return function(e){var t=e.length;if(t<=ew)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r<t;)n+=String.fromCharCode.apply(String,e.slice(r,r+=ew));return n}(r)}Bx.TYPED_ARRAY_SUPPORT=void 0===fc.TYPED_ARRAY_SUPPORT||fc.TYPED_ARRAY_SUPPORT,Bx.poolSize=8192,Bx._augment=function(e){return e.__proto__=Bx.prototype,e},Bx.from=function(e,t,n){return Wx(null,e,t,n)},Bx.TYPED_ARRAY_SUPPORT&&(Bx.prototype.__proto__=Uint8Array.prototype,Bx.__proto__=Uint8Array),Bx.alloc=function(e,t,n){return function(e,t,n,r){return Mx(t),t<=0?Px(e,t):void 0!==n?"string"==typeof r?Px(e,t).fill(n,r):Px(e,t).fill(n):Px(e,t)}(null,e,t,n)},Bx.allocUnsafe=function(e){return Ux(null,e)},Bx.allocUnsafeSlow=function(e){return Ux(null,e)},Bx.isBuffer=yw,Bx.compare=function(e,t){if(!qx(e)||!qx(t))throw new TypeError("Arguments must be Buffers");if(e===t)return 0;for(var n=e.length,r=t.length,i=0,o=Math.min(n,r);i<o;++i)if(e[i]!==t[i]){n=e[i],r=t[i];break}return n<r?-1:r<n?1:0},Bx.isEncoding=function(e){switch(String(e).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},Bx.concat=function(e,t){if(!Rx(e))throw new TypeError('"list" argument must be an Array of Buffers');if(0===e.length)return Bx.alloc(0);var n;if(void 0===t)for(t=0,n=0;n<e.length;++n)t+=e[n].length;var r=Bx.allocUnsafe(t),i=0;for(n=0;n<e.length;++n){var o=e[n];if(!qx(o))throw new TypeError('"list" argument must be an Array of Buffers');o.copy(r,i),i+=o.length}return r},Bx.byteLength=Dx,Bx.prototype._isBuffer=!0,Bx.prototype.swap16=function(){var e=this.length;if(e%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var t=0;t<e;t+=2)jx(this,t,t+1);return this},Bx.prototype.swap32=function(){var e=this.length;if(e%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var t=0;t<e;t+=4)jx(this,t,t+3),jx(this,t+1,t+2);return this},Bx.prototype.swap64=function(){var e=this.length;if(e%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var t=0;t<e;t+=8)jx(this,t,t+7),jx(this,t+1,t+6),jx(this,t+2,t+5),jx(this,t+3,t+4);return this},Bx.prototype.toString=function(){var e=0|this.length;return 0===e?"":0===arguments.length?Jx(this,0,e):Vx.apply(this,arguments)},Bx.prototype.equals=function(e){if(!qx(e))throw new TypeError("Argument must be a Buffer");return this===e||0===Bx.compare(this,e)},Bx.prototype.inspect=function(){var e="";return this.length>0&&(e=this.toString("hex",0,50).match(/.{2}/g).join(" "),this.length>50&&(e+=" ... ")),"<Buffer "+e+">"},Bx.prototype.compare=function(e,t,n,r,i){if(!qx(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(this===e)return 0;for(var o=(i>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),s=Math.min(o,a),l=this.slice(r,i),u=e.slice(t,n),c=0;c<s;++c)if(l[c]!==u[c]){o=l[c],a=u[c];break}return o<a?-1:a<o?1:0},Bx.prototype.includes=function(e,t,n){return-1!==this.indexOf(e,t,n)},Bx.prototype.indexOf=function(e,t,n){return Fx(this,e,t,n,!0)},Bx.prototype.lastIndexOf=function(e,t,n){return Fx(this,e,t,n,!1)},Bx.prototype.write=function(e,t,n,r){if(void 0===t)r="utf8",n=this.length,t=0;else if(void 0===n&&"string"==typeof t)r=t,n=this.length,t=0;else{if(!isFinite(t))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");t|=0,isFinite(n)?(n|=0,void 0===r&&(r="utf8")):(r=n,n=void 0)}var i=this.length-t;if((void 0===n||n>i)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return Kx(this,e,t,n);case"utf8":case"utf-8":return Yx(this,e,t,n);case"ascii":return Hx(this,e,t,n);case"latin1":case"binary":return $x(this,e,t,n);case"base64":return Qx(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return Zx(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},Bx.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var ew=4096;function tw(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;i<n;++i)r+=String.fromCharCode(127&e[i]);return r}function nw(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;i<n;++i)r+=String.fromCharCode(e[i]);return r}function rw(e,t,n){var r=e.length;(!t||t<0)&&(t=0),(!n||n<0||n>r)&&(n=r);for(var i="",o=t;o<n;++o)i+=mw(e[o]);return i}function iw(e,t,n){for(var r=e.slice(t,n),i="",o=0;o<r.length;o+=2)i+=String.fromCharCode(r[o]+256*r[o+1]);return i}function ow(e,t,n){if(e%1!=0||e<0)throw new RangeError("offset is not uint");if(e+t>n)throw new RangeError("Trying to access beyond buffer length")}function aw(e,t,n,r,i,o){if(!qx(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||t<o)throw new RangeError('"value" argument is out of bounds');if(n+r>e.length)throw new RangeError("Index out of range")}function sw(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i<o;++i)e[n+i]=(t&255<<8*(r?i:1-i))>>>8*(r?i:1-i)}function lw(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i<o;++i)e[n+i]=t>>>8*(r?i:3-i)&255}function uw(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function cw(e,t,n,r,i){return i||uw(e,0,n,4),_x(e,t,n,r,23,4),n+4}function dw(e,t,n,r,i){return i||uw(e,0,n,8),_x(e,t,n,r,52,8),n+8}Bx.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t<e&&(t=e),Bx.TYPED_ARRAY_SUPPORT)(n=this.subarray(e,t)).__proto__=Bx.prototype;else{var i=t-e;n=new Bx(i,void 0);for(var o=0;o<i;++o)n[o]=this[o+e]}return n},Bx.prototype.readUIntLE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e],i=1,o=0;++o<t&&(i*=256);)r+=this[e+o]*i;return r},Bx.prototype.readUIntBE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e+--t],i=1;t>0&&(i*=256);)r+=this[e+--t]*i;return r},Bx.prototype.readUInt8=function(e,t){return t||ow(e,1,this.length),this[e]},Bx.prototype.readUInt16LE=function(e,t){return t||ow(e,2,this.length),this[e]|this[e+1]<<8},Bx.prototype.readUInt16BE=function(e,t){return t||ow(e,2,this.length),this[e]<<8|this[e+1]},Bx.prototype.readUInt32LE=function(e,t){return t||ow(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},Bx.prototype.readUInt32BE=function(e,t){return t||ow(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},Bx.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=this[e],i=1,o=0;++o<t&&(i*=256);)r+=this[e+o]*i;return r>=(i*=128)&&(r-=Math.pow(2,8*t)),r},Bx.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||ow(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return o>=(i*=128)&&(o-=Math.pow(2,8*t)),o},Bx.prototype.readInt8=function(e,t){return t||ow(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},Bx.prototype.readInt16LE=function(e,t){t||ow(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},Bx.prototype.readInt16BE=function(e,t){t||ow(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},Bx.prototype.readInt32LE=function(e,t){return t||ow(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},Bx.prototype.readInt32BE=function(e,t){return t||ow(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},Bx.prototype.readFloatLE=function(e,t){return t||ow(e,4,this.length),Ax(this,e,!0,23,4)},Bx.prototype.readFloatBE=function(e,t){return t||ow(e,4,this.length),Ax(this,e,!1,23,4)},Bx.prototype.readDoubleLE=function(e,t){return t||ow(e,8,this.length),Ax(this,e,!0,52,8)},Bx.prototype.readDoubleBE=function(e,t){return t||ow(e,8,this.length),Ax(this,e,!1,52,8)},Bx.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||aw(this,e,t,n,Math.pow(2,8*n)-1,