@e280/sly 0.1.1 → 0.2.0-1
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +110 -81
- package/package.json +4 -4
- package/s/demo/demo.bundle.ts +3 -3
- package/s/demo/views/counter.ts +14 -7
- package/s/demo/views/demo.ts +1 -1
- package/s/dom/dom.ts +51 -0
- package/s/dom/types.ts +3 -0
- package/s/index.ts +0 -1
- package/s/ops/loaders/parts/ascii-anim.ts +3 -3
- package/s/ops/op.ts +10 -10
- package/s/views/types.ts +10 -7
- package/s/views/use.ts +21 -3
- package/s/views/view.ts +49 -34
- package/x/demo/demo.bundle.js +3 -3
- package/x/demo/demo.bundle.js.map +1 -1
- package/x/demo/demo.bundle.min.js +22 -17
- package/x/demo/demo.bundle.min.js.map +4 -4
- package/x/demo/views/counter.js +13 -6
- package/x/demo/views/counter.js.map +1 -1
- package/x/demo/views/demo.js +1 -1
- package/x/demo/views/demo.js.map +1 -1
- package/x/dom/dom.d.ts +21 -0
- package/x/dom/dom.js +41 -0
- package/x/dom/dom.js.map +1 -0
- package/x/dom/types.d.ts +2 -0
- package/x/index.d.ts +0 -1
- package/x/index.html +2 -2
- package/x/index.js +0 -1
- package/x/index.js.map +1 -1
- package/x/ops/loaders/parts/ascii-anim.js +3 -3
- package/x/ops/loaders/parts/ascii-anim.js.map +1 -1
- package/x/ops/op.js +10 -10
- package/x/ops/op.js.map +1 -1
- package/x/views/types.d.ts +9 -7
- package/x/views/use.d.ts +8 -1
- package/x/views/use.js +18 -2
- package/x/views/use.js.map +1 -1
- package/x/views/view.d.ts +1 -1
- package/x/views/view.js +44 -34
- package/x/views/view.js.map +1 -1
- package/s/dom/dollar.ts +0 -27
- package/x/dom/dollar.d.ts +0 -10
- package/x/dom/dollar.js +0 -18
- package/x/dom/dollar.js.map +0 -1
package/s/views/view.ts
CHANGED
|
@@ -1,22 +1,22 @@
|
|
|
1
1
|
|
|
2
2
|
import {render} from "lit"
|
|
3
3
|
import {debounce, MapG} from "@e280/stz"
|
|
4
|
+
import {directive} from "lit/directive.js"
|
|
4
5
|
import {tracker} from "@e280/strata/tracker"
|
|
5
6
|
import {AsyncDirective} from "lit/async-directive.js"
|
|
6
|
-
import {directive, DirectiveResult} from "lit/directive.js"
|
|
7
7
|
|
|
8
8
|
import {register} from "../dom/register.js"
|
|
9
9
|
import {applyAttrs} from "./utils/apply-attrs.js"
|
|
10
10
|
import {applyStyles} from "./utils/apply-styles.js"
|
|
11
11
|
import {Use, _wrap, _disconnect, _reconnect} from "./use.js"
|
|
12
|
-
import {AttrValue, ComponentFn, Content, View, ViewFn, ViewSettings,
|
|
12
|
+
import {AttrValue, ComponentFn, Content, View, ViewFn, ViewSettings, ViewContext} from "./types.js"
|
|
13
13
|
|
|
14
14
|
export const view = setupView({mode: "open"})
|
|
15
15
|
export class SlyView extends HTMLElement {}
|
|
16
16
|
register({SlyView}, {soft: true, upgrade: true})
|
|
17
17
|
|
|
18
18
|
function setupView(settings: ViewSettings) {
|
|
19
|
-
function view<Props extends any[]>(fn: ViewFn<Props>) {
|
|
19
|
+
function view<Props extends any[]>(fn: ViewFn<Props>): View<Props> {
|
|
20
20
|
type Situation = {
|
|
21
21
|
getElement: () => HTMLElement
|
|
22
22
|
isComponent: boolean
|
|
@@ -27,7 +27,7 @@ function setupView(settings: ViewSettings) {
|
|
|
27
27
|
#shadow = this.#element.attachShadow(settings)
|
|
28
28
|
#renderDebounced = debounce(0, () => this.#renderNow())
|
|
29
29
|
#tracking = new MapG<any, () => void>
|
|
30
|
-
#params!: {
|
|
30
|
+
#params!: {context: ViewContext, props: Props}
|
|
31
31
|
|
|
32
32
|
#use = new Use(
|
|
33
33
|
this.#element,
|
|
@@ -46,7 +46,7 @@ function setupView(settings: ViewSettings) {
|
|
|
46
46
|
#renderNow() {
|
|
47
47
|
if (!this.#params) return
|
|
48
48
|
if (!this.isConnected) return
|
|
49
|
-
const {
|
|
49
|
+
const {context: w, props} = this.#params
|
|
50
50
|
|
|
51
51
|
this.#use[_wrap](() => {
|
|
52
52
|
// apply html attributes
|
|
@@ -71,8 +71,8 @@ function setupView(settings: ViewSettings) {
|
|
|
71
71
|
})
|
|
72
72
|
}
|
|
73
73
|
|
|
74
|
-
render(
|
|
75
|
-
this.#params = {
|
|
74
|
+
render(context: ViewContext, props: Props) {
|
|
75
|
+
this.#params = {context: context, props}
|
|
76
76
|
this.#renderNow()
|
|
77
77
|
return situation.isComponent ? null : this.#element
|
|
78
78
|
}
|
|
@@ -94,40 +94,55 @@ function setupView(settings: ViewSettings) {
|
|
|
94
94
|
isComponent: false,
|
|
95
95
|
}))
|
|
96
96
|
|
|
97
|
-
|
|
98
|
-
|
|
99
|
-
|
|
100
|
-
|
|
101
|
-
|
|
102
|
-
|
|
103
|
-
|
|
104
|
-
|
|
105
|
-
|
|
106
|
-
|
|
107
|
-
|
|
108
|
-
|
|
97
|
+
const freshViewContext = (): ViewContext => ({attrs: {}, children: []})
|
|
98
|
+
|
|
99
|
+
function rendy(...props: Props) {
|
|
100
|
+
return d(freshViewContext(), props)
|
|
101
|
+
}
|
|
102
|
+
|
|
103
|
+
rendy.props = (...props: Props) => {
|
|
104
|
+
let ctx = freshViewContext()
|
|
105
|
+
const chain = {
|
|
106
|
+
children(...children: Content[]) {
|
|
107
|
+
ctx = {...ctx, children: [...ctx.children, ...children]}
|
|
108
|
+
return chain
|
|
109
|
+
},
|
|
110
|
+
attrs(attrs: Record<string, AttrValue>) {
|
|
111
|
+
ctx = {...ctx, attrs: {...ctx.attrs, ...attrs}}
|
|
112
|
+
return chain
|
|
113
|
+
},
|
|
114
|
+
attr(name: string, value: AttrValue) {
|
|
115
|
+
ctx = {...ctx, attrs: {...ctx.attrs, [name]: value}}
|
|
116
|
+
return chain
|
|
117
|
+
},
|
|
118
|
+
render() {
|
|
119
|
+
return d(ctx, props)
|
|
120
|
+
},
|
|
121
|
+
}
|
|
122
|
+
return chain
|
|
123
|
+
}
|
|
124
|
+
|
|
125
|
+
rendy.component = (...props: Props) => class extends HTMLElement {
|
|
126
|
+
#directive = directive(
|
|
127
|
+
make({
|
|
109
128
|
getElement: () => this,
|
|
110
129
|
isComponent: true,
|
|
111
|
-
})
|
|
112
|
-
|
|
113
|
-
|
|
114
|
-
|
|
115
|
-
|
|
116
|
-
|
|
117
|
-
|
|
118
|
-
|
|
119
|
-
|
|
130
|
+
})
|
|
131
|
+
)
|
|
132
|
+
constructor() {
|
|
133
|
+
super()
|
|
134
|
+
this.render(...props)
|
|
135
|
+
}
|
|
136
|
+
render(...props: Props) {
|
|
137
|
+
if (this.isConnected)
|
|
138
|
+
render(this.#directive(freshViewContext(), props), this)
|
|
120
139
|
}
|
|
121
|
-
return rend
|
|
122
140
|
}
|
|
123
141
|
|
|
124
|
-
return
|
|
125
|
-
attrs: {},
|
|
126
|
-
children: null,
|
|
127
|
-
})
|
|
142
|
+
return rendy
|
|
128
143
|
}
|
|
129
144
|
|
|
130
|
-
view.
|
|
145
|
+
view.declare = view
|
|
131
146
|
view.settings = (settings2: Partial<ViewSettings>) => setupView({...settings, ...settings2})
|
|
132
147
|
view.component = (fn: ComponentFn) => view(use => () => fn(use)).component()
|
|
133
148
|
return view
|
package/x/demo/demo.bundle.js
CHANGED
|
@@ -1,7 +1,7 @@
|
|
|
1
|
-
import {
|
|
1
|
+
import { dom } from "../dom/dom.js";
|
|
2
2
|
import { DemoView } from "./views/demo.js";
|
|
3
3
|
import { CounterView } from "./views/counter.js";
|
|
4
|
-
|
|
5
|
-
|
|
4
|
+
dom.in(".demo").render(DemoView());
|
|
5
|
+
dom.register({ DemoCounter: CounterView.component(1) });
|
|
6
6
|
console.log("🦝 sly");
|
|
7
7
|
//# sourceMappingURL=demo.bundle.js.map
|
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"demo.bundle.js","sourceRoot":"","sources":["../../s/demo/demo.bundle.ts"],"names":[],"mappings":"AACA,OAAO,EAAC,
|
|
1
|
+
{"version":3,"file":"demo.bundle.js","sourceRoot":"","sources":["../../s/demo/demo.bundle.ts"],"names":[],"mappings":"AACA,OAAO,EAAC,GAAG,EAAC,MAAM,eAAe,CAAA;AACjC,OAAO,EAAC,QAAQ,EAAC,MAAM,iBAAiB,CAAA;AACxC,OAAO,EAAC,WAAW,EAAC,MAAM,oBAAoB,CAAA;AAE9C,GAAG,CAAC,EAAE,CAAC,OAAO,CAAC,CAAC,MAAM,CAAC,QAAQ,EAAE,CAAC,CAAA;AAClC,GAAG,CAAC,QAAQ,CAAC,EAAC,WAAW,EAAE,WAAW,CAAC,SAAS,CAAC,CAAC,CAAC,EAAC,CAAC,CAAA;AAErD,OAAO,CAAC,GAAG,CAAC,QAAQ,CAAC,CAAA"}
|
|
@@ -1,6 +1,6 @@
|
|
|
1
|
-
var
|
|
2
|
-
\f\r]`,
|
|
3
|
-
\f\r"'\`<>=]|("|')|))|$)`,"g"),lt=/'/g,ut=/"/g,ht=/^(?:script|style|textarea|title)$/i,Ue=t=>(e,...r)=>({_$litType$:t,strings:e,values:r}),B=Ue(1),ts=Ue(2),rs=Ue(3),j=Symbol.for("lit-noChange"),d=Symbol.for("lit-nothing"),pt=new WeakMap,k=P.createTreeWalker(P,129);function dt(t,e){if(!He(t)||!t.hasOwnProperty("raw"))throw Error("invalid template strings array");return it!==void 0?it.createHTML(e):e}var mt=(t,e)=>{let r=t.length-1,s=[],o,n=e===2?"<svg>":e===3?"<math>":"",i=K;for(let a=0;a<r;a++){let c=t[a],l,f,u=-1,m=0;for(;m<c.length&&(i.lastIndex=m,f=i.exec(c),f!==null);)m=i.lastIndex,i===K?f[1]==="!--"?i=ct:f[1]!==void 0?i=at:f[2]!==void 0?(ht.test(f[2])&&(o=RegExp("</"+f[2],"g")),i=C):f[3]!==void 0&&(i=C):i===C?f[0]===">"?(i=o??K,u=-1):f[1]===void 0?u=-2:(u=i.lastIndex-f[2].length,l=f[1],i=f[3]===void 0?C:f[3]==='"'?ut:lt):i===ut||i===lt?i=C:i===ct||i===at?i=K:(i=C,o=void 0);let _=i===C&&t[a+1].startsWith("/>")?" ":"";n+=i===K?c+Gt:u>=0?(s.push(l),c.slice(0,u)+Me+c.slice(u)+A+_):c+A+(u===-2?a:_)}return[dt(t,n+(t[r]||"<?>")+(e===2?"</svg>":e===3?"</math>":"")),s]},Y=class t{constructor({strings:e,_$litType$:r},s){let o;this.parts=[];let n=0,i=0,a=e.length-1,c=this.parts,[l,f]=mt(e,r);if(this.el=t.createElement(l,s),k.currentNode=this.el.content,r===2||r===3){let u=this.el.content.firstChild;u.replaceWith(...u.childNodes)}for(;(o=k.nextNode())!==null&&c.length<a;){if(o.nodeType===1){if(o.hasAttributes())for(let u of o.getAttributeNames())if(u.endsWith(Me)){let m=f[i++],_=o.getAttribute(u).split(A),se=/([.?@])?(.*)/.exec(m);c.push({type:1,index:n,name:se[2],strings:_,ctor:se[1]==="."?ue:se[1]==="?"?pe:se[1]==="@"?fe:T}),o.removeAttribute(u)}else u.startsWith(A)&&(c.push({type:6,index:n}),o.removeAttribute(u));if(ht.test(o.tagName)){let u=o.textContent.split(A),m=u.length-1;if(m>0){o.textContent=ae?ae.emptyScript:"";for(let _=0;_<m;_++)o.append(u[_],Q()),k.nextNode(),c.push({type:2,index:++n});o.append(u[m],Q())}}}else if(o.nodeType===8)if(o.data===ze)c.push({type:2,index:n});else{let u=-1;for(;(u=o.data.indexOf(A,u+1))!==-1;)c.push({type:7,index:n}),u+=A.length-1}n++}}static createElement(e,r){let s=P.createElement("template");return s.innerHTML=e,s}};function O(t,e,r=t,s){if(e===j)return e;let o=s!==void 0?r._$Co?.[s]:r._$Cl,n=J(e)?void 0:e._$litDirective$;return o?.constructor!==n&&(o?._$AO?.(!1),n===void 0?o=void 0:(o=new n(t),o._$AT(t,r,s)),s!==void 0?(r._$Co??=[])[s]=o:r._$Cl=o),o!==void 0&&(e=O(t,o._$AS(t,e.values),o,s)),e}var le=class{constructor(e,r){this._$AV=[],this._$AN=void 0,this._$AD=e,this._$AM=r}get parentNode(){return this._$AM.parentNode}get _$AU(){return this._$AM._$AU}u(e){let{el:{content:r},parts:s}=this._$AD,o=(e?.creationScope??P).importNode(r,!0);k.currentNode=o;let n=k.nextNode(),i=0,a=0,c=s[0];for(;c!==void 0;){if(i===c.index){let l;c.type===2?l=new N(n,n.nextSibling,this,e):c.type===1?l=new c.ctor(n,c.name,c.strings,this,e):c.type===6&&(l=new he(n,this,e)),this._$AV.push(l),c=s[++a]}i!==c?.index&&(n=k.nextNode(),i++)}return k.currentNode=P,o}p(e){let r=0;for(let s of this._$AV)s!==void 0&&(s.strings!==void 0?(s._$AI(e,s,r),r+=s.strings.length-2):s._$AI(e[r])),r++}},N=class t{get _$AU(){return this._$AM?._$AU??this._$Cv}constructor(e,r,s,o){this.type=2,this._$AH=d,this._$AN=void 0,this._$AA=e,this._$AB=r,this._$AM=s,this.options=o,this._$Cv=o?.isConnected??!0}get parentNode(){let e=this._$AA.parentNode,r=this._$AM;return r!==void 0&&e?.nodeType===11&&(e=r.parentNode),e}get startNode(){return this._$AA}get endNode(){return this._$AB}_$AI(e,r=this){e=O(this,e,r),J(e)?e===d||e==null||e===""?(this._$AH!==d&&this._$AR(),this._$AH=d):e!==this._$AH&&e!==j&&this._(e):e._$litType$!==void 0?this.$(e):e.nodeType!==void 0?this.T(e):ft(e)?this.k(e):this._(e)}O(e){return this._$AA.parentNode.insertBefore(e,this._$AB)}T(e){this._$AH!==e&&(this._$AR(),this._$AH=this.O(e))}_(e){this._$AH!==d&&J(this._$AH)?this._$AA.nextSibling.data=e:this.T(P.createTextNode(e)),this._$AH=e}$(e){let{values:r,_$litType$:s}=e,o=typeof s=="number"?this._$AC(e):(s.el===void 0&&(s.el=Y.createElement(dt(s.h,s.h[0]),this.options)),s);if(this._$AH?._$AD===o)this._$AH.p(r);else{let n=new le(o,this),i=n.u(this.options);n.p(r),this.T(i),this._$AH=n}}_$AC(e){let r=pt.get(e.strings);return r===void 0&&pt.set(e.strings,r=new Y(e)),r}k(e){He(this._$AH)||(this._$AH=[],this._$AR());let r=this._$AH,s,o=0;for(let n of e)o===r.length?r.push(s=new t(this.O(Q()),this.O(Q()),this,this.options)):s=r[o],s._$AI(n),o++;o<r.length&&(this._$AR(s&&s._$AB.nextSibling,o),r.length=o)}_$AR(e=this._$AA.nextSibling,r){for(this._$AP?.(!1,!0,r);e&&e!==this._$AB;){let s=e.nextSibling;e.remove(),e=s}}setConnected(e){this._$AM===void 0&&(this._$Cv=e,this._$AP?.(e))}},T=class{get tagName(){return this.element.tagName}get _$AU(){return this._$AM._$AU}constructor(e,r,s,o,n){this.type=1,this._$AH=d,this._$AN=void 0,this.element=e,this.name=r,this._$AM=o,this.options=n,s.length>2||s[0]!==""||s[1]!==""?(this._$AH=Array(s.length-1).fill(new String),this.strings=s):this._$AH=d}_$AI(e,r=this,s,o){let n=this.strings,i=!1;if(n===void 0)e=O(this,e,r,0),i=!J(e)||e!==this._$AH&&e!==j,i&&(this._$AH=e);else{let a=e,c,l;for(e=n[0],c=0;c<n.length-1;c++)l=O(this,a[s+c],r,c),l===j&&(l=this._$AH[c]),i||=!J(l)||l!==this._$AH[c],l===d?e=d:e!==d&&(e+=(l??"")+n[c+1]),this._$AH[c]=l}i&&!o&&this.j(e)}j(e){e===d?this.element.removeAttribute(this.name):this.element.setAttribute(this.name,e??"")}},ue=class extends T{constructor(){super(...arguments),this.type=3}j(e){this.element[this.name]=e===d?void 0:e}},pe=class extends T{constructor(){super(...arguments),this.type=4}j(e){this.element.toggleAttribute(this.name,!!e&&e!==d)}},fe=class extends T{constructor(e,r,s,o,n){super(e,r,s,o,n),this.type=5}_$AI(e,r=this){if((e=O(this,e,r,0)??d)===j)return;let s=this._$AH,o=e===d&&s!==d||e.capture!==s.capture||e.once!==s.once||e.passive!==s.passive,n=e!==d&&(s===d||o);o&&this.element.removeEventListener(this.name,this,s),n&&this.element.addEventListener(this.name,this,e),this._$AH=e}handleEvent(e){typeof this._$AH=="function"?this._$AH.call(this.options?.host??this.element,e):this._$AH.handleEvent(e)}},he=class{constructor(e,r,s){this.element=e,this.type=6,this._$AN=void 0,this._$AM=r,this.options=s}get _$AU(){return this._$AM._$AU}_$AI(e){O(this,e)}},yt={M:Me,P:A,A:ze,C:1,L:mt,R:le,D:ft,V:O,I:N,H:T,N:pe,U:fe,B:ue,F:he},er=Te.litHtmlPolyfillSupport;er?.(Y,N),(Te.litHtmlVersions??=[]).push("3.3.0");var S=(t,e,r)=>{let s=r?.renderBefore??e,o=s._$litPart$;if(o===void 0){let n=r?.renderBefore??null;s._$litPart$=o=new N(e.insertBefore(Q(),n),n,void 0,r??{})}return o._$AI(t),o};var Ie=globalThis,D=class extends v{constructor(){super(...arguments),this.renderOptions={host:this},this._$Do=void 0}createRenderRoot(){let e=super.createRenderRoot();return this.renderOptions.renderBefore??=e.firstChild,e}update(e){let r=this.render();this.hasUpdated||(this.renderOptions.isConnected=this.isConnected),super.update(e),this._$Do=S(r,this.renderRoot,this.renderOptions)}connectedCallback(){super.connectedCallback(),this._$Do?.setConnected(!0)}disconnectedCallback(){super.disconnectedCallback(),this._$Do?.setConnected(!1)}render(){return j}};D._$litElement$=!0,D.finalized=!0,Ie.litElementHydrateSupport?.({LitElement:D});var tr=Ie.litElementPolyfillSupport;tr?.({LitElement:D});(Ie.litElementVersions??=[]).push("4.2.0");function gt(t){return t.replace(/([a-zA-Z])(?=[A-Z])/g,"$1-").toLowerCase()}function de(t,e={}){let{soft:r=!1,upgrade:s=!0}=e;for(let[o,n]of Object.entries(t)){let i=gt(o),a=customElements.get(i);r&&a||(customElements.define(i,n),s&&document.querySelectorAll(i).forEach(c=>{c.constructor===HTMLElement&&customElements.upgrade(c)}))}}function E(t,e=document){let r=e.querySelector(t);if(!r)throw new Error(`$1 ${t} not found`);return r}function rr(t,e=document){return Array.from(e.querySelectorAll(t))}E.maybe=(t,e=document)=>e.querySelector(t);E.all=rr;E.render=(t,...e)=>S(e,t);E.register=de;var b=Object.freeze({eq(t,e){if(t.length!==e.length)return!1;for(let r=0;r<=t.length;r++)if(t.at(r)!==e.at(r))return!1;return!0},random(t){return crypto.getRandomValues(new Uint8Array(t))}});var M=Object.freeze({fromBytes(t){return[...t].map(e=>e.toString(16).padStart(2,"0")).join("")},toBytes(t){if(t.length%2!==0)throw new Error("must have even number of hex characters");let e=new Uint8Array(t.length/2);for(let r=0;r<t.length;r+=2)e[r/2]=parseInt(t.slice(r,r+2),16);return e},random(t=32){return this.fromBytes(b.random(t))},string(t){return M.fromBytes(t)},bytes(t){return M.toBytes(t)}});var Ne=58,me="123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz",De=Object.freeze({fromBytes(t){let e=BigInt("0x"+M.fromBytes(t)),r="";for(;e>0;){let s=e%BigInt(Ne);e=e/BigInt(Ne),r=me[Number(s)]+r}for(let s of t)if(s===0)r=me[0]+r;else break;return r},toBytes(t){let e=BigInt(0);for(let i of t){let a=me.indexOf(i);if(a===-1)throw new Error(`Invalid character '${i}' in base58 string`);e=e*BigInt(Ne)+BigInt(a)}let r=e.toString(16);r.length%2!==0&&(r="0"+r);let s=M.toBytes(r),o=0;for(let i of t)if(i===me[0])o++;else break;let n=new Uint8Array(o+s.length);return n.set(s,o),n},random(t=32){return this.fromBytes(b.random(t))},string(t){return De.fromBytes(t)},bytes(t){return De.toBytes(t)}});var bt=class{lexicon;static lexicons=Object.freeze({base2:{characters:"01"},hex:{characters:"0123456789abcdef"},base36:{characters:"0123456789abcdefghijklmnopqrstuvwxyz"},base58:{characters:"123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"},base62:{characters:"0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"},base64url:{negativePrefix:"~",characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_"},base64:{characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",padding:{character:"=",size:4}}});lookup;negativePrefix;constructor(e){this.lexicon=e,this.lookup=Object.fromEntries([...e.characters].map((r,s)=>[r,s])),this.negativePrefix=e.negativePrefix??"-"}toBytes(e){let r=Math.log2(this.lexicon.characters.length);if(Number.isInteger(r)){let a=0,c=0,l=[];for(let f of e){if(f===this.lexicon.padding?.character)continue;let u=this.lookup[f];if(u===void 0)throw new Error(`Invalid character: ${f}`);for(a=a<<r|u,c+=r;c>=8;)c-=8,l.push(a>>c&255)}return new Uint8Array(l)}let s=0n,o=BigInt(this.lexicon.characters.length),n=!1;e.startsWith(this.negativePrefix)&&(e=e.slice(this.negativePrefix.length),n=!0);for(let a of e){let c=this.lookup[a];if(c===void 0)throw new Error(`Invalid character: ${a}`);s=s*o+BigInt(c)}let i=[];for(;s>0n;)i.unshift(Number(s%256n)),s=s/256n;return new Uint8Array(i)}fromBytes(e){let r=Math.log2(this.lexicon.characters.length);if(Number.isInteger(r)){let i=0,a=0,c="";for(let l of e)for(i=i<<8|l,a+=8;a>=r;){a-=r;let f=i>>a&(1<<r)-1;c+=this.lexicon.characters[f]}if(a>0){let l=i<<r-a&(1<<r)-1;c+=this.lexicon.characters[l]}if(this.lexicon.padding)for(;c.length%this.lexicon.padding.size!==0;)c+=this.lexicon.padding.character;return c}let s=0n;for(let i of e)s=(s<<8n)+BigInt(i);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return n}toInteger(e){if(!e)return 0;let r=0n,s=!1,o=BigInt(this.lexicon.characters.length);e.startsWith(this.negativePrefix)&&(e=e.slice(this.negativePrefix.length),s=!0);for(let n of e){let i=this.lookup[n];if(i===void 0)throw new Error(`Invalid character: ${n}`);r=r*o+BigInt(i)}return Number(s?-r:r)}fromInteger(e){e=Math.floor(e);let r=e<0,s=BigInt(r?-e:e);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return r?`${this.negativePrefix}${n}`:n}random(e=32){return this.fromBytes(b.random(e))}};var Re=Object.freeze({fromBytes(t){return typeof btoa=="function"?btoa(String.fromCharCode(...t)):Buffer.from(t).toString("base64")},toBytes(t){return typeof atob=="function"?Uint8Array.from(atob(t),e=>e.charCodeAt(0)):Uint8Array.from(Buffer.from(t,"base64"))},random(t=32){return this.fromBytes(b.random(t))},string(t){return Re.fromBytes(t)},bytes(t){return Re.toBytes(t)}});var xt=Object.freeze({fromBytes(t){return new TextDecoder().decode(t)},toBytes(t){return new TextEncoder().encode(t)},string(t){return xt.fromBytes(t)},bytes(t){return xt.toBytes(t)}});function wt(t,e){let r,s,o=[];function n(){r=[],s&&clearTimeout(s),s=void 0,o=[]}return n(),((...i)=>{r=i,s&&clearTimeout(s);let a=new Promise((c,l)=>{o.push({resolve:c,reject:l})});return s=setTimeout(()=>{Promise.resolve().then(()=>e(...r)).then(c=>{for(let{resolve:l}of o)l(c);n()}).catch(c=>{for(let{reject:l}of o)l(c);n()})},t),a})}var Le=Object.freeze({happy:t=>t!=null,sad:t=>t==null,boolean:t=>typeof t=="boolean",number:t=>typeof t=="number",string:t=>typeof t=="string",bigint:t=>typeof t=="bigint",object:t=>typeof t=="object"&&t!==null,array:t=>Array.isArray(t),fn:t=>typeof t=="function",symbol:t=>typeof t=="symbol"});function X(){let t,e,r=new Promise((o,n)=>{t=o,e=n});function s(o){return o.then(t).catch(e),r}return{promise:r,resolve:t,reject:e,entangle:s}}var R=class t extends Map{static require(e,r){if(e.has(r))return e.get(r);throw new Error(`required key not found: "${r}"`)}static guarantee(e,r,s){if(e.has(r))return e.get(r);{let o=s();return e.set(r,o),o}}array(){return[...this]}require(e){return t.require(this,e)}guarantee(e,r){return t.guarantee(this,e,r)}};var $t=(t=0)=>new Promise(e=>setTimeout(e,t));function sr(t){return{map:e=>vt(t,e),filter:e=>At(t,e)}}sr.pipe=Object.freeze({map:t=>(e=>vt(e,t)),filter:t=>(e=>At(e,t))});var vt=(t,e)=>Object.fromEntries(Object.entries(t).map(([r,s])=>[r,e(s,r)])),At=(t,e)=>Object.fromEntries(Object.entries(t).filter(([r,s])=>e(s,r)));function or(){let t=new Set;async function e(...c){await Promise.all([...t].map(l=>l(...c)))}function r(c){return t.add(c),()=>{t.delete(c)}}async function s(...c){return e(...c)}function o(c){return r(c)}async function n(c){let{promise:l,resolve:f}=X(),u=o(async(...m)=>{c&&await c(...m),f(m),u()});return l}function i(){t.clear()}let a={pub:s,sub:o,publish:e,subscribe:r,on:r,next:n,clear:i};return Object.assign(o,a),Object.assign(s,a),a}function qe(t){let e=or();return t&&e.sub(t),e.pub}function ye(t){let e,r=!1,s=()=>{r=!0,clearTimeout(e)},o=async()=>{r||(await t(s),!r&&(e=setTimeout(o,0)))};return o(),s}var x=Object.freeze({eq(t,e){if(t.length!==e.length)return!1;for(let r=0;r<=t.length;r++)if(t.at(r)!==e.at(r))return!1;return!0},random(t){return crypto.getRandomValues(new Uint8Array(t))}});var z=Object.freeze({fromBytes(t){return[...t].map(e=>e.toString(16).padStart(2,"0")).join("")},toBytes(t){if(t.length%2!==0)throw new Error("must have even number of hex characters");let e=new Uint8Array(t.length/2);for(let r=0;r<t.length;r+=2)e[r/2]=parseInt(t.slice(r,r+2),16);return e},random(t=32){return this.fromBytes(x.random(t))},string(t){return z.fromBytes(t)},bytes(t){return z.toBytes(t)}});var Ve=58,ge="123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz",Fe=Object.freeze({fromBytes(t){let e=BigInt("0x"+z.fromBytes(t)),r="";for(;e>0;){let s=e%BigInt(Ve);e=e/BigInt(Ve),r=ge[Number(s)]+r}for(let s of t)if(s===0)r=ge[0]+r;else break;return r},toBytes(t){let e=BigInt(0);for(let i of t){let a=ge.indexOf(i);if(a===-1)throw new Error(`Invalid character '${i}' in base58 string`);e=e*BigInt(Ve)+BigInt(a)}let r=e.toString(16);r.length%2!==0&&(r="0"+r);let s=z.toBytes(r),o=0;for(let i of t)if(i===ge[0])o++;else break;let n=new Uint8Array(o+s.length);return n.set(s,o),n},random(t=32){return this.fromBytes(x.random(t))},string(t){return Fe.fromBytes(t)},bytes(t){return Fe.toBytes(t)}});var _t=class{lexicon;static lexicons=Object.freeze({base2:{characters:"01"},hex:{characters:"0123456789abcdef"},base36:{characters:"0123456789abcdefghijklmnopqrstuvwxyz"},base58:{characters:"123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"},base62:{characters:"0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"},base64url:{negativePrefix:"~",characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_"},base64:{characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",padding:{character:"=",size:4}}});lookup;negativePrefix;constructor(e){this.lexicon=e,this.lookup=Object.fromEntries([...e.characters].map((r,s)=>[r,s])),this.negativePrefix=e.negativePrefix??"-"}toBytes(e){let r=Math.log2(this.lexicon.characters.length);if(Number.isInteger(r)){let a=0,c=0,l=[];for(let f of e){if(f===this.lexicon.padding?.character)continue;let u=this.lookup[f];if(u===void 0)throw new Error(`Invalid character: ${f}`);for(a=a<<r|u,c+=r;c>=8;)c-=8,l.push(a>>c&255)}return new Uint8Array(l)}let s=0n,o=BigInt(this.lexicon.characters.length),n=!1;e.startsWith(this.negativePrefix)&&(e=e.slice(this.negativePrefix.length),n=!0);for(let a of e){let c=this.lookup[a];if(c===void 0)throw new Error(`Invalid character: ${a}`);s=s*o+BigInt(c)}let i=[];for(;s>0n;)i.unshift(Number(s%256n)),s=s/256n;return new Uint8Array(i)}fromBytes(e){let r=Math.log2(this.lexicon.characters.length);if(Number.isInteger(r)){let i=0,a=0,c="";for(let l of e)for(i=i<<8|l,a+=8;a>=r;){a-=r;let f=i>>a&(1<<r)-1;c+=this.lexicon.characters[f]}if(a>0){let l=i<<r-a&(1<<r)-1;c+=this.lexicon.characters[l]}if(this.lexicon.padding)for(;c.length%this.lexicon.padding.size!==0;)c+=this.lexicon.padding.character;return c}let s=0n;for(let i of e)s=(s<<8n)+BigInt(i);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return n}toInteger(e){if(!e)return 0;let r=0n,s=!1,o=BigInt(this.lexicon.characters.length);e.startsWith(this.negativePrefix)&&(e=e.slice(this.negativePrefix.length),s=!0);for(let n of e){let i=this.lookup[n];if(i===void 0)throw new Error(`Invalid character: ${n}`);r=r*o+BigInt(i)}return Number(s?-r:r)}fromInteger(e){e=Math.floor(e);let r=e<0,s=BigInt(r?-e:e);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return r?`${this.negativePrefix}${n}`:n}random(e=32){return this.fromBytes(x.random(e))}};var We=Object.freeze({fromBytes(t){return typeof btoa=="function"?btoa(String.fromCharCode(...t)):Buffer.from(t).toString("base64")},toBytes(t){return typeof atob=="function"?Uint8Array.from(atob(t),e=>e.charCodeAt(0)):Uint8Array.from(Buffer.from(t,"base64"))},random(t=32){return this.fromBytes(x.random(t))},string(t){return We.fromBytes(t)},bytes(t){return We.toBytes(t)}});var Bt=Object.freeze({fromBytes(t){return new TextDecoder().decode(t)},toBytes(t){return new TextEncoder().encode(t)},string(t){return Bt.fromBytes(t)},bytes(t){return Bt.toBytes(t)}});function St(t,e){let r,s,o=[];function n(){r=[],s&&clearTimeout(s),s=void 0,o=[]}return n(),((...i)=>{r=i,s&&clearTimeout(s);let a=new Promise((c,l)=>{o.push({resolve:c,reject:l})});return s=setTimeout(()=>{Promise.resolve().then(()=>e(...r)).then(c=>{for(let{resolve:l}of o)l(c);n()}).catch(c=>{for(let{reject:l}of o)l(c);n()})},t),a})}var Ze=Object.freeze({set:t=>t!=null,unset:t=>t==null,boolean:t=>typeof t=="boolean",number:t=>typeof t=="number",string:t=>typeof t=="string",bigint:t=>typeof t=="bigint",object:t=>typeof t=="object"&&t!==null,array:t=>Array.isArray(t),fn:t=>typeof t=="function",symbol:t=>typeof t=="symbol"});function Et(){let t,e,r=new Promise((o,n)=>{t=o,e=n});function s(o){return o.then(t).catch(e),r}return{promise:r,resolve:t,reject:e,entangle:s}}function nr(t){return{map:e=>Ct(t,e),filter:e=>kt(t,e)}}nr.pipe=Object.freeze({map:t=>(e=>Ct(e,t)),filter:t=>(e=>kt(e,t))});var Ct=(t,e)=>Object.fromEntries(Object.entries(t).map(([r,s])=>[r,e(s,r)])),kt=(t,e)=>Object.fromEntries(Object.entries(t).filter(([r,s])=>e(s,r)));function ir(){let t=new Set;function e(n){return t.add(n),()=>{t.delete(n)}}async function r(...n){await Promise.all([...t].map(i=>i(...n)))}async function s(){let{promise:n,resolve:i}=Et(),a=e((...c)=>{i(c),a()});return n}function o(){t.clear()}return e.pub=r,e.sub=e,e.on=e,e.next=s,e.clear=o,r.pub=r,r.sub=e,r.on=e,r.next=s,r.clear=o,[r,e]}function be(t){let e=ir()[1];return t&&e.sub(t),e}var Ke=class{#e=[];#t=new WeakMap;#r=[];#s=new Set;notifyRead(e){this.#e.at(-1)?.add(e)}async notifyWrite(e){if(this.#s.has(e))throw new Error("circularity forbidden");let r=this.#o(e).pub();return this.#r.at(-1)?.add(r),r}observe(e){this.#e.push(new Set);let r=e();return{seen:this.#e.pop(),result:r}}subscribe(e,r){return this.#o(e)(async()=>{let s=new Set;this.#r.push(s),this.#s.add(e),s.add(r()),this.#s.delete(e),await Promise.all(s),this.#r.pop()})}#o(e){let r=this.#t.get(e);return r||(r=be(),this.#t.set(e,r)),r}},g=globalThis[Symbol.for("e280.tracker")]??=new Ke;var{I:Oc}=yt;var Pt=t=>t.strings===void 0;var jt={ATTRIBUTE:1,CHILD:2,PROPERTY:3,BOOLEAN_ATTRIBUTE:4,EVENT:5,ELEMENT:6},we=t=>(...e)=>({_$litDirective$:t,values:e}),xe=class{constructor(e){}get _$AU(){return this._$AM._$AU}_$AT(e,r,s){this._$Ct=e,this._$AM=r,this._$Ci=s}_$AS(e,r){return this.update(e,r)}update(e,r){return this.render(...r)}};var G=(t,e)=>{let r=t._$AN;if(r===void 0)return!1;for(let s of r)s._$AO?.(e,!1),G(s,e);return!0},$e=t=>{let e,r;do{if((e=t._$AM)===void 0)break;r=e._$AN,r.delete(t),t=e}while(r?.size===0)},Ot=t=>{for(let e;e=t._$AM;t=e){let r=e._$AN;if(r===void 0)e._$AN=r=new Set;else if(r.has(t))break;r.add(t),lr(e)}};function cr(t){this._$AN!==void 0?($e(this),this._$AM=t,Ot(this)):this._$AM=t}function ar(t,e=!1,r=0){let s=this._$AH,o=this._$AN;if(o!==void 0&&o.size!==0)if(e)if(Array.isArray(s))for(let n=r;n<s.length;n++)G(s[n],!1),$e(s[n]);else s!=null&&(G(s,!1),$e(s));else G(this,t)}var lr=t=>{t.type==jt.CHILD&&(t._$AP??=ar,t._$AQ??=cr)},ve=class extends xe{constructor(){super(...arguments),this._$AN=void 0}_$AT(e,r,s){super._$AT(e,r,s),Ot(this),this.isConnected=e._$AU}_$AO(e,r=!0){e!==this.isConnected&&(this.isConnected=e,e?this.reconnected?.():this.disconnected?.()),r&&(G(this,e),$e(this))}setValue(e){if(Pt(this._$Ct))this._$Ct._$AI(e,this);else{let r=[...this._$Ct._$AH];r[this._$Ci]=e,this._$Ct._$AI(r,this,0)}}disconnected(){}reconnected(){}};function Tt(t,e){for(let[r,s]of Object.entries(e))s===void 0||s===null?t.removeAttribute(r):typeof s=="string"?t.setAttribute(r,s):typeof s=="number"?t.setAttribute(r,s.toString()):typeof s=="boolean"?s===!0?t.setAttribute(r,""):t.removeAttribute(r):console.warn(`invalid attribute type ${r} is ${typeof s}`)}function Ae(t,e){ie(t,ur(e))}function ur(t){let e=[];if(Array.isArray(t)){let r=new Set(t.flat(1/0).reverse());for(let s of r)e.unshift(I(s))}else t!==void 0&&e.push(I(t));return e}function Qe(t,e=t){let{seen:r,result:s}=g.observe(t),o=St(0,e),n=[],i=()=>n.forEach(a=>a());for(let a of r){let c=g.subscribe(a,o);n.push(c)}return{result:s,dispose:i}}var pr={compare:(t,e)=>t===e};function L(t={}){return{...pr,...t}}var _e=class{sneak;constructor(e){this.sneak=e}get(){return g.notifyRead(this),this.sneak}get value(){return this.get()}},Be=class extends _e{on=be();dispose(){this.on.clear()}},ee=class extends Be{_options;kind="signal";_lock=!1;constructor(e,r){super(e),this._options=r}async set(e){return!this._options.compare(this.sneak,e)&&await this.publish(e),e}get value(){return this.get()}set value(e){this.set(e)}async publish(e=this.get()){if(this._lock)throw new Error("forbid circularity");let r=Promise.resolve();try{this._lock=!0,this.sneak=e,r=Promise.all([g.notifyWrite(this),this.on.pub(e)])}finally{this._lock=!1}return await r,e}},te=class extends _e{_formula;_options;kind="lazy";_dirty=!1;_effect;constructor(e,r){super(void 0),this._formula=e,this._options=r}get(){if(!this._effect){let{result:e,dispose:r}=Qe(this._formula,()=>this._dirty=!0);this._effect=r,this.sneak=e}if(this._dirty){this._dirty=!1;let e=this._formula();!this._options.compare(this.sneak,e)&&(this.sneak=e,g.notifyWrite(this))}return super.get()}get value(){return this.get()}dispose(){this._effect&&this._effect()}},re=class extends Be{_effect;static make(e,r,s){let{result:o,dispose:n}=Qe(r,async()=>{let i=r();!s.compare(e.sneak,i)&&(e.sneak=i,await Promise.all([g.notifyWrite(e),e.on.pub(i)]))});return new this(o,n)}kind="derived";constructor(e,r){super(e),this._effect=r}get value(){return this.get()}dispose(){super.dispose(),this._effect()}};function Mt(t,e={}){function r(){return r.value}let s=L(e),o=re.make(r,t,s);return Object.setPrototypeOf(r,re.prototype),Object.assign(r,o),r}function zt(t,e={}){function r(){return r.value}let s=L(e),o=new te(t,s);return Object.setPrototypeOf(r,te.prototype),Object.assign(r,o),r}function q(t,e={}){function r(n){return n!==void 0?r.set(n):r.get()}let s=L(e),o=new ee(t,s);return Object.setPrototypeOf(r,ee.prototype),Object.assign(r,o),r}q.lazy=zt;q.derive=Mt;var H={status:t=>t[0],value:t=>t[0]==="ready"?t[1]:void 0,error:t=>t[0]==="error"?t[1]:void 0,select:(t,e)=>{switch(t[0]){case"loading":return e.loading();case"error":return e.error(t[1]);case"ready":return e.ready(t[1]);default:throw new Error("unknown op status")}},morph:(t,e)=>H.select(t,{loading:()=>["loading"],error:r=>["error",r],ready:r=>["ready",e(r)]}),all:(...t)=>{let e=[],r=[],s=0;for(let o of t)switch(o[0]){case"loading":s++;break;case"ready":e.push(o[1]);break;case"error":r.push(o[1]);break}return r.length>0?["error",r]:s===0?["ready",e]:["loading"]}};var U=class{static loading(){return new this}static ready(e){return new this(["ready",e])}static error(e){return new this(["error",e])}static promise(e){let r=new this;return r.promise(e),r}static fn(e){return this.promise(e())}static all(...e){let r=e.map(s=>s.pod);return H.all(...r)}signal;#e=0;#t=qe();#r=qe();constructor(e=["loading"]){this.signal=q(e)}get wait(){return new Promise((e,r)=>{this.#t.next().then(([s])=>e(s)),this.#r.next().then(([s])=>r(s))})}get then(){return this.wait.then.bind(this.wait)}get catch(){return this.wait.catch.bind(this.wait)}get finally(){return this.wait.finally.bind(this.wait)}async setLoading(){await this.signal(["loading"])}async setReady(e){await this.signal(["ready",e]),await this.#t(e)}async setError(e){await this.signal(["error",e]),await this.#r(e)}async promise(e){let r=++this.#e;await this.setLoading();try{let s=await e;return r===this.#e&&await this.setReady(s),s}catch(s){r===this.#e&&await this.setError(s)}}async fn(e){return this.promise(e())}get pod(){return this.signal()}set pod(e){this.signal(e)}get status(){return this.signal()[0]}get value(){return H.value(this.signal())}get error(){return H.error(this.signal())}get isLoading(){return this.status==="loading"}get isReady(){return this.status==="ready"}get isError(){return this.status==="error"}require(){let e=this.signal();if(e[0]!=="ready")throw new Error("required value not ready");return e[1]}select(e){return H.select(this.signal(),e)}morph(e){return H.morph(this.pod,e)}};var Se=class{#e=[];#t=[];mount(e){this.#e.push(e),this.#t.push(e())}unmountAll(){for(let e of this.#t)e();this.#t=[]}remountAll(){for(let e of this.#e)this.#t.push(e())}};var Ht=(t,e)=>new Proxy(e,{get:(r,s)=>{let o=e[s],n=t.getAttribute(s);switch(o){case String:return n??void 0;case Number:return n!==null?Number(n):void 0;case Boolean:return n!==null;default:throw new Error(`invalid attribute type for "${s}"`)}},set:(r,s,o)=>{switch(e[s]){case String:return t.setAttribute(s,o),!0;case Number:return t.setAttribute(s,o.toString()),!0;case Boolean:return o?t.setAttribute(s,""):t.removeAttribute(s),!0;default:throw new Error(`invalid attribute type for "${s}"`)}}});function Ut(t,e){let r=new MutationObserver(e);return r.observe(t,{attributes:!0}),()=>r.disconnect()}var Je=Symbol(),Ye=Symbol(),Xe=Symbol(),Ee=class{element;shadow;renderNow;render;#e=0;#t=0;#r=new R;#s=X();#o=new Se;[Je](e){this.#e++,this.#t=0,this.#s=X();let r=e();return this.#s.resolve(),r}[Ye](){this.#o.unmountAll()}[Xe](){this.#o.remountAll()}constructor(e,r,s,o){this.element=e,this.shadow=r,this.renderNow=s,this.render=o}get renderCount(){return this.#e}get rendered(){return this.#s.promise}name(e){this.once(()=>this.element.setAttribute("view",e))}styles(...e){this.once(()=>Ae(this.shadow,e))}css(...e){return this.styles(...e)}attrs(e){return this.mount(()=>Ut(this.element,this.render)),this.once(()=>Ht(this.element,e))}once(e){return this.#r.guarantee(this.#t++,e)}mount(e){return this.once(()=>this.#o.mount(e))}life(e){let r;return this.mount(()=>{let[s,o]=e();return r=s,o}),r}wake(e){return this.life(()=>[e(),()=>{}])}op=(()=>{let e=this;function r(s){return e.once(()=>U.fn(s))}return r.fn=r,r.promise=s=>this.once(()=>U.promise(s)),r})();signal(e){return this.once(()=>q(e))}};var w=It({mode:"open"}),Ge=class extends HTMLElement{};de({SlyView:Ge},{soft:!0,upgrade:!0});function It(t){function e(r){let s=i=>class extends ve{#e=i.getElement();#t=this.#e.attachShadow(t);#r=wt(0,()=>this.#i());#s=new R;#o;#n=new Ee(this.#e,this.#t,()=>this.#i(),this.#r);#c=(()=>{let c=r(this.#n);return this.#e.setAttribute("view",t.name??""),t.styles&&Ae(this.#t,t.styles),c})();#i(){if(!this.#o||!this.isConnected)return;let{with:c,props:l}=this.#o;this.#n[Je](()=>{Tt(this.#e,c.attrs);let{result:f,seen:u}=g.observe(()=>this.#c(...l));S(f,this.#t);for(let m of u)this.#s.guarantee(m,()=>g.subscribe(m,async()=>this.#r()));i.isComponent||S(c.children,this.#e)})}render(c,l){return this.#o={with:c,props:l},this.#i(),i.isComponent?null:this.#e}disconnected(){this.#n[Ye]();for(let c of this.#s.values())c();this.#s.clear()}reconnected(){this.#n[Xe]()}},o=we(s({getElement:()=>document.createElement(t.tag??"sly-view"),isComponent:!1}));function n(i){let a=(...c)=>o(i,c);return a.props=a,a.with=c=>n({...i,...c}),a.children=(...c)=>n({...i,children:c}),a.attrs=c=>n({...i,attrs:c}),a.attr=(c,l)=>n({...i,attrs:{...i.attrs,[c]:l}}),a.component=(...c)=>class extends HTMLElement{#e=we(s({getElement:()=>this,isComponent:!0}));constructor(){super(),this.render(...c)}render(...l){this.isConnected&&S(this.#e(i,l),this)}},a}return n({attrs:{},children:null})}return e.view=e,e.settings=r=>It({...t,...r}),e.component=r=>e(s=>()=>r(s)).component(),e}var $=y`
|
|
1
|
+
var Oe=Object.defineProperty;var Te=(r,t)=>{for(var e in t)Oe(r,e,{get:t[e],enumerable:!0})};var rt=globalThis,st=rt.ShadowRoot&&(rt.ShadyCSS===void 0||rt.ShadyCSS.nativeShadow)&&"adoptedStyleSheets"in Document.prototype&&"replace"in CSSStyleSheet.prototype,Ot=Symbol(),Yt=new WeakMap,Z=class{constructor(t,e,s){if(this._$cssResult$=!0,s!==Ot)throw Error("CSSResult is not constructable. Use `unsafeCSS` or `css` instead.");this.cssText=t,this.t=e}get styleSheet(){let t=this.o,e=this.t;if(st&&t===void 0){let s=e!==void 0&&e.length===1;s&&(t=Yt.get(e)),t===void 0&&((this.o=t=new CSSStyleSheet).replaceSync(this.cssText),s&&Yt.set(e,t))}return t}toString(){return this.cssText}},Gt=r=>new Z(typeof r=="string"?r:r+"",void 0,Ot),g=(r,...t)=>{let e=r.length===1?r[0]:t.reduce(((s,o,n)=>s+(i=>{if(i._$cssResult$===!0)return i.cssText;if(typeof i=="number")return i;throw Error("Value passed to 'css' function must be a 'css' function result: "+i+". Use 'unsafeCSS' to pass non-literal values, but take care to ensure page security.")})(o)+r[n+1]),r[0]);return new Z(e,r,Ot)},ot=(r,t)=>{if(st)r.adoptedStyleSheets=t.map((e=>e instanceof CSSStyleSheet?e:e.styleSheet));else for(let e of t){let s=document.createElement("style"),o=rt.litNonce;o!==void 0&&s.setAttribute("nonce",o),s.textContent=e.cssText,r.appendChild(s)}},N=st?r=>r:r=>r instanceof CSSStyleSheet?(t=>{let e="";for(let s of t.cssRules)e+=s.cssText;return Gt(e)})(r):r;var{is:je,defineProperty:Me,getOwnPropertyDescriptor:Ue,getOwnPropertyNames:He,getOwnPropertySymbols:Re,getPrototypeOf:Ne}=Object,nt=globalThis,Xt=nt.trustedTypes,ze=Xt?Xt.emptyScript:"",De=nt.reactiveElementPolyfillSupport,K=(r,t)=>r,Tt={toAttribute(r,t){switch(t){case Boolean:r=r?ze:null;break;case Object:case Array:r=r==null?r:JSON.stringify(r)}return r},fromAttribute(r,t){let e=r;switch(t){case Boolean:e=r!==null;break;case Number:e=r===null?null:Number(r);break;case Object:case Array:try{e=JSON.parse(r)}catch{e=null}}return e}},ee=(r,t)=>!je(r,t),te={attribute:!0,type:String,converter:Tt,reflect:!1,useDefault:!1,hasChanged:ee};Symbol.metadata??=Symbol("metadata"),nt.litPropertyMetadata??=new WeakMap;var A=class extends HTMLElement{static addInitializer(t){this._$Ei(),(this.l??=[]).push(t)}static get observedAttributes(){return this.finalize(),this._$Eh&&[...this._$Eh.keys()]}static createProperty(t,e=te){if(e.state&&(e.attribute=!1),this._$Ei(),this.prototype.hasOwnProperty(t)&&((e=Object.create(e)).wrapped=!0),this.elementProperties.set(t,e),!e.noAccessor){let s=Symbol(),o=this.getPropertyDescriptor(t,s,e);o!==void 0&&Me(this.prototype,t,o)}}static getPropertyDescriptor(t,e,s){let{get:o,set:n}=Ue(this.prototype,t)??{get(){return this[e]},set(i){this[e]=i}};return{get:o,set(i){let c=o?.call(this);n?.call(this,i),this.requestUpdate(t,c,s)},configurable:!0,enumerable:!0}}static getPropertyOptions(t){return this.elementProperties.get(t)??te}static _$Ei(){if(this.hasOwnProperty(K("elementProperties")))return;let t=Ne(this);t.finalize(),t.l!==void 0&&(this.l=[...t.l]),this.elementProperties=new Map(t.elementProperties)}static finalize(){if(this.hasOwnProperty(K("finalized")))return;if(this.finalized=!0,this._$Ei(),this.hasOwnProperty(K("properties"))){let e=this.properties,s=[...He(e),...Re(e)];for(let o of s)this.createProperty(o,e[o])}let t=this[Symbol.metadata];if(t!==null){let e=litPropertyMetadata.get(t);if(e!==void 0)for(let[s,o]of e)this.elementProperties.set(s,o)}this._$Eh=new Map;for(let[e,s]of this.elementProperties){let o=this._$Eu(e,s);o!==void 0&&this._$Eh.set(o,e)}this.elementStyles=this.finalizeStyles(this.styles)}static finalizeStyles(t){let e=[];if(Array.isArray(t)){let s=new Set(t.flat(1/0).reverse());for(let o of s)e.unshift(N(o))}else t!==void 0&&e.push(N(t));return e}static _$Eu(t,e){let s=e.attribute;return s===!1?void 0:typeof s=="string"?s:typeof t=="string"?t.toLowerCase():void 0}constructor(){super(),this._$Ep=void 0,this.isUpdatePending=!1,this.hasUpdated=!1,this._$Em=null,this._$Ev()}_$Ev(){this._$ES=new Promise((t=>this.enableUpdating=t)),this._$AL=new Map,this._$E_(),this.requestUpdate(),this.constructor.l?.forEach((t=>t(this)))}addController(t){(this._$EO??=new Set).add(t),this.renderRoot!==void 0&&this.isConnected&&t.hostConnected?.()}removeController(t){this._$EO?.delete(t)}_$E_(){let t=new Map,e=this.constructor.elementProperties;for(let s of e.keys())this.hasOwnProperty(s)&&(t.set(s,this[s]),delete this[s]);t.size>0&&(this._$Ep=t)}createRenderRoot(){let t=this.shadowRoot??this.attachShadow(this.constructor.shadowRootOptions);return ot(t,this.constructor.elementStyles),t}connectedCallback(){this.renderRoot??=this.createRenderRoot(),this.enableUpdating(!0),this._$EO?.forEach((t=>t.hostConnected?.()))}enableUpdating(t){}disconnectedCallback(){this._$EO?.forEach((t=>t.hostDisconnected?.()))}attributeChangedCallback(t,e,s){this._$AK(t,s)}_$ET(t,e){let s=this.constructor.elementProperties.get(t),o=this.constructor._$Eu(t,s);if(o!==void 0&&s.reflect===!0){let n=(s.converter?.toAttribute!==void 0?s.converter:Tt).toAttribute(e,s.type);this._$Em=t,n==null?this.removeAttribute(o):this.setAttribute(o,n),this._$Em=null}}_$AK(t,e){let s=this.constructor,o=s._$Eh.get(t);if(o!==void 0&&this._$Em!==o){let n=s.getPropertyOptions(o),i=typeof n.converter=="function"?{fromAttribute:n.converter}:n.converter?.fromAttribute!==void 0?n.converter:Tt;this._$Em=o,this[o]=i.fromAttribute(e,n.type)??this._$Ej?.get(o)??null,this._$Em=null}}requestUpdate(t,e,s){if(t!==void 0){let o=this.constructor,n=this[t];if(s??=o.getPropertyOptions(t),!((s.hasChanged??ee)(n,e)||s.useDefault&&s.reflect&&n===this._$Ej?.get(t)&&!this.hasAttribute(o._$Eu(t,s))))return;this.C(t,e,s)}this.isUpdatePending===!1&&(this._$ES=this._$EP())}C(t,e,{useDefault:s,reflect:o,wrapped:n},i){s&&!(this._$Ej??=new Map).has(t)&&(this._$Ej.set(t,i??e??this[t]),n!==!0||i!==void 0)||(this._$AL.has(t)||(this.hasUpdated||s||(e=void 0),this._$AL.set(t,e)),o===!0&&this._$Em!==t&&(this._$Eq??=new Set).add(t))}async _$EP(){this.isUpdatePending=!0;try{await this._$ES}catch(e){Promise.reject(e)}let t=this.scheduleUpdate();return t!=null&&await t,!this.isUpdatePending}scheduleUpdate(){return this.performUpdate()}performUpdate(){if(!this.isUpdatePending)return;if(!this.hasUpdated){if(this.renderRoot??=this.createRenderRoot(),this._$Ep){for(let[o,n]of this._$Ep)this[o]=n;this._$Ep=void 0}let s=this.constructor.elementProperties;if(s.size>0)for(let[o,n]of s){let{wrapped:i}=n,c=this[o];i!==!0||this._$AL.has(o)||c===void 0||this.C(o,void 0,n,c)}}let t=!1,e=this._$AL;try{t=this.shouldUpdate(e),t?(this.willUpdate(e),this._$EO?.forEach((s=>s.hostUpdate?.())),this.update(e)):this._$EM()}catch(s){throw t=!1,this._$EM(),s}t&&this._$AE(e)}willUpdate(t){}_$AE(t){this._$EO?.forEach((e=>e.hostUpdated?.())),this.hasUpdated||(this.hasUpdated=!0,this.firstUpdated(t)),this.updated(t)}_$EM(){this._$AL=new Map,this.isUpdatePending=!1}get updateComplete(){return this.getUpdateComplete()}getUpdateComplete(){return this._$ES}shouldUpdate(t){return!0}update(t){this._$Eq&&=this._$Eq.forEach((e=>this._$ET(e,this[e]))),this._$EM()}updated(t){}firstUpdated(t){}};A.elementStyles=[],A.shadowRootOptions={mode:"open"},A[K("elementProperties")]=new Map,A[K("finalized")]=new Map,De?.({ReactiveElement:A}),(nt.reactiveElementVersions??=[]).push("2.1.0");var Mt=globalThis,it=Mt.trustedTypes,re=it?it.createPolicy("lit-html",{createHTML:r=>r}):void 0,Ut="$lit$",_=`lit$${Math.random().toFixed(9).slice(2)}$`,Ht="?"+_,Ie=`<${Ht}>`,O=document,J=()=>O.createComment(""),Y=r=>r===null||typeof r!="object"&&typeof r!="function",Rt=Array.isArray,ce=r=>Rt(r)||typeof r?.[Symbol.iterator]=="function",jt=`[
|
|
2
|
+
\f\r]`,Q=/<(?:(!--|\/[^a-zA-Z])|(\/?[a-zA-Z][^>\s]*)|(\/?$))/g,se=/-->/g,oe=/>/g,k=RegExp(`>|${jt}(?:([^\\s"'>=/]+)(${jt}*=${jt}*(?:[^
|
|
3
|
+
\f\r"'\`<>=]|("|')|))|$)`,"g"),ne=/'/g,ie=/"/g,le=/^(?:script|style|textarea|title)$/i,Nt=r=>(t,...e)=>({_$litType$:r,strings:t,values:e}),C=Nt(1),Dr=Nt(2),Ir=Nt(3),T=Symbol.for("lit-noChange"),d=Symbol.for("lit-nothing"),ae=new WeakMap,P=O.createTreeWalker(O,129);function ue(r,t){if(!Rt(r)||!r.hasOwnProperty("raw"))throw Error("invalid template strings array");return re!==void 0?re.createHTML(t):t}var he=(r,t)=>{let e=r.length-1,s=[],o,n=t===2?"<svg>":t===3?"<math>":"",i=Q;for(let c=0;c<e;c++){let a=r[c],l,u,p=-1,m=0;for(;m<a.length&&(i.lastIndex=m,u=i.exec(a),u!==null);)m=i.lastIndex,i===Q?u[1]==="!--"?i=se:u[1]!==void 0?i=oe:u[2]!==void 0?(le.test(u[2])&&(o=RegExp("</"+u[2],"g")),i=k):u[3]!==void 0&&(i=k):i===k?u[0]===">"?(i=o??Q,p=-1):u[1]===void 0?p=-2:(p=i.lastIndex-u[2].length,l=u[1],i=u[3]===void 0?k:u[3]==='"'?ie:ne):i===ie||i===ne?i=k:i===se||i===oe?i=Q:(i=k,o=void 0);let b=i===k&&r[c+1].startsWith("/>")?" ":"";n+=i===Q?a+Ie:p>=0?(s.push(l),a.slice(0,p)+Ut+a.slice(p)+_+b):a+_+(p===-2?c:b)}return[ue(r,n+(r[e]||"<?>")+(t===2?"</svg>":t===3?"</math>":"")),s]},G=class r{constructor({strings:t,_$litType$:e},s){let o;this.parts=[];let n=0,i=0,c=t.length-1,a=this.parts,[l,u]=he(t,e);if(this.el=r.createElement(l,s),P.currentNode=this.el.content,e===2||e===3){let p=this.el.content.firstChild;p.replaceWith(...p.childNodes)}for(;(o=P.nextNode())!==null&&a.length<c;){if(o.nodeType===1){if(o.hasAttributes())for(let p of o.getAttributeNames())if(p.endsWith(Ut)){let m=u[i++],b=o.getAttribute(p).split(_),et=/([.?@])?(.*)/.exec(m);a.push({type:1,index:n,name:et[2],strings:b,ctor:et[1]==="."?ct:et[1]==="?"?lt:et[1]==="@"?ut:M}),o.removeAttribute(p)}else p.startsWith(_)&&(a.push({type:6,index:n}),o.removeAttribute(p));if(le.test(o.tagName)){let p=o.textContent.split(_),m=p.length-1;if(m>0){o.textContent=it?it.emptyScript:"";for(let b=0;b<m;b++)o.append(p[b],J()),P.nextNode(),a.push({type:2,index:++n});o.append(p[m],J())}}}else if(o.nodeType===8)if(o.data===Ht)a.push({type:2,index:n});else{let p=-1;for(;(p=o.data.indexOf(_,p+1))!==-1;)a.push({type:7,index:n}),p+=_.length-1}n++}}static createElement(t,e){let s=O.createElement("template");return s.innerHTML=t,s}};function j(r,t,e=r,s){if(t===T)return t;let o=s!==void 0?e._$Co?.[s]:e._$Cl,n=Y(t)?void 0:t._$litDirective$;return o?.constructor!==n&&(o?._$AO?.(!1),n===void 0?o=void 0:(o=new n(r),o._$AT(r,e,s)),s!==void 0?(e._$Co??=[])[s]=o:e._$Cl=o),o!==void 0&&(t=j(r,o._$AS(r,t.values),o,s)),t}var at=class{constructor(t,e){this._$AV=[],this._$AN=void 0,this._$AD=t,this._$AM=e}get parentNode(){return this._$AM.parentNode}get _$AU(){return this._$AM._$AU}u(t){let{el:{content:e},parts:s}=this._$AD,o=(t?.creationScope??O).importNode(e,!0);P.currentNode=o;let n=P.nextNode(),i=0,c=0,a=s[0];for(;a!==void 0;){if(i===a.index){let l;a.type===2?l=new z(n,n.nextSibling,this,t):a.type===1?l=new a.ctor(n,a.name,a.strings,this,t):a.type===6&&(l=new ht(n,this,t)),this._$AV.push(l),a=s[++c]}i!==a?.index&&(n=P.nextNode(),i++)}return P.currentNode=O,o}p(t){let e=0;for(let s of this._$AV)s!==void 0&&(s.strings!==void 0?(s._$AI(t,s,e),e+=s.strings.length-2):s._$AI(t[e])),e++}},z=class r{get _$AU(){return this._$AM?._$AU??this._$Cv}constructor(t,e,s,o){this.type=2,this._$AH=d,this._$AN=void 0,this._$AA=t,this._$AB=e,this._$AM=s,this.options=o,this._$Cv=o?.isConnected??!0}get parentNode(){let t=this._$AA.parentNode,e=this._$AM;return e!==void 0&&t?.nodeType===11&&(t=e.parentNode),t}get startNode(){return this._$AA}get endNode(){return this._$AB}_$AI(t,e=this){t=j(this,t,e),Y(t)?t===d||t==null||t===""?(this._$AH!==d&&this._$AR(),this._$AH=d):t!==this._$AH&&t!==T&&this._(t):t._$litType$!==void 0?this.$(t):t.nodeType!==void 0?this.T(t):ce(t)?this.k(t):this._(t)}O(t){return this._$AA.parentNode.insertBefore(t,this._$AB)}T(t){this._$AH!==t&&(this._$AR(),this._$AH=this.O(t))}_(t){this._$AH!==d&&Y(this._$AH)?this._$AA.nextSibling.data=t:this.T(O.createTextNode(t)),this._$AH=t}$(t){let{values:e,_$litType$:s}=t,o=typeof s=="number"?this._$AC(t):(s.el===void 0&&(s.el=G.createElement(ue(s.h,s.h[0]),this.options)),s);if(this._$AH?._$AD===o)this._$AH.p(e);else{let n=new at(o,this),i=n.u(this.options);n.p(e),this.T(i),this._$AH=n}}_$AC(t){let e=ae.get(t.strings);return e===void 0&&ae.set(t.strings,e=new G(t)),e}k(t){Rt(this._$AH)||(this._$AH=[],this._$AR());let e=this._$AH,s,o=0;for(let n of t)o===e.length?e.push(s=new r(this.O(J()),this.O(J()),this,this.options)):s=e[o],s._$AI(n),o++;o<e.length&&(this._$AR(s&&s._$AB.nextSibling,o),e.length=o)}_$AR(t=this._$AA.nextSibling,e){for(this._$AP?.(!1,!0,e);t&&t!==this._$AB;){let s=t.nextSibling;t.remove(),t=s}}setConnected(t){this._$AM===void 0&&(this._$Cv=t,this._$AP?.(t))}},M=class{get tagName(){return this.element.tagName}get _$AU(){return this._$AM._$AU}constructor(t,e,s,o,n){this.type=1,this._$AH=d,this._$AN=void 0,this.element=t,this.name=e,this._$AM=o,this.options=n,s.length>2||s[0]!==""||s[1]!==""?(this._$AH=Array(s.length-1).fill(new String),this.strings=s):this._$AH=d}_$AI(t,e=this,s,o){let n=this.strings,i=!1;if(n===void 0)t=j(this,t,e,0),i=!Y(t)||t!==this._$AH&&t!==T,i&&(this._$AH=t);else{let c=t,a,l;for(t=n[0],a=0;a<n.length-1;a++)l=j(this,c[s+a],e,a),l===T&&(l=this._$AH[a]),i||=!Y(l)||l!==this._$AH[a],l===d?t=d:t!==d&&(t+=(l??"")+n[a+1]),this._$AH[a]=l}i&&!o&&this.j(t)}j(t){t===d?this.element.removeAttribute(this.name):this.element.setAttribute(this.name,t??"")}},ct=class extends M{constructor(){super(...arguments),this.type=3}j(t){this.element[this.name]=t===d?void 0:t}},lt=class extends M{constructor(){super(...arguments),this.type=4}j(t){this.element.toggleAttribute(this.name,!!t&&t!==d)}},ut=class extends M{constructor(t,e,s,o,n){super(t,e,s,o,n),this.type=5}_$AI(t,e=this){if((t=j(this,t,e,0)??d)===T)return;let s=this._$AH,o=t===d&&s!==d||t.capture!==s.capture||t.once!==s.once||t.passive!==s.passive,n=t!==d&&(s===d||o);o&&this.element.removeEventListener(this.name,this,s),n&&this.element.addEventListener(this.name,this,t),this._$AH=t}handleEvent(t){typeof this._$AH=="function"?this._$AH.call(this.options?.host??this.element,t):this._$AH.handleEvent(t)}},ht=class{constructor(t,e,s){this.element=t,this.type=6,this._$AN=void 0,this._$AM=e,this.options=s}get _$AU(){return this._$AM._$AU}_$AI(t){j(this,t)}},pe={M:Ut,P:_,A:Ht,C:1,L:he,R:at,D:ce,V:j,I:z,H:M,N:lt,U:ut,B:ct,F:ht},Le=Mt.litHtmlPolyfillSupport;Le?.(G,z),(Mt.litHtmlVersions??=[]).push("3.3.0");var S=(r,t,e)=>{let s=e?.renderBefore??t,o=s._$litPart$;if(o===void 0){let n=e?.renderBefore??null;s._$litPart$=o=new z(t.insertBefore(J(),n),n,void 0,e??{})}return o._$AI(r),o};var zt=globalThis,D=class extends A{constructor(){super(...arguments),this.renderOptions={host:this},this._$Do=void 0}createRenderRoot(){let t=super.createRenderRoot();return this.renderOptions.renderBefore??=t.firstChild,t}update(t){let e=this.render();this.hasUpdated||(this.renderOptions.isConnected=this.isConnected),super.update(t),this._$Do=S(e,this.renderRoot,this.renderOptions)}connectedCallback(){super.connectedCallback(),this._$Do?.setConnected(!0)}disconnectedCallback(){super.disconnectedCallback(),this._$Do?.setConnected(!1)}render(){return T}};D._$litElement$=!0,D.finalized=!0,zt.litElementHydrateSupport?.({LitElement:D});var qe=zt.litElementPolyfillSupport;qe?.({LitElement:D});(zt.litElementVersions??=[]).push("4.2.0");function fe(r){return r.replace(/([a-zA-Z])(?=[A-Z])/g,"$1-").toLowerCase()}function pt(r,t={}){let{soft:e=!1,upgrade:s=!0}=t;for(let[o,n]of Object.entries(r)){let i=fe(o),c=customElements.get(i);e&&c||(customElements.define(i,n),s&&document.querySelectorAll(i).forEach(a=>{a.constructor===HTMLElement&&customElements.upgrade(a)}))}}var ft=class r{element;constructor(t){this.element=t}in(t){return new r(typeof t=="string"?this.require(t):t)}require(t){let e=this.element.querySelector(t);if(!e)throw new Error(`$1 ${t} not found`);return e}maybe(t){return this.element.querySelector(t)}all(t){return Array.from(this.element.querySelectorAll(t))}render(...t){return S(t,this.element)}};function E(r){return new ft(document).require(r)}var B=new ft(document);E.register=pt;E.render=(r,...t)=>S(t,r);E.in=B.in.bind(B);E.require=B.require.bind(B);E.maybe=B.maybe.bind(B);E.all=B.all.bind(B);var x=Object.freeze({eq(r,t){if(r.length!==t.length)return!1;for(let e=0;e<=r.length;e++)if(r.at(e)!==t.at(e))return!1;return!0},random(r){return crypto.getRandomValues(new Uint8Array(r))}});var U=Object.freeze({fromBytes(r){return[...r].map(t=>t.toString(16).padStart(2,"0")).join("")},toBytes(r){if(r.length%2!==0)throw new Error("must have even number of hex characters");let t=new Uint8Array(r.length/2);for(let e=0;e<r.length;e+=2)t[e/2]=parseInt(r.slice(e,e+2),16);return t},random(r=32){return this.fromBytes(x.random(r))},string(r){return U.fromBytes(r)},bytes(r){return U.toBytes(r)}});var Dt=58,dt="123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz",It=Object.freeze({fromBytes(r){let t=BigInt("0x"+U.fromBytes(r)),e="";for(;t>0;){let s=t%BigInt(Dt);t=t/BigInt(Dt),e=dt[Number(s)]+e}for(let s of r)if(s===0)e=dt[0]+e;else break;return e},toBytes(r){let t=BigInt(0);for(let i of r){let c=dt.indexOf(i);if(c===-1)throw new Error(`Invalid character '${i}' in base58 string`);t=t*BigInt(Dt)+BigInt(c)}let e=t.toString(16);e.length%2!==0&&(e="0"+e);let s=U.toBytes(e),o=0;for(let i of r)if(i===dt[0])o++;else break;let n=new Uint8Array(o+s.length);return n.set(s,o),n},random(r=32){return this.fromBytes(x.random(r))},string(r){return It.fromBytes(r)},bytes(r){return It.toBytes(r)}});var de=class{lexicon;static lexicons=Object.freeze({base2:{characters:"01"},hex:{characters:"0123456789abcdef"},base36:{characters:"0123456789abcdefghijklmnopqrstuvwxyz"},base58:{characters:"123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"},base62:{characters:"0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"},base64url:{negativePrefix:"~",characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_"},base64:{characters:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",padding:{character:"=",size:4}}});lookup;negativePrefix;constructor(t){this.lexicon=t,this.lookup=Object.fromEntries([...t.characters].map((e,s)=>[e,s])),this.negativePrefix=t.negativePrefix??"-"}toBytes(t){let e=Math.log2(this.lexicon.characters.length);if(Number.isInteger(e)){let c=0,a=0,l=[];for(let u of t){if(u===this.lexicon.padding?.character)continue;let p=this.lookup[u];if(p===void 0)throw new Error(`Invalid character: ${u}`);for(c=c<<e|p,a+=e;a>=8;)a-=8,l.push(c>>a&255)}return new Uint8Array(l)}let s=0n,o=BigInt(this.lexicon.characters.length),n=!1;t.startsWith(this.negativePrefix)&&(t=t.slice(this.negativePrefix.length),n=!0);for(let c of t){let a=this.lookup[c];if(a===void 0)throw new Error(`Invalid character: ${c}`);s=s*o+BigInt(a)}let i=[];for(;s>0n;)i.unshift(Number(s%256n)),s=s/256n;return new Uint8Array(i)}fromBytes(t){let e=Math.log2(this.lexicon.characters.length);if(Number.isInteger(e)){let i=0,c=0,a="";for(let l of t)for(i=i<<8|l,c+=8;c>=e;){c-=e;let u=i>>c&(1<<e)-1;a+=this.lexicon.characters[u]}if(c>0){let l=i<<e-c&(1<<e)-1;a+=this.lexicon.characters[l]}if(this.lexicon.padding)for(;a.length%this.lexicon.padding.size!==0;)a+=this.lexicon.padding.character;return a}let s=0n;for(let i of t)s=(s<<8n)+BigInt(i);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return n}toInteger(t){if(!t)return 0;let e=0n,s=!1,o=BigInt(this.lexicon.characters.length);t.startsWith(this.negativePrefix)&&(t=t.slice(this.negativePrefix.length),s=!0);for(let n of t){let i=this.lookup[n];if(i===void 0)throw new Error(`Invalid character: ${n}`);e=e*o+BigInt(i)}return Number(s?-e:e)}fromInteger(t){t=Math.floor(t);let e=t<0,s=BigInt(e?-t:t);if(s===0n)return this.lexicon.characters[0];let o=BigInt(this.lexicon.characters.length),n="";for(;s>0n;)n=this.lexicon.characters[Number(s%o)]+n,s=s/o;return e?`${this.negativePrefix}${n}`:n}random(t=32){return this.fromBytes(x.random(t))}};var Lt=Object.freeze({fromBytes(r){return typeof btoa=="function"?btoa(String.fromCharCode(...r)):Buffer.from(r).toString("base64")},toBytes(r){return typeof atob=="function"?Uint8Array.from(atob(r),t=>t.charCodeAt(0)):Uint8Array.from(Buffer.from(r,"base64"))},random(r=32){return this.fromBytes(x.random(r))},string(r){return Lt.fromBytes(r)},bytes(r){return Lt.toBytes(r)}});var me=Object.freeze({fromBytes(r){return new TextDecoder().decode(r)},toBytes(r){return new TextEncoder().encode(r)},string(r){return me.fromBytes(r)},bytes(r){return me.toBytes(r)}});function mt(r,t){let e,s,o=[];function n(){e=[],s&&clearTimeout(s),s=void 0,o=[]}return n(),((...i)=>{e=i,s&&clearTimeout(s);let c=new Promise((a,l)=>{o.push({resolve:a,reject:l})});return s=setTimeout(()=>{Promise.resolve().then(()=>t(...e)).then(a=>{for(let{resolve:l}of o)l(a);n()}).catch(a=>{for(let{reject:l}of o)l(a);n()})},r),c})}var qt=Object.freeze({happy:r=>r!=null,sad:r=>r==null,boolean:r=>typeof r=="boolean",number:r=>typeof r=="number",string:r=>typeof r=="string",bigint:r=>typeof r=="bigint",object:r=>typeof r=="object"&&r!==null,array:r=>Array.isArray(r),fn:r=>typeof r=="function",symbol:r=>typeof r=="symbol"});function X(){let r,t,e=new Promise((o,n)=>{r=o,t=n});function s(o){return o.then(r).catch(t),e}return{promise:e,resolve:r,reject:t,entangle:s}}var I=class r extends Map{static require(t,e){if(t.has(e))return t.get(e);throw new Error(`required key not found: "${e}"`)}static guarantee(t,e,s){if(t.has(e))return t.get(e);{let o=s();return t.set(e,o),o}}array(){return[...this]}require(t){return r.require(this,t)}guarantee(t,e){return r.guarantee(this,t,e)}};var ye=(r=0)=>new Promise(t=>setTimeout(t,r));function Ve(r){return{map:t=>ge(r,t),filter:t=>be(r,t)}}Ve.pipe=Object.freeze({map:r=>(t=>ge(t,r)),filter:r=>(t=>be(t,r))});var ge=(r,t)=>Object.fromEntries(Object.entries(r).map(([e,s])=>[e,t(s,e)])),be=(r,t)=>Object.fromEntries(Object.entries(r).filter(([e,s])=>t(s,e)));function xe(){let r=new Set;async function t(...a){await Promise.all([...r].map(l=>l(...a)))}function e(a){return r.add(a),()=>{r.delete(a)}}async function s(...a){return t(...a)}function o(a){return e(a)}async function n(a){let{promise:l,resolve:u}=X(),p=o(async(...m)=>{a&&await a(...m),u(m),p()});return l}function i(){r.clear()}let c={pub:s,sub:o,publish:t,subscribe:e,on:e,next:n,clear:i};return Object.assign(o,c),Object.assign(s,c),c}function yt(r){let t=xe();return r&&t.sub(r),t.sub}function Vt(r){let t=xe();return r&&t.sub(r),t.pub}function gt(r){let t,e=!1,s=()=>{e=!0,clearTimeout(t)},o=async()=>{e||(await r(s),!e&&(t=setTimeout(o,0)))};return o(),s}var $e={ATTRIBUTE:1,CHILD:2,PROPERTY:3,BOOLEAN_ATTRIBUTE:4,EVENT:5,ELEMENT:6},xt=r=>(...t)=>({_$litDirective$:r,values:t}),bt=class{constructor(t){}get _$AU(){return this._$AM._$AU}_$AT(t,e,s){this._$Ct=t,this._$AM=e,this._$Ci=s}_$AS(t,e){return this.update(t,e)}update(t,e){return this.render(...e)}};var Wt=class{#t=[];#e=new WeakMap;#s=[];#r=new Set;notifyRead(t){this.#t.at(-1)?.add(t)}async notifyWrite(t){if(this.#r.has(t))throw new Error("circularity forbidden");let e=this.#o(t).pub();return this.#s.at(-1)?.add(e),e}observe(t){this.#t.push(new Set);let e=t();return{seen:this.#t.pop(),result:e}}subscribe(t,e){return this.#o(t)(async()=>{let s=new Set;this.#s.push(s),this.#r.add(t),s.add(e()),this.#r.delete(t),await Promise.all(s),this.#s.pop()})}#o(t){let e=this.#e.get(t);return e||(e=yt(),this.#e.set(t,e)),e}},y=globalThis[Symbol.for("e280.tracker")]??=new Wt;var{I:bn}=pe;var we=r=>r.strings===void 0;var tt=(r,t)=>{let e=r._$AN;if(e===void 0)return!1;for(let s of e)s._$AO?.(t,!1),tt(s,t);return!0},$t=r=>{let t,e;do{if((t=r._$AM)===void 0)break;e=t._$AN,e.delete(r),r=t}while(e?.size===0)},ve=r=>{for(let t;t=r._$AM;r=t){let e=t._$AN;if(e===void 0)t._$AN=e=new Set;else if(e.has(r))break;e.add(r),Ze(t)}};function We(r){this._$AN!==void 0?($t(this),this._$AM=r,ve(this)):this._$AM=r}function Fe(r,t=!1,e=0){let s=this._$AH,o=this._$AN;if(o!==void 0&&o.size!==0)if(t)if(Array.isArray(s))for(let n=e;n<s.length;n++)tt(s[n],!1),$t(s[n]);else s!=null&&(tt(s,!1),$t(s));else tt(this,r)}var Ze=r=>{r.type==$e.CHILD&&(r._$AP??=Fe,r._$AQ??=We)},wt=class extends bt{constructor(){super(...arguments),this._$AN=void 0}_$AT(t,e,s){super._$AT(t,e,s),ve(this),this.isConnected=t._$AU}_$AO(t,e=!0){t!==this.isConnected&&(this.isConnected=t,t?this.reconnected?.():this.disconnected?.()),e&&(tt(this,t),$t(this))}setValue(t){if(we(this._$Ct))this._$Ct._$AI(t,this);else{let e=[...this._$Ct._$AH];e[this._$Ci]=t,this._$Ct._$AI(e,this,0)}}disconnected(){}reconnected(){}};function Ae(r,t){for(let[e,s]of Object.entries(t))s===void 0||s===null?r.removeAttribute(e):typeof s=="string"?r.setAttribute(e,s):typeof s=="number"?r.setAttribute(e,s.toString()):typeof s=="boolean"?s===!0?r.setAttribute(e,""):r.removeAttribute(e):console.warn(`invalid attribute type ${e} is ${typeof s}`)}function vt(r,t){ot(r,Ke(t))}function Ke(r){let t=[];if(Array.isArray(r)){let e=new Set(r.flat(1/0).reverse());for(let s of e)t.unshift(N(s))}else r!==void 0&&t.push(N(r));return t}var L=class{sneak;constructor(t){this.sneak=t}get(){return y.notifyRead(this),this.sneak}get value(){return this.get()}};var q=class extends L{on=yt();dispose(){this.on.clear()}};function At(r,t=r){let{seen:e,result:s}=y.observe(r),o=mt(0,t),n=[],i=()=>n.forEach(c=>c());for(let c of e){let a=y.subscribe(c,o);n.push(a)}return{result:s,dispose:i}}function V(r,t){return r===t}var _t=class extends q{#t;constructor(t,e){let s=e?.compare??V,{result:o,dispose:n}=At(t,async()=>{let i=t();!s(this.sneak,i)&&(this.sneak=i,await Promise.all([y.notifyWrite(this),this.on.pub(i)]))});super(o),this.#t=n}dispose(){super.dispose(),this.#t()}fn(){let t=this;function e(){return t.get()}return e.core=t,e.get=t.get.bind(t),e.on=t.on,e.dispose=t.dispose.bind(t),e.fn=t.fn.bind(t),Object.defineProperty(e,"value",{get:()=>t.value}),Object.defineProperty(e,"sneak",{get:()=>t.sneak}),e}};var St=class extends L{#t;#e;#s=!1;#r;constructor(t,e){super(void 0),this.#t=t,this.#e=e?.compare??V}get(){if(!this.#r){let{result:t,dispose:e}=At(this.#t,()=>this.#s=!0);this.#r=e,this.sneak=t}if(this.#s){this.#s=!1;let t=this.#t();!this.#e(this.sneak,t)&&(this.sneak=t,y.notifyWrite(this))}return super.get()}dispose(){this.#r&&this.#r()}fn(){let t=this;function e(){return t.get()}return e.core=t,e.get=t.get.bind(t),e.dispose=t.dispose.bind(t),e.fn=t.fn.bind(t),Object.defineProperty(e,"value",{get:()=>t.value}),Object.defineProperty(e,"sneak",{get:()=>t.sneak}),e}};var Et=class extends q{#t=!1;#e;constructor(t,e){super(t),this.#e=e?.compare??V}async set(t){return!this.#e(this.sneak,t)&&await this.publish(t),t}get value(){return this.get()}set value(t){this.set(t)}async publish(t=this.sneak){if(this.#t)throw new Error("forbid circularity");let e=Promise.resolve();try{this.#t=!0,this.sneak=t,e=Promise.all([y.notifyWrite(this),this.on.publish(t)])}finally{this.#t=!1}return await e,t}fn(){let t=this;function e(s){return arguments.length===0?t.get():t.set(arguments[0])}return e.core=t,e.get=t.get.bind(t),e.set=t.set.bind(t),e.on=t.on,e.dispose=t.dispose.bind(t),e.publish=t.publish.bind(t),e.fn=t.fn.bind(t),Object.defineProperty(e,"value",{get:()=>t.value,set:s=>t.value=s}),Object.defineProperty(e,"sneak",{get:()=>t.sneak,set:s=>t.sneak=s}),e}};function Qe(r,t){return new St(r,t).fn()}function Je(r,t){return new _t(r,t).fn()}function $(r,t){return new Et(r,t).fn()}$.lazy=Qe;$.derive=Je;var H={status:r=>r[0],value:r=>r[0]==="ready"?r[1]:void 0,error:r=>r[0]==="error"?r[1]:void 0,select:(r,t)=>{switch(r[0]){case"loading":return t.loading();case"error":return t.error(r[1]);case"ready":return t.ready(r[1]);default:throw new Error("unknown op status")}},morph:(r,t)=>H.select(r,{loading:()=>["loading"],error:e=>["error",e],ready:e=>["ready",t(e)]}),all:(...r)=>{let t=[],e=[],s=0;for(let o of r)switch(o[0]){case"loading":s++;break;case"ready":t.push(o[1]);break;case"error":e.push(o[1]);break}return e.length>0?["error",e]:s===0?["ready",t]:["loading"]}};var R=class{static loading(){return new this}static ready(t){return new this(["ready",t])}static error(t){return new this(["error",t])}static promise(t){let e=new this;return e.promise(t),e}static fn(t){return this.promise(t())}static all(...t){let e=t.map(s=>s.pod);return H.all(...e)}signal;#t=0;#e=Vt();#s=Vt();constructor(t=["loading"]){this.signal=$(t)}get wait(){return new Promise((t,e)=>{this.#e.next().then(([s])=>t(s)),this.#s.next().then(([s])=>e(s))})}get then(){return this.wait.then.bind(this.wait)}get catch(){return this.wait.catch.bind(this.wait)}get finally(){return this.wait.finally.bind(this.wait)}async setLoading(){await this.signal.set(["loading"])}async setReady(t){await this.signal.set(["ready",t]),await this.#e(t)}async setError(t){await this.signal.set(["error",t]),await this.#s(t)}async promise(t){let e=++this.#t;await this.setLoading();try{let s=await t;return e===this.#t&&await this.setReady(s),s}catch(s){e===this.#t&&await this.setError(s)}}async fn(t){return this.promise(t())}get pod(){return this.signal.get()}set pod(t){this.signal.set(t)}get status(){return this.signal.get()[0]}get value(){return H.value(this.signal.get())}get error(){return H.error(this.signal.get())}get isLoading(){return this.status==="loading"}get isReady(){return this.status==="ready"}get isError(){return this.status==="error"}require(){let t=this.signal.get();if(t[0]!=="ready")throw new Error("required value not ready");return t[1]}select(t){return H.select(this.signal.get(),t)}morph(t){return H.morph(this.pod,t)}};var Ct=class{#t=[];#e=[];mount(t){this.#t.push(t),this.#e.push(t())}unmountAll(){for(let t of this.#e)t();this.#e=[]}remountAll(){for(let t of this.#t)this.#e.push(t())}};var _e=(r,t)=>new Proxy(t,{get:(e,s)=>{let o=t[s],n=r.getAttribute(s);switch(o){case String:return n??void 0;case Number:return n!==null?Number(n):void 0;case Boolean:return n!==null;default:throw new Error(`invalid attribute type for "${s}"`)}},set:(e,s,o)=>{switch(t[s]){case String:return r.setAttribute(s,o),!0;case Number:return r.setAttribute(s,o.toString()),!0;case Boolean:return o?r.setAttribute(s,""):r.removeAttribute(s),!0;default:throw new Error(`invalid attribute type for "${s}"`)}}});function Se(r,t){let e=new MutationObserver(t);return e.observe(r,{attributes:!0}),()=>e.disconnect()}var Ft=Symbol(),Zt=Symbol(),Kt=Symbol(),Bt=class{element;shadow;renderNow;render;#t=0;#e=0;#s=new I;#r=X();#o=new Ct;[Ft](t){this.#t++,this.#e=0,this.#r=X();let e=t();return this.#r.resolve(),e}[Zt](){this.#o.unmountAll()}[Kt](){this.#o.remountAll()}constructor(t,e,s,o){this.element=t,this.shadow=e,this.renderNow=s,this.render=o}get renderCount(){return this.#t}get rendered(){return this.#r.promise}name(t){this.once(()=>this.element.setAttribute("view",t))}styles(...t){this.once(()=>vt(this.shadow,t))}css(...t){return this.styles(...t)}attrs(t){return this.mount(()=>Se(this.element,this.render)),this.once(()=>_e(this.element,t))}once(t){return this.#s.guarantee(this.#e++,t)}mount(t){return this.once(()=>this.#o.mount(t))}life(t){let e;return this.mount(()=>{let[s,o]=t();return e=s,o}),e}wake(t){return this.life(()=>[t(),()=>{}])}op=(()=>{let t=this;function e(s){return t.once(()=>R.fn(s))}return e.fn=e,e.promise=s=>this.once(()=>R.promise(s)),e})();signal=(()=>{let t=this;function e(s,o){return t.once(()=>$(s,o))}return e.derive=function(o,n){return t.once(()=>$.derive(o,n))},e.lazy=function(o,n){return t.once(()=>$.lazy(o,n))},e})();derive(t,e){return this.once(()=>$.derive(t,e))}lazy(t,e){return this.once(()=>$.lazy(t,e))}};var w=Ee({mode:"open"}),Qt=class extends HTMLElement{};pt({SlyView:Qt},{soft:!0,upgrade:!0});function Ee(r){function t(e){let s=c=>class extends wt{#t=c.getElement();#e=this.#t.attachShadow(r);#s=mt(0,()=>this.#i());#r=new I;#o;#n=new Bt(this.#t,this.#e,()=>this.#i(),this.#s);#a=(()=>{let l=e(this.#n);return this.#t.setAttribute("view",r.name??""),r.styles&&vt(this.#e,r.styles),l})();#i(){if(!this.#o||!this.isConnected)return;let{context:l,props:u}=this.#o;this.#n[Ft](()=>{Ae(this.#t,l.attrs);let{result:p,seen:m}=y.observe(()=>this.#a(...u));S(p,this.#e);for(let b of m)this.#r.guarantee(b,()=>y.subscribe(b,async()=>this.#s()));c.isComponent||S(l.children,this.#t)})}render(l,u){return this.#o={context:l,props:u},this.#i(),c.isComponent?null:this.#t}disconnected(){this.#n[Zt]();for(let l of this.#r.values())l();this.#r.clear()}reconnected(){this.#n[Kt]()}},o=xt(s({getElement:()=>document.createElement(r.tag??"sly-view"),isComponent:!1})),n=()=>({attrs:{},children:[]});function i(...c){return o(n(),c)}return i.props=(...c)=>{let a=n(),l={children(...u){return a={...a,children:[...a.children,...u]},l},attrs(u){return a={...a,attrs:{...a.attrs,...u}},l},attr(u,p){return a={...a,attrs:{...a.attrs,[u]:p}},l},render(){return o(a,c)}};return l},i.component=(...c)=>class extends HTMLElement{#t=xt(s({getElement:()=>this,isComponent:!0}));constructor(){super(),this.render(...c)}render(...a){this.isConnected&&S(this.#t(n(),a),this)}},i}return t.declare=t,t.settings=e=>Ee({...r,...e}),t.component=e=>t(s=>()=>e(s)).component(),t}var v=g`
|
|
4
4
|
@layer reset {
|
|
5
5
|
* {
|
|
6
6
|
margin: 0;
|
|
@@ -16,16 +16,21 @@ var qt=Object.defineProperty;var Vt=(t,e)=>{for(var r in e)qt(t,r,{get:e[r],enum
|
|
|
16
16
|
::-webkit-scrollbar-thumb { background: #333; border-radius: 1em; }
|
|
17
17
|
::-webkit-scrollbar-thumb:hover { background: #444; }
|
|
18
18
|
}
|
|
19
|
-
`;var
|
|
19
|
+
`;var kt=w(r=>t=>{r.name("counter"),r.styles(v,Ye);let e=r.signal(0),s=r.once(()=>Date.now());r.mount(()=>gt(async()=>{let c=Date.now()-s;e.set(Math.floor(c/1e3))}));let o=r.signal(t),n=()=>o.value++,i=r.signal.derive(()=>o()*e());return C`
|
|
20
20
|
<slot></slot>
|
|
21
21
|
<div>
|
|
22
|
-
<span>${
|
|
22
|
+
<span>${e.get()}</span>
|
|
23
|
+
</div>
|
|
24
|
+
<div>
|
|
25
|
+
<span>${o.get()}</span>
|
|
26
|
+
</div>
|
|
27
|
+
<div>
|
|
28
|
+
<span>${i.get()}</span>
|
|
23
29
|
</div>
|
|
24
30
|
<div>
|
|
25
|
-
<span>${o()}</span>
|
|
26
31
|
<button @click="${n}">+</button>
|
|
27
32
|
</div>
|
|
28
|
-
`}),
|
|
33
|
+
`}),Ye=g`
|
|
29
34
|
:host {
|
|
30
35
|
display: flex;
|
|
31
36
|
justify-content: center;
|
|
@@ -35,23 +40,23 @@ var qt=Object.defineProperty;var Vt=(t,e)=>{for(var r in e)qt(t,r,{get:e[r],enum
|
|
|
35
40
|
button {
|
|
36
41
|
padding: 0.2em 0.5em;
|
|
37
42
|
}
|
|
38
|
-
`;var
|
|
43
|
+
`;var Pt={};Te(Pt,{arrow:()=>er,bar:()=>rr,bar2:()=>sr,bar3:()=>or,bar4:()=>nr,bin:()=>$r,binary:()=>wr,binary2:()=>vr,block:()=>ir,block2:()=>ar,brackets:()=>pr,brackets2:()=>fr,braille:()=>Jt,bright:()=>kr,clock:()=>Sr,cylon:()=>ur,dots:()=>dr,dots2:()=>mr,earth:()=>Cr,fistbump:()=>Er,kiss:()=>_r,lock:()=>Br,moon:()=>Or,pie:()=>lr,pulseblue:()=>Ar,runner:()=>cr,slider:()=>hr,speaker:()=>Pr,spinner:()=>tr,wave:()=>yr,wavepulse:()=>br,wavepulse2:()=>xr,wavescrub:()=>gr});function h(r,t){return()=>Ge({hz:r,frames:t})}var Ge=w(r=>({hz:t,frames:e})=>{r.name("loading"),r.styles(v,Xe);let s=r.signal(0);return r.mount(()=>gt(async()=>{await ye(1e3/t);let o=s.get()+1;s.set(o>=e.length?0:o)})),e.at(s.get())}),Xe=g`
|
|
39
44
|
:host {
|
|
40
45
|
font-family: monospace;
|
|
41
46
|
white-space: pre;
|
|
42
47
|
user-select: none;
|
|
43
48
|
}
|
|
44
|
-
`;var
|
|
49
|
+
`;var f=20,W=10,F=4,tr=h(f,["|","/","-","\\"]),Jt=h(f,["\u2808","\u2810","\u2820","\u2880","\u2840","\u2804","\u2802","\u2801"]),er=h(f,["\u2B06\uFE0F","\u2197\uFE0F","\u27A1\uFE0F","\u2198\uFE0F","\u2B07\uFE0F","\u2199\uFE0F","\u2B05\uFE0F","\u2196\uFE0F"]),rr=h(f,["\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B1\u25B0\u25B1\u25B1\u25B1","\u25B1\u25B1\u25B0\u25B1\u25B1","\u25B1\u25B1\u25B1\u25B0\u25B1","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B1","\u25B1\u25B1\u25B0\u25B1\u25B1","\u25B1\u25B0\u25B1\u25B1\u25B1"]),sr=h(f,["\u25B1\u25B1\u25B0\u25B1\u25B1","\u25B1\u25B1\u25B1\u25B0\u25B1","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B1","\u25B1\u25B1\u25B0\u25B1\u25B1","\u25B1\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B1\u25B0\u25B1\u25B1\u25B1"]),or=h(f,["\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B0\u25B1\u25B1","\u25B1\u25B0\u25B0\u25B0\u25B1","\u25B1\u25B1\u25B0\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B0\u25B0\u25B0","\u25B1\u25B0\u25B0\u25B0\u25B1","\u25B0\u25B0\u25B0\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1"]),nr=h(f,["\u25B1\u25B1\u25B1\u25B1\u25B1","\u25B1\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B1\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B1\u25B1\u25B1","\u25B0\u25B0\u25B0\u25B1\u25B1","\u25B0\u25B0\u25B0\u25B0\u25B1","\u25B0\u25B0\u25B0\u25B0\u25B0","\u25B0\u25B0\u25B0\u25B0\u25B0","\u25B1\u25B0\u25B0\u25B0\u25B0","\u25B1\u25B1\u25B0\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B0\u25B0","\u25B1\u25B1\u25B1\u25B1\u25B0"]),ir=h(f,["\u2581\u2581\u2581\u2581\u2581","\u2581\u2581\u2581\u2581\u2581","\u2588\u2581\u2581\u2581\u2581","\u2588\u2588\u2581\u2581\u2581","\u2588\u2588\u2588\u2581\u2581","\u2588\u2588\u2588\u2588\u2581","\u2588\u2588\u2588\u2588\u2588","\u2588\u2588\u2588\u2588\u2588","\u2581\u2588\u2588\u2588\u2588","\u2581\u2581\u2588\u2588\u2588","\u2581\u2581\u2581\u2588\u2588","\u2581\u2581\u2581\u2581\u2588"]),ar=h(f,["\u2588\u2581\u2581\u2581\u2581","\u2588\u2581\u2581\u2581\u2581","\u2588\u2588\u2581\u2581\u2581","\u2588\u2588\u2588\u2581\u2581","\u2588\u2588\u2588\u2588\u2581","\u2588\u2588\u2588\u2588\u2588","\u2588\u2588\u2588\u2588\u2588","\u2581\u2588\u2588\u2588\u2588","\u2581\u2581\u2588\u2588\u2588","\u2581\u2581\u2581\u2588\u2588","\u2581\u2581\u2581\u2581\u2588","\u2581\u2581\u2581\u2581\u2588","\u2581\u2581\u2581\u2588\u2588","\u2581\u2581\u2588\u2588\u2588","\u2581\u2588\u2588\u2588\u2588","\u2588\u2588\u2588\u2588\u2588","\u2588\u2588\u2588\u2588\u2588","\u2588\u2588\u2588\u2588\u2581","\u2588\u2588\u2588\u2581\u2581","\u2588\u2588\u2581\u2581\u2581"]),cr=h(F,["\u{1F6B6}","\u{1F3C3}"]),lr=h(W,["\u25F7","\u25F6","\u25F5","\u25F4"]),ur=h(f,["=----","-=---","--=--","---=-","----=","----=","---=-","--=--","-=---","=----"]),hr=h(f,["o----","-o---","--o--","---o-","----o","----o","---o-","--o--","-o---","o----"]),pr=h(W,["[ ]","[ ]","[= ]","[== ]","[===]","[ ==]","[ =]"]),fr=h(W,["[ ]","[ ]","[= ]","[== ]","[===]","[ ==]","[ =]","[ ]","[ ]","[ =]","[ ==]","[===]","[== ]","[= ]"]),dr=h(W,[" "," ",". ",".. ","..."," .."," ."]),mr=h(f,[". ",". ",".. ","..."," .."," ."," ."," ..","...",".. "]),yr=h(f,[".....",".....",":....","::...",":::..","::::.",":::::",":::::",".::::","..:::","...::","....:"]),gr=h(f,[":....",":....","::...",".::..","..::.","...::","....:","....:","...::","..::.",".::..","::..."]),br=h(f,[".....",".....","..:..",".:::.",".:::.",":::::",":::::","::.::",":...:"]),xr=h(f,[".....",".....","..:..",".:::.",".:::.",":::::",":::::","::.::",":...:",".....",".....",":...:","::.::",":::::",":::::",".:::.",".:::.","..:.."]),$r=h(f,["000","100","110","111","011","001"]),wr=h(f,["11111","01111","00111","10011","11001","01100","00110","10011","11001","11100","11110"]),vr=h(f,["11111","01111","10111","11011","11101","11110","11111","11110","11101","11011","10111","01111"]),Ar=h(F,["\u{1F539}","\u{1F535}"]),_r=h(W,["\u{1F642}","\u{1F642}","\u{1F617}","\u{1F619}","\u{1F618}","\u{1F618}","\u{1F619}"]),Sr=h(f,["\u{1F550}","\u{1F551}","\u{1F552}","\u{1F553}","\u{1F554}","\u{1F555}","\u{1F556}","\u{1F557}","\u{1F558}","\u{1F559}","\u{1F55A}","\u{1F55B}"]),Er=h(f,["\u{1F91C} \u{1F91B}","\u{1F91C} \u{1F91B}","\u{1F91C} \u{1F91B}"," \u{1F91C} \u{1F91B} "," \u{1F91C}\u{1F91B} "," \u{1F91C}\u{1F91B} "," \u{1F91C}\u{1F4A5}\u{1F91B} ","\u{1F91C} \u{1F4A5} \u{1F91B}","\u{1F91C} \u2728 \u{1F91B}","\u{1F91C} \u2728 \u{1F91B}"]),Cr=h(F,["\u{1F30E}","\u{1F30F}","\u{1F30D}"]),Br=h(F,["\u{1F513}","\u{1F512}"]),kr=h(F,["\u{1F505}","\u{1F506}"]),Pr=h(F,["\u{1F508}","\u{1F508}","\u{1F509}","\u{1F50A}","\u{1F50A}","\u{1F509}"]),Or=h(W,["\u{1F311}","\u{1F311}","\u{1F311}","\u{1F318}","\u{1F317}","\u{1F316}","\u{1F315}","\u{1F314}","\u{1F313}","\u{1F312}"]);var Ce=w(r=>t=>(r.name("error"),r.styles(v,Tr),typeof t=="string"?t:t instanceof Error?C`<strong>${t.name}:</strong> <span>${t.message}</span>`:"error")),Tr=g`
|
|
45
50
|
:host {
|
|
46
51
|
font-family: monospace;
|
|
47
52
|
color: red;
|
|
48
53
|
}
|
|
49
|
-
`;function
|
|
54
|
+
`;function Be(r=Jt,t=e=>Ce(e)){return(e,s)=>e.select({loading:r,ready:s,error:t})}var ke=w(r=>()=>{r.name("loaders"),r.styles(v,jr);let t=r.once(()=>R.loading());return r.once(()=>Object.entries(Pt).map(([s,o])=>({key:s,loader:Be(o)}))).map(({key:s,loader:o})=>C`
|
|
50
55
|
<div data-anim="${s}">
|
|
51
56
|
<span>${s}</span>
|
|
52
|
-
<span>${o(
|
|
57
|
+
<span>${o(t,()=>null)}</span>
|
|
53
58
|
</div>
|
|
54
|
-
`)}),
|
|
59
|
+
`)}),jr=g`
|
|
55
60
|
:host {
|
|
56
61
|
display: flex;
|
|
57
62
|
flex-direction: row;
|
|
@@ -92,16 +97,16 @@ div {
|
|
|
92
97
|
min-height: 2.5em;
|
|
93
98
|
}
|
|
94
99
|
}
|
|
95
|
-
`;var
|
|
96
|
-
${
|
|
97
|
-
${
|
|
98
|
-
`)),
|
|
100
|
+
`;var Pe=w(r=>()=>(r.name("demo"),r.styles(v,Mr),C`
|
|
101
|
+
${kt.props(2).children("view").render()}
|
|
102
|
+
${ke()}
|
|
103
|
+
`)),Mr=g`
|
|
99
104
|
:host {
|
|
100
105
|
display: flex;
|
|
101
106
|
flex-direction: column;
|
|
102
107
|
gap: 1em;
|
|
103
108
|
}
|
|
104
|
-
`;E.
|
|
109
|
+
`;E.in(".demo").render(Pe());E.register({DemoCounter:kt.component(1)});console.log("\u{1F99D} sly");
|
|
105
110
|
/*! Bundled license information:
|
|
106
111
|
|
|
107
112
|
@lit/reactive-element/css-tag.js:
|