From baba60b954873b940f2d8733c5b622ea1e203dd6 Mon Sep 17 00:00:00 2001 From: Matthew Mueller Date: Sun, 5 Feb 2023 22:25:41 -0600 Subject: [PATCH] package/viewer: design viewer API and port svelte's SSR rendering over --- go.mod | 1 + go.sum | 2 + internal/es/build.go | 94 + internal/es/plugins.go | 66 + package/viewer/find.go | 100 + package/viewer/find_test.go | 57 + package/viewer/gohtml/gohtml.go | 60 + package/viewer/gohtml/gohtml_test.go | 35 + package/viewer/react/react.go | 20 + package/viewer/svelte/compiler.go | 68 + package/viewer/svelte/compiler.js | 40683 +++++++++++++++++++++++ package/viewer/svelte/compiler.ts | 41 + package/viewer/svelte/compiler_shim.ts | 30 + package/viewer/svelte/compiler_test.go | 93 + package/viewer/svelte/ssr_entry.gotext | 43 + package/viewer/svelte/ssr_runtime.ts | 91 + package/viewer/svelte/viewer.go | 220 + package/viewer/svelte/viewer_test.go | 341 + package/viewer/viewer.go | 83 + 19 files changed, 42128 insertions(+) create mode 100644 internal/es/build.go create mode 100644 internal/es/plugins.go create mode 100644 package/viewer/find.go create mode 100644 package/viewer/find_test.go create mode 100644 package/viewer/gohtml/gohtml.go create mode 100644 package/viewer/gohtml/gohtml_test.go create mode 100644 package/viewer/react/react.go create mode 100644 package/viewer/svelte/compiler.go create mode 100644 package/viewer/svelte/compiler.js create mode 100644 package/viewer/svelte/compiler.ts create mode 100644 package/viewer/svelte/compiler_shim.ts create mode 100644 package/viewer/svelte/compiler_test.go create mode 100644 package/viewer/svelte/ssr_entry.gotext create mode 100644 package/viewer/svelte/ssr_runtime.ts create mode 100644 package/viewer/svelte/viewer.go create mode 100644 package/viewer/svelte/viewer_test.go create mode 100644 package/viewer/viewer.go diff --git a/go.mod b/go.mod index 72691df23..0c5b0e869 100644 --- a/go.mod +++ b/go.mod @@ -18,6 +18,7 @@ require ( github.com/keegancsmith/rpc v1.3.0 github.com/lithammer/dedent v1.1.0 github.com/livebud/bud-test-plugin v0.0.9 + github.com/livebud/js v0.0.0-20221112072017-b9e63b92aad5 github.com/livebud/transpiler v0.0.1 github.com/matthewmueller/diff v0.0.0-20220104030700-cb2fe910d90c github.com/matthewmueller/gotext v0.0.0-20210424201144-265ed61725ac diff --git a/go.sum b/go.sum index c50d31a02..12dd04ad2 100644 --- a/go.sum +++ b/go.sum @@ -66,6 +66,8 @@ github.com/livebud/bud-test-nested-plugin v0.0.5 h1:MpPp20Gng0F+Kvl+L9kttu6nsJIY github.com/livebud/bud-test-nested-plugin v0.0.5/go.mod h1:M3QujkGG4ggZ6h75t5zF8MEJFrLTwa2USeIYHQdO2YQ= github.com/livebud/bud-test-plugin v0.0.9 h1:JmS4aj+NV52RUroteLs+ld6rcbkBwio7p9qPNutTsqM= github.com/livebud/bud-test-plugin v0.0.9/go.mod h1:GTxMZ8W4BIyGIOgAA4hvPHMDDTkaZtfcuhnOcSu3y8M= +github.com/livebud/js v0.0.0-20221112072017-b9e63b92aad5 h1:7fYJMOnT4WrnjRhJ8B6HiJBGcDVFd9jam0205gn9y1k= +github.com/livebud/js v0.0.0-20221112072017-b9e63b92aad5/go.mod h1:TDkks+mVAlB96mxcbIAftAxpGteCxoBYGVF1JThjcLk= github.com/livebud/transpiler v0.0.1 h1:raG4W8qMq534VYrWv5sFQieQCa4McrJhQOy0YXk63kk= github.com/livebud/transpiler v0.0.1/go.mod h1:vQYMN//Y2cnM55tw0lOmLGbEETugP7alxTyhQHzNdTI= github.com/matryer/is v1.4.0 h1:sosSmIWwkYITGrxZ25ULNDeKiMNzFSr4V/eqBQP0PeE= diff --git a/internal/es/build.go b/internal/es/build.go new file mode 100644 index 000000000..1f0567397 --- /dev/null +++ b/internal/es/build.go @@ -0,0 +1,94 @@ +package es + +import ( + "fmt" + "io/fs" + "strings" + + esbuild "github.com/evanw/esbuild/pkg/api" +) + +// TODO: replace with *gomod.Module +func New(absDir string) *Builder { + return &Builder{ + dir: absDir, + base: esbuild.BuildOptions{ + AbsWorkingDir: absDir, + Outdir: "./", + Format: esbuild.FormatIIFE, + Platform: esbuild.PlatformBrowser, + GlobalName: "bud", + Bundle: true, + Plugins: []esbuild.Plugin{ + httpPlugin(absDir), + esmPlugin(absDir), + }, + }, + } +} + +type Builder struct { + dir string + base esbuild.BuildOptions +} + +func (b *Builder) Directory() string { + return b.dir +} + +type Entrypoint = esbuild.EntryPoint +type Plugin = esbuild.Plugin + +type Build struct { + Entrypoint string + Plugins []Plugin + Minify bool +} + +func (b *Builder) Build(build *Build) ([]byte, error) { + input := esbuild.BuildOptions{ + EntryPointsAdvanced: []esbuild.EntryPoint{ + { + InputPath: build.Entrypoint, + OutputPath: build.Entrypoint, + }, + }, + AbsWorkingDir: b.base.AbsWorkingDir, + Outdir: b.base.Outdir, + Format: b.base.Format, + Platform: b.base.Platform, + GlobalName: b.base.GlobalName, + Bundle: b.base.Bundle, + Metafile: b.base.Metafile, + Plugins: append(build.Plugins, b.base.Plugins...), + } + if build.Minify { + input.MinifyWhitespace = true + input.MinifyIdentifiers = true + input.MinifySyntax = true + } + result := esbuild.Build(input) + if len(result.Errors) > 0 { + msgs := esbuild.FormatMessages(result.Errors, esbuild.FormatMessagesOptions{ + Color: true, + Kind: esbuild.ErrorMessage, + }) + return nil, fmt.Errorf(strings.Join(msgs, "\n")) + } + // Expect exactly 1 output file + if len(result.OutputFiles) != 1 { + return nil, fmt.Errorf("expected exactly 1 output file but got %d", len(result.OutputFiles)) + } + ssrCode := result.OutputFiles[0].Contents + return ssrCode, nil +} + +type Bundle struct { + Entrypoints []string + Plugins []Plugin + Minify bool +} + +func (b *Builder) Bundle(out fs.FS, bundle *Bundle) error { + return nil +} diff --git a/internal/es/plugins.go b/internal/es/plugins.go new file mode 100644 index 000000000..ba8b3bea5 --- /dev/null +++ b/internal/es/plugins.go @@ -0,0 +1,66 @@ +package es + +import ( + "io" + "net/http" + + esbuild "github.com/evanw/esbuild/pkg/api" +) + +func httpPlugin(absDir string) esbuild.Plugin { + return esbuild.Plugin{ + Name: "bud-http", + Setup: func(epb esbuild.PluginBuild) { + epb.OnResolve(esbuild.OnResolveOptions{Filter: `^http[s]?://`}, func(args esbuild.OnResolveArgs) (result esbuild.OnResolveResult, err error) { + result.Namespace = "http" + result.Path = args.Path + return result, nil + }) + epb.OnLoad(esbuild.OnLoadOptions{Filter: `.*`, Namespace: `http`}, func(args esbuild.OnLoadArgs) (result esbuild.OnLoadResult, err error) { + res, err := http.Get(args.Path) + if err != nil { + return result, err + } + defer res.Body.Close() + body, err := io.ReadAll(res.Body) + if err != nil { + return result, err + } + contents := string(body) + result.ResolveDir = absDir + result.Contents = &contents + result.Loader = esbuild.LoaderJS + return result, nil + }) + }, + } +} + +func esmPlugin(absDir string) esbuild.Plugin { + return esbuild.Plugin{ + Name: "bud-esm", + Setup: func(epb esbuild.PluginBuild) { + epb.OnResolve(esbuild.OnResolveOptions{Filter: `^[a-z0-9@]`}, func(args esbuild.OnResolveArgs) (result esbuild.OnResolveResult, err error) { + result.Namespace = "esm" + result.Path = args.Path + return result, nil + }) + epb.OnLoad(esbuild.OnLoadOptions{Filter: `.*`, Namespace: `esm`}, func(args esbuild.OnLoadArgs) (result esbuild.OnLoadResult, err error) { + res, err := http.Get("https://esm.sh/" + args.Path) + if err != nil { + return result, err + } + defer res.Body.Close() + body, err := io.ReadAll(res.Body) + if err != nil { + return result, err + } + contents := string(body) + result.ResolveDir = absDir + result.Contents = &contents + result.Loader = esbuild.LoaderJS + return result, nil + }) + }, + } +} diff --git a/package/viewer/find.go b/package/viewer/find.go new file mode 100644 index 000000000..50ea117ce --- /dev/null +++ b/package/viewer/find.go @@ -0,0 +1,100 @@ +package viewer + +import ( + "io/fs" + "path" + "path/filepath" +) + +type Pages = map[Key]*Page + +// Find pages +func Find(fsys fs.FS) (Pages, error) { + pages := make(Pages) + inherited := &inherited{ + Layout: make(map[ext]*View), + Frames: make(map[ext][]*View), + Error: make(map[ext]*View), + } + if err := find(fsys, pages, inherited, "."); err != nil { + return nil, err + } + return pages, nil +} + +type ext = string + +type inherited struct { + Layout map[ext]*View + Frames map[ext][]*View + Error map[ext]*View +} + +func find(fsys fs.FS, pages Pages, inherited *inherited, dir string) error { + des, err := fs.ReadDir(fsys, dir) + if err != nil { + return err + } + + // First pass: look for layouts, frames and errors + for _, de := range des { + if de.IsDir() { + continue + } + ext := filepath.Ext(de.Name()) + extless := de.Name()[:len(de.Name())-len(ext)] + switch extless { + case "layout": + inherited.Layout[ext] = &View{ + Path: path.Join(dir, de.Name()), + Key: path.Join(dir, extless), + } + case "frame": + inherited.Frames[ext] = append(inherited.Frames[ext], &View{ + Path: path.Join(dir, de.Name()), + Key: path.Join(dir, extless), + }) + case "error": + inherited.Error[ext] = &View{ + Path: path.Join(dir, de.Name()), + Key: path.Join(dir, extless), + } + } + } + + // Second pass: go through pages + for _, de := range des { + if de.IsDir() { + continue + } + ext := filepath.Ext(de.Name()) + extless := de.Name()[:len(de.Name())-len(ext)] + switch extless { + case "layout", "frame", "error": + continue + default: + key := path.Join(dir, extless) + pages[key] = &Page{ + View: &View{ + Path: path.Join(dir, de.Name()), + Key: key, + }, + Layout: inherited.Layout[ext], + Frames: inherited.Frames[ext], + Error: inherited.Error[ext], + } + } + } + + // Third pass: go through directories + for _, de := range des { + if !de.IsDir() { + continue + } + if err := find(fsys, pages, inherited, de.Name()); err != nil { + return err + } + } + + return nil +} diff --git a/package/viewer/find_test.go b/package/viewer/find_test.go new file mode 100644 index 000000000..c045bb984 --- /dev/null +++ b/package/viewer/find_test.go @@ -0,0 +1,57 @@ +package viewer_test + +import ( + "fmt" + "testing" + "testing/fstest" + + "github.com/livebud/bud/internal/is" + "github.com/livebud/bud/package/viewer" +) + +func TestIndex(t *testing.T) { + is := is.New(t) + fsys := fstest.MapFS{ + "index.gohtml": &fstest.MapFile{Data: []byte("Hello {{ .Planet }}!")}, + } + // Find the pages + pages, err := viewer.Find(fsys) + is.NoErr(err) + is.Equal(len(pages), 1) + is.True(pages["index"] != nil) + is.Equal(pages["index"].Path, "index.gohtml") + is.Equal(len(pages["index"].Frames), 0) + is.Equal(pages["index"].Layout, nil) + is.Equal(pages["index"].Error, nil) +} + +func TestNested(t *testing.T) { + is := is.New(t) + fsys := fstest.MapFS{ + "layout.svelte": &fstest.MapFile{Data: []byte(``)}, + "frame.svelte": &fstest.MapFile{Data: []byte(``)}, + "posts/frame.svelte": &fstest.MapFile{Data: []byte(``)}, + "posts/index.svelte": &fstest.MapFile{Data: []byte(`

Hello {planet}!

`)}, + } + // Find the pages + pages, err := viewer.Find(fsys) + is.NoErr(err) + is.Equal(len(pages), 1) + fmt.Println(pages) + is.True(pages["posts/index"] != nil) + is.Equal(pages["posts/index"].Path, "posts/index.svelte") + + // Frames + is.Equal(len(pages["posts/index"].Frames), 2) + is.Equal(pages["posts/index"].Frames[0].Key, "frame") + is.Equal(pages["posts/index"].Frames[0].Path, "frame.svelte") + is.Equal(pages["posts/index"].Frames[1].Key, "posts/frame") + is.Equal(pages["posts/index"].Frames[1].Path, "posts/frame.svelte") + + is.Equal(pages["posts/index"].Error, nil) + + // Layout + is.True(pages["posts/index"].Layout != nil) + is.Equal(pages["posts/index"].Layout.Key, "layout") + is.Equal(pages["posts/index"].Layout.Path, "layout.svelte") +} diff --git a/package/viewer/gohtml/gohtml.go b/package/viewer/gohtml/gohtml.go new file mode 100644 index 000000000..5019330ca --- /dev/null +++ b/package/viewer/gohtml/gohtml.go @@ -0,0 +1,60 @@ +package gohtml + +import ( + "bytes" + "context" + "fmt" + "html/template" + "io/fs" + + "github.com/livebud/bud/package/viewer" + "github.com/livebud/bud/runtime/transpiler" +) + +func New(fsys fs.FS, transpiler transpiler.Interface, pages viewer.Pages) *Viewer { + return &Viewer{fsys, pages, transpiler} +} + +type Viewer struct { + fsys fs.FS + pages viewer.Pages + transpiler transpiler.Interface +} + +var _ viewer.Viewer = (*Viewer)(nil) + +func (v *Viewer) Register(router viewer.Router) { + fmt.Println("register called") +} + +func (v *Viewer) Render(ctx context.Context, key string, props viewer.Props) ([]byte, error) { + page, ok := v.pages[key] + if !ok { + return nil, fmt.Errorf("gohtml: %q. %w", key, viewer.ErrPageNotFound) + } + entryCode, err := fs.ReadFile(v.fsys, page.Path) + if err != nil { + return nil, fmt.Errorf("gohtml: error reading %q. %w", page.Path, err) + } + entryCode, err = v.transpiler.Transpile(page.Path, ".gohtml", entryCode) + if err != nil { + return nil, fmt.Errorf("gohtml: error transpiling %q. %w", page.Path, err) + } + entryTemplate, err := template.New(page.Path).Parse(string(entryCode)) + if err != nil { + return nil, fmt.Errorf("gohtml: error parsing %q. %w", page.Path, err) + } + entryHTML := new(bytes.Buffer) + if err := entryTemplate.Execute(entryHTML, props[page.Key]); err != nil { + return nil, fmt.Errorf("gohtml: error executing %q. %w", page.Path, err) + } + return entryHTML.Bytes(), nil +} + +func (v *Viewer) RenderError(ctx context.Context, key string, err error, props viewer.Props) []byte { + return []byte("RenderError not implemented") +} + +func (v *Viewer) Bundle(ctx context.Context, out viewer.FS) error { + return nil +} diff --git a/package/viewer/gohtml/gohtml_test.go b/package/viewer/gohtml/gohtml_test.go new file mode 100644 index 000000000..e0da6136e --- /dev/null +++ b/package/viewer/gohtml/gohtml_test.go @@ -0,0 +1,35 @@ +package gohtml_test + +import ( + "context" + "testing" + "testing/fstest" + + "github.com/livebud/bud/internal/is" + "github.com/livebud/bud/package/viewer" + "github.com/livebud/bud/package/viewer/gohtml" + "github.com/livebud/bud/runtime/transpiler" +) + +func TestEntry(t *testing.T) { + is := is.New(t) + fsys := fstest.MapFS{ + "index.gohtml": &fstest.MapFile{Data: []byte("Hello {{ .Planet }}!")}, + } + // Find the pages + pages, err := viewer.Find(fsys) + is.NoErr(err) + tr := transpiler.New() + gohtml := gohtml.New(fsys, tr, pages) + viewers := viewer.Viewers{ + "index": gohtml, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", map[string]interface{}{ + "index": map[string]interface{}{ + "Planet": "Earth", + }, + }) + is.NoErr(err) + is.Equal(string(html), "Hello Earth!") +} diff --git a/package/viewer/react/react.go b/package/viewer/react/react.go new file mode 100644 index 000000000..80451b193 --- /dev/null +++ b/package/viewer/react/react.go @@ -0,0 +1,20 @@ +package react + +import ( + "io/fs" + + "github.com/livebud/bud/package/viewer" + "github.com/livebud/bud/runtime/transpiler" + "github.com/livebud/js" +) + +func New(fsys fs.FS, js js.VM, transpiler transpiler.Interface, pages viewer.Pages) *Viewer { + return &Viewer{fsys, js, pages, transpiler} +} + +type Viewer struct { + fsys fs.FS + js js.VM + pages viewer.Pages + transpiler transpiler.Interface +} diff --git a/package/viewer/svelte/compiler.go b/package/viewer/svelte/compiler.go new file mode 100644 index 000000000..30cd5bda7 --- /dev/null +++ b/package/viewer/svelte/compiler.go @@ -0,0 +1,68 @@ +package svelte + +//go:generate go run github.com/evanw/esbuild/cmd/esbuild compiler.ts --format=iife --global-name=__svelte__ --bundle --platform=node --inject:compiler_shim.ts --external:url --outfile=compiler.js --log-level=warning + +import ( + "context" + "encoding/json" + "fmt" + + _ "embed" + + "github.com/livebud/js" +) + +// compiler.js is used to compile .svelte files into JS & CSS +// +//go:embed compiler.js +var compiler string + +func Load(ctx context.Context, js js.VM) (*Compiler, error) { + if _, err := js.Evaluate(ctx, "svelte/compiler.js", compiler); err != nil { + return nil, err + } + return &Compiler{js, true}, nil +} + +type Compiler struct { + VM js.VM + Dev bool +} + +type SSR struct { + JS string + CSS string +} + +// Compile server-rendered code +func (c *Compiler) SSR(ctx context.Context, path string, code []byte) (*SSR, error) { + expr := fmt.Sprintf(`;__svelte__.compile({ "path": %q, "code": %q, "target": "ssr", "dev": %t, "css": false })`, path, code, c.Dev) + result, err := c.VM.Evaluate(ctx, path, expr) + if err != nil { + return nil, err + } + out := new(SSR) + if err := json.Unmarshal([]byte(result), out); err != nil { + return nil, err + } + return out, nil +} + +type DOM struct { + JS string + CSS string +} + +// Compile DOM code +func (c *Compiler) DOM(ctx context.Context, path string, code []byte) (*DOM, error) { + expr := fmt.Sprintf(`;__svelte__.compile({ "path": %q, "code": %q, "target": "dom", "dev": %t, "css": true })`, path, code, c.Dev) + result, err := c.VM.Evaluate(ctx, path, expr) + if err != nil { + return nil, err + } + out := new(DOM) + if err := json.Unmarshal([]byte(result), out); err != nil { + return nil, err + } + return out, nil +} diff --git a/package/viewer/svelte/compiler.js b/package/viewer/svelte/compiler.js new file mode 100644 index 000000000..1ecdb93f8 --- /dev/null +++ b/package/viewer/svelte/compiler.js @@ -0,0 +1,40683 @@ +var __svelte__ = (() => { + var __defProp = Object.defineProperty; + var __getOwnPropDesc = Object.getOwnPropertyDescriptor; + var __getOwnPropNames = Object.getOwnPropertyNames; + var __hasOwnProp = Object.prototype.hasOwnProperty; + var __require = /* @__PURE__ */ ((x2) => typeof require !== "undefined" ? require : typeof Proxy !== "undefined" ? new Proxy(x2, { + get: (a, b2) => (typeof require !== "undefined" ? require : a)[b2] + }) : x2)(function(x2) { + if (typeof require !== "undefined") + return require.apply(this, arguments); + throw new Error('Dynamic require of "' + x2 + '" is not supported'); + }); + var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); + }; + var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; + }; + var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + + // compiler.ts + var compiler_exports = {}; + __export(compiler_exports, { + compile: () => compile2 + }); + + // compiler_shim.ts + var URL = class { + constructor(url) { + console.log(url); + } + }; + var self = { + performance: { + now() { + return 0; + } + } + }; + var window = { + btoa: (data2) => { + return ""; + } + }; + + // ../../node_modules/svelte/compiler.mjs + var now = typeof process !== "undefined" && process.hrtime ? () => { + const t = process.hrtime(); + return t[0] * 1e3 + t[1] / 1e6; + } : () => self.performance.now(); + function collapse_timings(timings) { + const result = {}; + timings.forEach((timing) => { + result[timing.label] = Object.assign({ + total: timing.end - timing.start + }, timing.children && collapse_timings(timing.children)); + }); + return result; + } + var Stats = class { + constructor() { + this.start_time = now(); + this.stack = []; + this.current_children = this.timings = []; + } + start(label) { + const timing = { + label, + start: now(), + end: null, + children: [] + }; + this.current_children.push(timing); + this.stack.push(timing); + this.current_timing = timing; + this.current_children = timing.children; + } + stop(label) { + if (label !== this.current_timing.label) { + throw new Error(`Mismatched timing labels (expected ${this.current_timing.label}, got ${label})`); + } + this.current_timing.end = now(); + this.stack.pop(); + this.current_timing = this.stack[this.stack.length - 1]; + this.current_children = this.current_timing ? this.current_timing.children : this.timings; + } + render() { + const timings = Object.assign({ + total: now() - this.start_time + }, collapse_timings(this.timings)); + return { + timings + }; + } + }; + var astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 370, 1, 154, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 161, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 193, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 84, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 406, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 19306, 9, 87, 9, 39, 4, 60, 6, 26, 9, 1014, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4706, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 262, 6, 10, 9, 357, 0, 62, 13, 1495, 6, 110, 6, 6, 9, 4759, 9, 787719, 239]; + var astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 68, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 349, 41, 7, 1, 79, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 85, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 159, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 264, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 190, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1070, 4050, 582, 8634, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 689, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 43, 8, 8936, 3, 2, 6, 2, 1, 2, 290, 46, 2, 18, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 482, 44, 11, 6, 17, 0, 322, 29, 19, 43, 1269, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4152, 8, 221, 3, 5761, 15, 7472, 3104, 541, 1507, 4938]; + var nonASCIIidentifierChars = "\u200C\u200D\xB7\u0300-\u036F\u0387\u0483-\u0487\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u0610-\u061A\u064B-\u0669\u0670\u06D6-\u06DC\u06DF-\u06E4\u06E7\u06E8\u06EA-\u06ED\u06F0-\u06F9\u0711\u0730-\u074A\u07A6-\u07B0\u07C0-\u07C9\u07EB-\u07F3\u07FD\u0816-\u0819\u081B-\u0823\u0825-\u0827\u0829-\u082D\u0859-\u085B\u0898-\u089F\u08CA-\u08E1\u08E3-\u0903\u093A-\u093C\u093E-\u094F\u0951-\u0957\u0962\u0963\u0966-\u096F\u0981-\u0983\u09BC\u09BE-\u09C4\u09C7\u09C8\u09CB-\u09CD\u09D7\u09E2\u09E3\u09E6-\u09EF\u09FE\u0A01-\u0A03\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A66-\u0A71\u0A75\u0A81-\u0A83\u0ABC\u0ABE-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AE2\u0AE3\u0AE6-\u0AEF\u0AFA-\u0AFF\u0B01-\u0B03\u0B3C\u0B3E-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B55-\u0B57\u0B62\u0B63\u0B66-\u0B6F\u0B82\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD7\u0BE6-\u0BEF\u0C00-\u0C04\u0C3C\u0C3E-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C62\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0CBC\u0CBE-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CE2\u0CE3\u0CE6-\u0CEF\u0D00-\u0D03\u0D3B\u0D3C\u0D3E-\u0D44\u0D46-\u0D48\u0D4A-\u0D4D\u0D57\u0D62\u0D63\u0D66-\u0D6F\u0D81-\u0D83\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E31\u0E34-\u0E3A\u0E47-\u0E4E\u0E50-\u0E59\u0EB1\u0EB4-\u0EBC\u0EC8-\u0ECD\u0ED0-\u0ED9\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E\u0F3F\u0F71-\u0F84\u0F86\u0F87\u0F8D-\u0F97\u0F99-\u0FBC\u0FC6\u102B-\u103E\u1040-\u1049\u1056-\u1059\u105E-\u1060\u1062-\u1064\u1067-\u106D\u1071-\u1074\u1082-\u108D\u108F-\u109D\u135D-\u135F\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17B4-\u17D3\u17DD\u17E0-\u17E9\u180B-\u180D\u180F-\u1819\u18A9\u1920-\u192B\u1930-\u193B\u1946-\u194F\u19D0-\u19DA\u1A17-\u1A1B\u1A55-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AB0-\u1ABD\u1ABF-\u1ACE\u1B00-\u1B04\u1B34-\u1B44\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1B82\u1BA1-\u1BAD\u1BB0-\u1BB9\u1BE6-\u1BF3\u1C24-\u1C37\u1C40-\u1C49\u1C50-\u1C59\u1CD0-\u1CD2\u1CD4-\u1CE8\u1CED\u1CF4\u1CF7-\u1CF9\u1DC0-\u1DFF\u203F\u2040\u2054\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2CEF-\u2CF1\u2D7F\u2DE0-\u2DFF\u302A-\u302F\u3099\u309A\uA620-\uA629\uA66F\uA674-\uA67D\uA69E\uA69F\uA6F0\uA6F1\uA802\uA806\uA80B\uA823-\uA827\uA82C\uA880\uA881\uA8B4-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F1\uA8FF-\uA909\uA926-\uA92D\uA947-\uA953\uA980-\uA983\uA9B3-\uA9C0\uA9D0-\uA9D9\uA9E5\uA9F0-\uA9F9\uAA29-\uAA36\uAA43\uAA4C\uAA4D\uAA50-\uAA59\uAA7B-\uAA7D\uAAB0\uAAB2-\uAAB4\uAAB7\uAAB8\uAABE\uAABF\uAAC1\uAAEB-\uAAEF\uAAF5\uAAF6\uABE3-\uABEA\uABEC\uABED\uABF0-\uABF9\uFB1E\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFF10-\uFF19\uFF3F"; + var nonASCIIidentifierStartChars = "\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0560-\u0588\u05D0-\u05EA\u05EF-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u0860-\u086A\u0870-\u0887\u0889-\u088E\u08A0-\u08C9\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u09FC\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C5D\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D04-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E86-\u0E8A\u0E8C-\u0EA3\u0EA5\u0EA7-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u1711\u171F-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1878\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4C\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1C90-\u1CBA\u1CBD-\u1CBF\u1CE9-\u1CEC\u1CEE-\u1CF3\u1CF5\u1CF6\u1CFA\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312F\u3131-\u318E\u31A0-\u31BF\u31F0-\u31FF\u3400-\u4DBF\u4E00-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7CA\uA7D0\uA7D1\uA7D3\uA7D5-\uA7D9\uA7F2-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA8FE\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB69\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC"; + var reservedWords = { + 3: "abstract boolean byte char class double enum export extends final float goto implements import int interface long native package private protected public short static super synchronized throws transient volatile", + 5: "class enum extends super const export import", + 6: "enum", + strict: "implements interface let package private protected public static yield", + strictBind: "eval arguments" + }; + var ecma5AndLessKeywords = "break case catch continue debugger default do else finally for function if return switch throw try var while with null true false instanceof typeof void delete new in this"; + var keywords$1 = { + 5: ecma5AndLessKeywords, + "5module": ecma5AndLessKeywords + " export import", + 6: ecma5AndLessKeywords + " const class extends export import super" + }; + var keywordRelationalOperator = /^in(stanceof)?$/; + var nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]"); + var nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]"); + function isInAstralSet(code, set) { + var pos = 65536; + for (var i = 0; i < set.length; i += 2) { + pos += set[i]; + if (pos > code) { + return false; + } + pos += set[i + 1]; + if (pos >= code) { + return true; + } + } + } + function isIdentifierStart(code, astral) { + if (code < 65) { + return code === 36; + } + if (code < 91) { + return true; + } + if (code < 97) { + return code === 95; + } + if (code < 123) { + return true; + } + if (code <= 65535) { + return code >= 170 && nonASCIIidentifierStart.test(String.fromCharCode(code)); + } + if (astral === false) { + return false; + } + return isInAstralSet(code, astralIdentifierStartCodes); + } + function isIdentifierChar(code, astral) { + if (code < 48) { + return code === 36; + } + if (code < 58) { + return true; + } + if (code < 65) { + return false; + } + if (code < 91) { + return true; + } + if (code < 97) { + return code === 95; + } + if (code < 123) { + return true; + } + if (code <= 65535) { + return code >= 170 && nonASCIIidentifier.test(String.fromCharCode(code)); + } + if (astral === false) { + return false; + } + return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes); + } + var TokenType = function TokenType2(label, conf) { + if (conf === void 0) + conf = {}; + this.label = label; + this.keyword = conf.keyword; + this.beforeExpr = !!conf.beforeExpr; + this.startsExpr = !!conf.startsExpr; + this.isLoop = !!conf.isLoop; + this.isAssign = !!conf.isAssign; + this.prefix = !!conf.prefix; + this.postfix = !!conf.postfix; + this.binop = conf.binop || null; + this.updateContext = null; + }; + function binop(name, prec) { + return new TokenType(name, { beforeExpr: true, binop: prec }); + } + var beforeExpr = { beforeExpr: true }; + var startsExpr = { startsExpr: true }; + var keywords = {}; + function kw(name, options) { + if (options === void 0) + options = {}; + options.keyword = name; + return keywords[name] = new TokenType(name, options); + } + var types$1 = { + num: new TokenType("num", startsExpr), + regexp: new TokenType("regexp", startsExpr), + string: new TokenType("string", startsExpr), + name: new TokenType("name", startsExpr), + privateId: new TokenType("privateId", startsExpr), + eof: new TokenType("eof"), + // Punctuation token types. + bracketL: new TokenType("[", { beforeExpr: true, startsExpr: true }), + bracketR: new TokenType("]"), + braceL: new TokenType("{", { beforeExpr: true, startsExpr: true }), + braceR: new TokenType("}"), + parenL: new TokenType("(", { beforeExpr: true, startsExpr: true }), + parenR: new TokenType(")"), + comma: new TokenType(",", beforeExpr), + semi: new TokenType(";", beforeExpr), + colon: new TokenType(":", beforeExpr), + dot: new TokenType("."), + question: new TokenType("?", beforeExpr), + questionDot: new TokenType("?."), + arrow: new TokenType("=>", beforeExpr), + template: new TokenType("template"), + invalidTemplate: new TokenType("invalidTemplate"), + ellipsis: new TokenType("...", beforeExpr), + backQuote: new TokenType("`", startsExpr), + dollarBraceL: new TokenType("${", { beforeExpr: true, startsExpr: true }), + // Operators. These carry several kinds of properties to help the + // parser use them properly (the presence of these properties is + // what categorizes them as operators). + // + // `binop`, when present, specifies that this operator is a binary + // operator, and will refer to its precedence. + // + // `prefix` and `postfix` mark the operator as a prefix or postfix + // unary operator. + // + // `isAssign` marks all of `=`, `+=`, `-=` etcetera, which act as + // binary operators with a very low precedence, that should result + // in AssignmentExpression nodes. + eq: new TokenType("=", { beforeExpr: true, isAssign: true }), + assign: new TokenType("_=", { beforeExpr: true, isAssign: true }), + incDec: new TokenType("++/--", { prefix: true, postfix: true, startsExpr: true }), + prefix: new TokenType("!/~", { beforeExpr: true, prefix: true, startsExpr: true }), + logicalOR: binop("||", 1), + logicalAND: binop("&&", 2), + bitwiseOR: binop("|", 3), + bitwiseXOR: binop("^", 4), + bitwiseAND: binop("&", 5), + equality: binop("==/!=/===/!==", 6), + relational: binop("/<=/>=", 7), + bitShift: binop("<>/>>>", 8), + plusMin: new TokenType("+/-", { beforeExpr: true, binop: 9, prefix: true, startsExpr: true }), + modulo: binop("%", 10), + star: binop("*", 10), + slash: binop("/", 10), + starstar: new TokenType("**", { beforeExpr: true }), + coalesce: binop("??", 1), + // Keyword token types. + _break: kw("break"), + _case: kw("case", beforeExpr), + _catch: kw("catch"), + _continue: kw("continue"), + _debugger: kw("debugger"), + _default: kw("default", beforeExpr), + _do: kw("do", { isLoop: true, beforeExpr: true }), + _else: kw("else", beforeExpr), + _finally: kw("finally"), + _for: kw("for", { isLoop: true }), + _function: kw("function", startsExpr), + _if: kw("if"), + _return: kw("return", beforeExpr), + _switch: kw("switch"), + _throw: kw("throw", beforeExpr), + _try: kw("try"), + _var: kw("var"), + _const: kw("const"), + _while: kw("while", { isLoop: true }), + _with: kw("with"), + _new: kw("new", { beforeExpr: true, startsExpr: true }), + _this: kw("this", startsExpr), + _super: kw("super", startsExpr), + _class: kw("class", startsExpr), + _extends: kw("extends", beforeExpr), + _export: kw("export"), + _import: kw("import", startsExpr), + _null: kw("null", startsExpr), + _true: kw("true", startsExpr), + _false: kw("false", startsExpr), + _in: kw("in", { beforeExpr: true, binop: 7 }), + _instanceof: kw("instanceof", { beforeExpr: true, binop: 7 }), + _typeof: kw("typeof", { beforeExpr: true, prefix: true, startsExpr: true }), + _void: kw("void", { beforeExpr: true, prefix: true, startsExpr: true }), + _delete: kw("delete", { beforeExpr: true, prefix: true, startsExpr: true }) + }; + var lineBreak = /\r\n?|\n|\u2028|\u2029/; + var lineBreakG = new RegExp(lineBreak.source, "g"); + function isNewLine(code) { + return code === 10 || code === 13 || code === 8232 || code === 8233; + } + function nextLineBreak(code, from, end) { + if (end === void 0) + end = code.length; + for (var i = from; i < end; i++) { + var next = code.charCodeAt(i); + if (isNewLine(next)) { + return i < end - 1 && next === 13 && code.charCodeAt(i + 1) === 10 ? i + 2 : i + 1; + } + } + return -1; + } + var nonASCIIwhitespace = /[\u1680\u2000-\u200a\u202f\u205f\u3000\ufeff]/; + var skipWhiteSpace = /(?:\s|\/\/.*|\/\*[^]*?\*\/)*/g; + var ref = Object.prototype; + var hasOwnProperty$1 = ref.hasOwnProperty; + var toString = ref.toString; + var hasOwn = Object.hasOwn || function(obj, propName) { + return hasOwnProperty$1.call(obj, propName); + }; + var isArray = Array.isArray || function(obj) { + return toString.call(obj) === "[object Array]"; + }; + function wordsRegexp(words) { + return new RegExp("^(?:" + words.replace(/ /g, "|") + ")$"); + } + function codePointToString(code) { + if (code <= 65535) { + return String.fromCharCode(code); + } + code -= 65536; + return String.fromCharCode((code >> 10) + 55296, (code & 1023) + 56320); + } + var loneSurrogate = /(?:[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])/; + var Position = function Position2(line, col) { + this.line = line; + this.column = col; + }; + Position.prototype.offset = function offset(n2) { + return new Position(this.line, this.column + n2); + }; + var SourceLocation = function SourceLocation2(p2, start, end) { + this.start = start; + this.end = end; + if (p2.sourceFile !== null) { + this.source = p2.sourceFile; + } + }; + function getLineInfo(input, offset2) { + for (var line = 1, cur = 0; ; ) { + var nextBreak = nextLineBreak(input, cur, offset2); + if (nextBreak < 0) { + return new Position(line, offset2 - cur); + } + ++line; + cur = nextBreak; + } + } + var defaultOptions = { + // `ecmaVersion` indicates the ECMAScript version to parse. Must be + // either 3, 5, 6 (or 2015), 7 (2016), 8 (2017), 9 (2018), 10 + // (2019), 11 (2020), 12 (2021), 13 (2022), 14 (2023), or `"latest"` + // (the latest version the library supports). This influences + // support for strict mode, the set of reserved words, and support + // for new syntax features. + ecmaVersion: null, + // `sourceType` indicates the mode the code should be parsed in. + // Can be either `"script"` or `"module"`. This influences global + // strict mode and parsing of `import` and `export` declarations. + sourceType: "script", + // `onInsertedSemicolon` can be a callback that will be called + // when a semicolon is automatically inserted. It will be passed + // the position of the comma as an offset, and if `locations` is + // enabled, it is given the location as a `{line, column}` object + // as second argument. + onInsertedSemicolon: null, + // `onTrailingComma` is similar to `onInsertedSemicolon`, but for + // trailing commas. + onTrailingComma: null, + // By default, reserved words are only enforced if ecmaVersion >= 5. + // Set `allowReserved` to a boolean value to explicitly turn this on + // an off. When this option has the value "never", reserved words + // and keywords can also not be used as property names. + allowReserved: null, + // When enabled, a return at the top level is not considered an + // error. + allowReturnOutsideFunction: false, + // When enabled, import/export statements are not constrained to + // appearing at the top of the program, and an import.meta expression + // in a script isn't considered an error. + allowImportExportEverywhere: false, + // By default, await identifiers are allowed to appear at the top-level scope only if ecmaVersion >= 2022. + // When enabled, await identifiers are allowed to appear at the top-level scope, + // but they are still not allowed in non-async functions. + allowAwaitOutsideFunction: null, + // When enabled, super identifiers are not constrained to + // appearing in methods and do not raise an error when they appear elsewhere. + allowSuperOutsideMethod: null, + // When enabled, hashbang directive in the beginning of file is + // allowed and treated as a line comment. Enabled by default when + // `ecmaVersion` >= 2023. + allowHashBang: false, + // When `locations` is on, `loc` properties holding objects with + // `start` and `end` properties in `{line, column}` form (with + // line being 1-based and column 0-based) will be attached to the + // nodes. + locations: false, + // A function can be passed as `onToken` option, which will + // cause Acorn to call that function with object in the same + // format as tokens returned from `tokenizer().getToken()`. Note + // that you are not allowed to call the parser from the + // callback—that will corrupt its internal state. + onToken: null, + // A function can be passed as `onComment` option, which will + // cause Acorn to call that function with `(block, text, start, + // end)` parameters whenever a comment is skipped. `block` is a + // boolean indicating whether this is a block (`/* */`) comment, + // `text` is the content of the comment, and `start` and `end` are + // character offsets that denote the start and end of the comment. + // When the `locations` option is on, two more parameters are + // passed, the full `{line, column}` locations of the start and + // end of the comments. Note that you are not allowed to call the + // parser from the callback—that will corrupt its internal state. + onComment: null, + // Nodes have their start and end characters offsets recorded in + // `start` and `end` properties (directly on the node, rather than + // the `loc` object, which holds line/column data. To also add a + // [semi-standardized][range] `range` property holding a `[start, + // end]` array with the same numbers, set the `ranges` option to + // `true`. + // + // [range]: https://bugzilla.mozilla.org/show_bug.cgi?id=745678 + ranges: false, + // It is possible to parse multiple files into a single AST by + // passing the tree produced by parsing the first file as + // `program` option in subsequent parses. This will add the + // toplevel forms of the parsed file to the `Program` (top) node + // of an existing parse tree. + program: null, + // When `locations` is on, you can pass this to record the source + // file in every node's `loc` object. + sourceFile: null, + // This value, if given, is stored in every node, whether + // `locations` is on or off. + directSourceFile: null, + // When enabled, parenthesized expressions are represented by + // (non-standard) ParenthesizedExpression nodes + preserveParens: false + }; + var warnedAboutEcmaVersion = false; + function getOptions(opts) { + var options = {}; + for (var opt in defaultOptions) { + options[opt] = opts && hasOwn(opts, opt) ? opts[opt] : defaultOptions[opt]; + } + if (options.ecmaVersion === "latest") { + options.ecmaVersion = 1e8; + } else if (options.ecmaVersion == null) { + if (!warnedAboutEcmaVersion && typeof console === "object" && console.warn) { + warnedAboutEcmaVersion = true; + console.warn("Since Acorn 8.0.0, options.ecmaVersion is required.\nDefaulting to 2020, but this will stop working in the future."); + } + options.ecmaVersion = 11; + } else if (options.ecmaVersion >= 2015) { + options.ecmaVersion -= 2009; + } + if (options.allowReserved == null) { + options.allowReserved = options.ecmaVersion < 5; + } + if (opts.allowHashBang == null) { + options.allowHashBang = options.ecmaVersion >= 14; + } + if (isArray(options.onToken)) { + var tokens = options.onToken; + options.onToken = function(token) { + return tokens.push(token); + }; + } + if (isArray(options.onComment)) { + options.onComment = pushComment(options, options.onComment); + } + return options; + } + function pushComment(options, array) { + return function(block, text2, start, end, startLoc, endLoc) { + var comment = { + type: block ? "Block" : "Line", + value: text2, + start, + end + }; + if (options.locations) { + comment.loc = new SourceLocation(this, startLoc, endLoc); + } + if (options.ranges) { + comment.range = [start, end]; + } + array.push(comment); + }; + } + var SCOPE_TOP = 1; + var SCOPE_FUNCTION = 2; + var SCOPE_ASYNC = 4; + var SCOPE_GENERATOR = 8; + var SCOPE_ARROW = 16; + var SCOPE_SIMPLE_CATCH = 32; + var SCOPE_SUPER = 64; + var SCOPE_DIRECT_SUPER = 128; + var SCOPE_CLASS_STATIC_BLOCK = 256; + var SCOPE_VAR = SCOPE_TOP | SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK; + function functionFlags(async, generator) { + return SCOPE_FUNCTION | (async ? SCOPE_ASYNC : 0) | (generator ? SCOPE_GENERATOR : 0); + } + var BIND_NONE = 0; + var BIND_VAR = 1; + var BIND_LEXICAL = 2; + var BIND_FUNCTION = 3; + var BIND_SIMPLE_CATCH = 4; + var BIND_OUTSIDE = 5; + var Parser = function Parser2(options, input, startPos) { + this.options = options = getOptions(options); + this.sourceFile = options.sourceFile; + this.keywords = wordsRegexp(keywords$1[options.ecmaVersion >= 6 ? 6 : options.sourceType === "module" ? "5module" : 5]); + var reserved2 = ""; + if (options.allowReserved !== true) { + reserved2 = reservedWords[options.ecmaVersion >= 6 ? 6 : options.ecmaVersion === 5 ? 5 : 3]; + if (options.sourceType === "module") { + reserved2 += " await"; + } + } + this.reservedWords = wordsRegexp(reserved2); + var reservedStrict = (reserved2 ? reserved2 + " " : "") + reservedWords.strict; + this.reservedWordsStrict = wordsRegexp(reservedStrict); + this.reservedWordsStrictBind = wordsRegexp(reservedStrict + " " + reservedWords.strictBind); + this.input = String(input); + this.containsEsc = false; + if (startPos) { + this.pos = startPos; + this.lineStart = this.input.lastIndexOf("\n", startPos - 1) + 1; + this.curLine = this.input.slice(0, this.lineStart).split(lineBreak).length; + } else { + this.pos = this.lineStart = 0; + this.curLine = 1; + } + this.type = types$1.eof; + this.value = null; + this.start = this.end = this.pos; + this.startLoc = this.endLoc = this.curPosition(); + this.lastTokEndLoc = this.lastTokStartLoc = null; + this.lastTokStart = this.lastTokEnd = this.pos; + this.context = this.initialContext(); + this.exprAllowed = true; + this.inModule = options.sourceType === "module"; + this.strict = this.inModule || this.strictDirective(this.pos); + this.potentialArrowAt = -1; + this.potentialArrowInForAwait = false; + this.yieldPos = this.awaitPos = this.awaitIdentPos = 0; + this.labels = []; + this.undefinedExports = /* @__PURE__ */ Object.create(null); + if (this.pos === 0 && options.allowHashBang && this.input.slice(0, 2) === "#!") { + this.skipLineComment(2); + } + this.scopeStack = []; + this.enterScope(SCOPE_TOP); + this.regexpState = null; + this.privateNameStack = []; + }; + var prototypeAccessors = { inFunction: { configurable: true }, inGenerator: { configurable: true }, inAsync: { configurable: true }, canAwait: { configurable: true }, allowSuper: { configurable: true }, allowDirectSuper: { configurable: true }, treatFunctionsAsVar: { configurable: true }, allowNewDotTarget: { configurable: true }, inClassStaticBlock: { configurable: true } }; + Parser.prototype.parse = function parse() { + var node2 = this.options.program || this.startNode(); + this.nextToken(); + return this.parseTopLevel(node2); + }; + prototypeAccessors.inFunction.get = function() { + return (this.currentVarScope().flags & SCOPE_FUNCTION) > 0; + }; + prototypeAccessors.inGenerator.get = function() { + return (this.currentVarScope().flags & SCOPE_GENERATOR) > 0 && !this.currentVarScope().inClassFieldInit; + }; + prototypeAccessors.inAsync.get = function() { + return (this.currentVarScope().flags & SCOPE_ASYNC) > 0 && !this.currentVarScope().inClassFieldInit; + }; + prototypeAccessors.canAwait.get = function() { + for (var i = this.scopeStack.length - 1; i >= 0; i--) { + var scope2 = this.scopeStack[i]; + if (scope2.inClassFieldInit || scope2.flags & SCOPE_CLASS_STATIC_BLOCK) { + return false; + } + if (scope2.flags & SCOPE_FUNCTION) { + return (scope2.flags & SCOPE_ASYNC) > 0; + } + } + return this.inModule && this.options.ecmaVersion >= 13 || this.options.allowAwaitOutsideFunction; + }; + prototypeAccessors.allowSuper.get = function() { + var ref2 = this.currentThisScope(); + var flags = ref2.flags; + var inClassFieldInit = ref2.inClassFieldInit; + return (flags & SCOPE_SUPER) > 0 || inClassFieldInit || this.options.allowSuperOutsideMethod; + }; + prototypeAccessors.allowDirectSuper.get = function() { + return (this.currentThisScope().flags & SCOPE_DIRECT_SUPER) > 0; + }; + prototypeAccessors.treatFunctionsAsVar.get = function() { + return this.treatFunctionsAsVarInScope(this.currentScope()); + }; + prototypeAccessors.allowNewDotTarget.get = function() { + var ref2 = this.currentThisScope(); + var flags = ref2.flags; + var inClassFieldInit = ref2.inClassFieldInit; + return (flags & (SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK)) > 0 || inClassFieldInit; + }; + prototypeAccessors.inClassStaticBlock.get = function() { + return (this.currentVarScope().flags & SCOPE_CLASS_STATIC_BLOCK) > 0; + }; + Parser.extend = function extend() { + var plugins = [], len = arguments.length; + while (len--) + plugins[len] = arguments[len]; + var cls = this; + for (var i = 0; i < plugins.length; i++) { + cls = plugins[i](cls); + } + return cls; + }; + Parser.parse = function parse2(input, options) { + return new this(options, input).parse(); + }; + Parser.parseExpressionAt = function parseExpressionAt(input, pos, options) { + var parser = new this(options, input, pos); + parser.nextToken(); + return parser.parseExpression(); + }; + Parser.tokenizer = function tokenizer(input, options) { + return new this(options, input); + }; + Object.defineProperties(Parser.prototype, prototypeAccessors); + var pp$9 = Parser.prototype; + var literal = /^(?:'((?:\\.|[^'\\])*?)'|"((?:\\.|[^"\\])*?)")/; + pp$9.strictDirective = function(start) { + if (this.options.ecmaVersion < 5) { + return false; + } + for (; ; ) { + skipWhiteSpace.lastIndex = start; + start += skipWhiteSpace.exec(this.input)[0].length; + var match = literal.exec(this.input.slice(start)); + if (!match) { + return false; + } + if ((match[1] || match[2]) === "use strict") { + skipWhiteSpace.lastIndex = start + match[0].length; + var spaceAfter = skipWhiteSpace.exec(this.input), end = spaceAfter.index + spaceAfter[0].length; + var next = this.input.charAt(end); + return next === ";" || next === "}" || lineBreak.test(spaceAfter[0]) && !(/[(`.[+\-/*%<>=,?^&]/.test(next) || next === "!" && this.input.charAt(end + 1) === "="); + } + start += match[0].length; + skipWhiteSpace.lastIndex = start; + start += skipWhiteSpace.exec(this.input)[0].length; + if (this.input[start] === ";") { + start++; + } + } + }; + pp$9.eat = function(type) { + if (this.type === type) { + this.next(); + return true; + } else { + return false; + } + }; + pp$9.isContextual = function(name) { + return this.type === types$1.name && this.value === name && !this.containsEsc; + }; + pp$9.eatContextual = function(name) { + if (!this.isContextual(name)) { + return false; + } + this.next(); + return true; + }; + pp$9.expectContextual = function(name) { + if (!this.eatContextual(name)) { + this.unexpected(); + } + }; + pp$9.canInsertSemicolon = function() { + return this.type === types$1.eof || this.type === types$1.braceR || lineBreak.test(this.input.slice(this.lastTokEnd, this.start)); + }; + pp$9.insertSemicolon = function() { + if (this.canInsertSemicolon()) { + if (this.options.onInsertedSemicolon) { + this.options.onInsertedSemicolon(this.lastTokEnd, this.lastTokEndLoc); + } + return true; + } + }; + pp$9.semicolon = function() { + if (!this.eat(types$1.semi) && !this.insertSemicolon()) { + this.unexpected(); + } + }; + pp$9.afterTrailingComma = function(tokType, notNext) { + if (this.type === tokType) { + if (this.options.onTrailingComma) { + this.options.onTrailingComma(this.lastTokStart, this.lastTokStartLoc); + } + if (!notNext) { + this.next(); + } + return true; + } + }; + pp$9.expect = function(type) { + this.eat(type) || this.unexpected(); + }; + pp$9.unexpected = function(pos) { + this.raise(pos != null ? pos : this.start, "Unexpected token"); + }; + var DestructuringErrors = function DestructuringErrors2() { + this.shorthandAssign = this.trailingComma = this.parenthesizedAssign = this.parenthesizedBind = this.doubleProto = -1; + }; + pp$9.checkPatternErrors = function(refDestructuringErrors, isAssign) { + if (!refDestructuringErrors) { + return; + } + if (refDestructuringErrors.trailingComma > -1) { + this.raiseRecoverable(refDestructuringErrors.trailingComma, "Comma is not permitted after the rest element"); + } + var parens = isAssign ? refDestructuringErrors.parenthesizedAssign : refDestructuringErrors.parenthesizedBind; + if (parens > -1) { + this.raiseRecoverable(parens, isAssign ? "Assigning to rvalue" : "Parenthesized pattern"); + } + }; + pp$9.checkExpressionErrors = function(refDestructuringErrors, andThrow) { + if (!refDestructuringErrors) { + return false; + } + var shorthandAssign = refDestructuringErrors.shorthandAssign; + var doubleProto = refDestructuringErrors.doubleProto; + if (!andThrow) { + return shorthandAssign >= 0 || doubleProto >= 0; + } + if (shorthandAssign >= 0) { + this.raise(shorthandAssign, "Shorthand property assignments are valid only in destructuring patterns"); + } + if (doubleProto >= 0) { + this.raiseRecoverable(doubleProto, "Redefinition of __proto__ property"); + } + }; + pp$9.checkYieldAwaitInDefaultParams = function() { + if (this.yieldPos && (!this.awaitPos || this.yieldPos < this.awaitPos)) { + this.raise(this.yieldPos, "Yield expression cannot be a default value"); + } + if (this.awaitPos) { + this.raise(this.awaitPos, "Await expression cannot be a default value"); + } + }; + pp$9.isSimpleAssignTarget = function(expr) { + if (expr.type === "ParenthesizedExpression") { + return this.isSimpleAssignTarget(expr.expression); + } + return expr.type === "Identifier" || expr.type === "MemberExpression"; + }; + var pp$8 = Parser.prototype; + pp$8.parseTopLevel = function(node2) { + var exports = /* @__PURE__ */ Object.create(null); + if (!node2.body) { + node2.body = []; + } + while (this.type !== types$1.eof) { + var stmt = this.parseStatement(null, true, exports); + node2.body.push(stmt); + } + if (this.inModule) { + for (var i = 0, list = Object.keys(this.undefinedExports); i < list.length; i += 1) { + var name = list[i]; + this.raiseRecoverable(this.undefinedExports[name].start, "Export '" + name + "' is not defined"); + } + } + this.adaptDirectivePrologue(node2.body); + this.next(); + node2.sourceType = this.options.sourceType; + return this.finishNode(node2, "Program"); + }; + var loopLabel = { kind: "loop" }; + var switchLabel = { kind: "switch" }; + pp$8.isLet = function(context) { + if (this.options.ecmaVersion < 6 || !this.isContextual("let")) { + return false; + } + skipWhiteSpace.lastIndex = this.pos; + var skip = skipWhiteSpace.exec(this.input); + var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next); + if (nextCh === 91 || nextCh === 92 || nextCh > 55295 && nextCh < 56320) { + return true; + } + if (context) { + return false; + } + if (nextCh === 123) { + return true; + } + if (isIdentifierStart(nextCh, true)) { + var pos = next + 1; + while (isIdentifierChar(nextCh = this.input.charCodeAt(pos), true)) { + ++pos; + } + if (nextCh === 92 || nextCh > 55295 && nextCh < 56320) { + return true; + } + var ident = this.input.slice(next, pos); + if (!keywordRelationalOperator.test(ident)) { + return true; + } + } + return false; + }; + pp$8.isAsyncFunction = function() { + if (this.options.ecmaVersion < 8 || !this.isContextual("async")) { + return false; + } + skipWhiteSpace.lastIndex = this.pos; + var skip = skipWhiteSpace.exec(this.input); + var next = this.pos + skip[0].length, after; + return !lineBreak.test(this.input.slice(this.pos, next)) && this.input.slice(next, next + 8) === "function" && (next + 8 === this.input.length || !(isIdentifierChar(after = this.input.charCodeAt(next + 8)) || after > 55295 && after < 56320)); + }; + pp$8.parseStatement = function(context, topLevel, exports) { + var starttype = this.type, node2 = this.startNode(), kind; + if (this.isLet(context)) { + starttype = types$1._var; + kind = "let"; + } + switch (starttype) { + case types$1._break: + case types$1._continue: + return this.parseBreakContinueStatement(node2, starttype.keyword); + case types$1._debugger: + return this.parseDebuggerStatement(node2); + case types$1._do: + return this.parseDoStatement(node2); + case types$1._for: + return this.parseForStatement(node2); + case types$1._function: + if (context && (this.strict || context !== "if" && context !== "label") && this.options.ecmaVersion >= 6) { + this.unexpected(); + } + return this.parseFunctionStatement(node2, false, !context); + case types$1._class: + if (context) { + this.unexpected(); + } + return this.parseClass(node2, true); + case types$1._if: + return this.parseIfStatement(node2); + case types$1._return: + return this.parseReturnStatement(node2); + case types$1._switch: + return this.parseSwitchStatement(node2); + case types$1._throw: + return this.parseThrowStatement(node2); + case types$1._try: + return this.parseTryStatement(node2); + case types$1._const: + case types$1._var: + kind = kind || this.value; + if (context && kind !== "var") { + this.unexpected(); + } + return this.parseVarStatement(node2, kind); + case types$1._while: + return this.parseWhileStatement(node2); + case types$1._with: + return this.parseWithStatement(node2); + case types$1.braceL: + return this.parseBlock(true, node2); + case types$1.semi: + return this.parseEmptyStatement(node2); + case types$1._export: + case types$1._import: + if (this.options.ecmaVersion > 10 && starttype === types$1._import) { + skipWhiteSpace.lastIndex = this.pos; + var skip = skipWhiteSpace.exec(this.input); + var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next); + if (nextCh === 40 || nextCh === 46) { + return this.parseExpressionStatement(node2, this.parseExpression()); + } + } + if (!this.options.allowImportExportEverywhere) { + if (!topLevel) { + this.raise(this.start, "'import' and 'export' may only appear at the top level"); + } + if (!this.inModule) { + this.raise(this.start, "'import' and 'export' may appear only with 'sourceType: module'"); + } + } + return starttype === types$1._import ? this.parseImport(node2) : this.parseExport(node2, exports); + default: + if (this.isAsyncFunction()) { + if (context) { + this.unexpected(); + } + this.next(); + return this.parseFunctionStatement(node2, true, !context); + } + var maybeName = this.value, expr = this.parseExpression(); + if (starttype === types$1.name && expr.type === "Identifier" && this.eat(types$1.colon)) { + return this.parseLabeledStatement(node2, maybeName, expr, context); + } else { + return this.parseExpressionStatement(node2, expr); + } + } + }; + pp$8.parseBreakContinueStatement = function(node2, keyword) { + var isBreak = keyword === "break"; + this.next(); + if (this.eat(types$1.semi) || this.insertSemicolon()) { + node2.label = null; + } else if (this.type !== types$1.name) { + this.unexpected(); + } else { + node2.label = this.parseIdent(); + this.semicolon(); + } + var i = 0; + for (; i < this.labels.length; ++i) { + var lab = this.labels[i]; + if (node2.label == null || lab.name === node2.label.name) { + if (lab.kind != null && (isBreak || lab.kind === "loop")) { + break; + } + if (node2.label && isBreak) { + break; + } + } + } + if (i === this.labels.length) { + this.raise(node2.start, "Unsyntactic " + keyword); + } + return this.finishNode(node2, isBreak ? "BreakStatement" : "ContinueStatement"); + }; + pp$8.parseDebuggerStatement = function(node2) { + this.next(); + this.semicolon(); + return this.finishNode(node2, "DebuggerStatement"); + }; + pp$8.parseDoStatement = function(node2) { + this.next(); + this.labels.push(loopLabel); + node2.body = this.parseStatement("do"); + this.labels.pop(); + this.expect(types$1._while); + node2.test = this.parseParenExpression(); + if (this.options.ecmaVersion >= 6) { + this.eat(types$1.semi); + } else { + this.semicolon(); + } + return this.finishNode(node2, "DoWhileStatement"); + }; + pp$8.parseForStatement = function(node2) { + this.next(); + var awaitAt = this.options.ecmaVersion >= 9 && this.canAwait && this.eatContextual("await") ? this.lastTokStart : -1; + this.labels.push(loopLabel); + this.enterScope(0); + this.expect(types$1.parenL); + if (this.type === types$1.semi) { + if (awaitAt > -1) { + this.unexpected(awaitAt); + } + return this.parseFor(node2, null); + } + var isLet = this.isLet(); + if (this.type === types$1._var || this.type === types$1._const || isLet) { + var init$1 = this.startNode(), kind = isLet ? "let" : this.value; + this.next(); + this.parseVar(init$1, true, kind); + this.finishNode(init$1, "VariableDeclaration"); + if ((this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of")) && init$1.declarations.length === 1) { + if (this.options.ecmaVersion >= 9) { + if (this.type === types$1._in) { + if (awaitAt > -1) { + this.unexpected(awaitAt); + } + } else { + node2.await = awaitAt > -1; + } + } + return this.parseForIn(node2, init$1); + } + if (awaitAt > -1) { + this.unexpected(awaitAt); + } + return this.parseFor(node2, init$1); + } + var startsWithLet = this.isContextual("let"), isForOf = false; + var refDestructuringErrors = new DestructuringErrors(); + var init = this.parseExpression(awaitAt > -1 ? "await" : true, refDestructuringErrors); + if (this.type === types$1._in || (isForOf = this.options.ecmaVersion >= 6 && this.isContextual("of"))) { + if (this.options.ecmaVersion >= 9) { + if (this.type === types$1._in) { + if (awaitAt > -1) { + this.unexpected(awaitAt); + } + } else { + node2.await = awaitAt > -1; + } + } + if (startsWithLet && isForOf) { + this.raise(init.start, "The left-hand side of a for-of loop may not start with 'let'."); + } + this.toAssignable(init, false, refDestructuringErrors); + this.checkLValPattern(init); + return this.parseForIn(node2, init); + } else { + this.checkExpressionErrors(refDestructuringErrors, true); + } + if (awaitAt > -1) { + this.unexpected(awaitAt); + } + return this.parseFor(node2, init); + }; + pp$8.parseFunctionStatement = function(node2, isAsync, declarationPosition) { + this.next(); + return this.parseFunction(node2, FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT), false, isAsync); + }; + pp$8.parseIfStatement = function(node2) { + this.next(); + node2.test = this.parseParenExpression(); + node2.consequent = this.parseStatement("if"); + node2.alternate = this.eat(types$1._else) ? this.parseStatement("if") : null; + return this.finishNode(node2, "IfStatement"); + }; + pp$8.parseReturnStatement = function(node2) { + if (!this.inFunction && !this.options.allowReturnOutsideFunction) { + this.raise(this.start, "'return' outside of function"); + } + this.next(); + if (this.eat(types$1.semi) || this.insertSemicolon()) { + node2.argument = null; + } else { + node2.argument = this.parseExpression(); + this.semicolon(); + } + return this.finishNode(node2, "ReturnStatement"); + }; + pp$8.parseSwitchStatement = function(node2) { + this.next(); + node2.discriminant = this.parseParenExpression(); + node2.cases = []; + this.expect(types$1.braceL); + this.labels.push(switchLabel); + this.enterScope(0); + var cur; + for (var sawDefault = false; this.type !== types$1.braceR; ) { + if (this.type === types$1._case || this.type === types$1._default) { + var isCase = this.type === types$1._case; + if (cur) { + this.finishNode(cur, "SwitchCase"); + } + node2.cases.push(cur = this.startNode()); + cur.consequent = []; + this.next(); + if (isCase) { + cur.test = this.parseExpression(); + } else { + if (sawDefault) { + this.raiseRecoverable(this.lastTokStart, "Multiple default clauses"); + } + sawDefault = true; + cur.test = null; + } + this.expect(types$1.colon); + } else { + if (!cur) { + this.unexpected(); + } + cur.consequent.push(this.parseStatement(null)); + } + } + this.exitScope(); + if (cur) { + this.finishNode(cur, "SwitchCase"); + } + this.next(); + this.labels.pop(); + return this.finishNode(node2, "SwitchStatement"); + }; + pp$8.parseThrowStatement = function(node2) { + this.next(); + if (lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) { + this.raise(this.lastTokEnd, "Illegal newline after throw"); + } + node2.argument = this.parseExpression(); + this.semicolon(); + return this.finishNode(node2, "ThrowStatement"); + }; + var empty$1 = []; + pp$8.parseTryStatement = function(node2) { + this.next(); + node2.block = this.parseBlock(); + node2.handler = null; + if (this.type === types$1._catch) { + var clause = this.startNode(); + this.next(); + if (this.eat(types$1.parenL)) { + clause.param = this.parseBindingAtom(); + var simple = clause.param.type === "Identifier"; + this.enterScope(simple ? SCOPE_SIMPLE_CATCH : 0); + this.checkLValPattern(clause.param, simple ? BIND_SIMPLE_CATCH : BIND_LEXICAL); + this.expect(types$1.parenR); + } else { + if (this.options.ecmaVersion < 10) { + this.unexpected(); + } + clause.param = null; + this.enterScope(0); + } + clause.body = this.parseBlock(false); + this.exitScope(); + node2.handler = this.finishNode(clause, "CatchClause"); + } + node2.finalizer = this.eat(types$1._finally) ? this.parseBlock() : null; + if (!node2.handler && !node2.finalizer) { + this.raise(node2.start, "Missing catch or finally clause"); + } + return this.finishNode(node2, "TryStatement"); + }; + pp$8.parseVarStatement = function(node2, kind) { + this.next(); + this.parseVar(node2, false, kind); + this.semicolon(); + return this.finishNode(node2, "VariableDeclaration"); + }; + pp$8.parseWhileStatement = function(node2) { + this.next(); + node2.test = this.parseParenExpression(); + this.labels.push(loopLabel); + node2.body = this.parseStatement("while"); + this.labels.pop(); + return this.finishNode(node2, "WhileStatement"); + }; + pp$8.parseWithStatement = function(node2) { + if (this.strict) { + this.raise(this.start, "'with' in strict mode"); + } + this.next(); + node2.object = this.parseParenExpression(); + node2.body = this.parseStatement("with"); + return this.finishNode(node2, "WithStatement"); + }; + pp$8.parseEmptyStatement = function(node2) { + this.next(); + return this.finishNode(node2, "EmptyStatement"); + }; + pp$8.parseLabeledStatement = function(node2, maybeName, expr, context) { + for (var i$1 = 0, list = this.labels; i$1 < list.length; i$1 += 1) { + var label = list[i$1]; + if (label.name === maybeName) { + this.raise(expr.start, "Label '" + maybeName + "' is already declared"); + } + } + var kind = this.type.isLoop ? "loop" : this.type === types$1._switch ? "switch" : null; + for (var i = this.labels.length - 1; i >= 0; i--) { + var label$1 = this.labels[i]; + if (label$1.statementStart === node2.start) { + label$1.statementStart = this.start; + label$1.kind = kind; + } else { + break; + } + } + this.labels.push({ name: maybeName, kind, statementStart: this.start }); + node2.body = this.parseStatement(context ? context.indexOf("label") === -1 ? context + "label" : context : "label"); + this.labels.pop(); + node2.label = expr; + return this.finishNode(node2, "LabeledStatement"); + }; + pp$8.parseExpressionStatement = function(node2, expr) { + node2.expression = expr; + this.semicolon(); + return this.finishNode(node2, "ExpressionStatement"); + }; + pp$8.parseBlock = function(createNewLexicalScope, node2, exitStrict) { + if (createNewLexicalScope === void 0) + createNewLexicalScope = true; + if (node2 === void 0) + node2 = this.startNode(); + node2.body = []; + this.expect(types$1.braceL); + if (createNewLexicalScope) { + this.enterScope(0); + } + while (this.type !== types$1.braceR) { + var stmt = this.parseStatement(null); + node2.body.push(stmt); + } + if (exitStrict) { + this.strict = false; + } + this.next(); + if (createNewLexicalScope) { + this.exitScope(); + } + return this.finishNode(node2, "BlockStatement"); + }; + pp$8.parseFor = function(node2, init) { + node2.init = init; + this.expect(types$1.semi); + node2.test = this.type === types$1.semi ? null : this.parseExpression(); + this.expect(types$1.semi); + node2.update = this.type === types$1.parenR ? null : this.parseExpression(); + this.expect(types$1.parenR); + node2.body = this.parseStatement("for"); + this.exitScope(); + this.labels.pop(); + return this.finishNode(node2, "ForStatement"); + }; + pp$8.parseForIn = function(node2, init) { + var isForIn = this.type === types$1._in; + this.next(); + if (init.type === "VariableDeclaration" && init.declarations[0].init != null && (!isForIn || this.options.ecmaVersion < 8 || this.strict || init.kind !== "var" || init.declarations[0].id.type !== "Identifier")) { + this.raise( + init.start, + (isForIn ? "for-in" : "for-of") + " loop variable declaration may not have an initializer" + ); + } + node2.left = init; + node2.right = isForIn ? this.parseExpression() : this.parseMaybeAssign(); + this.expect(types$1.parenR); + node2.body = this.parseStatement("for"); + this.exitScope(); + this.labels.pop(); + return this.finishNode(node2, isForIn ? "ForInStatement" : "ForOfStatement"); + }; + pp$8.parseVar = function(node2, isFor, kind) { + node2.declarations = []; + node2.kind = kind; + for (; ; ) { + var decl = this.startNode(); + this.parseVarId(decl, kind); + if (this.eat(types$1.eq)) { + decl.init = this.parseMaybeAssign(isFor); + } else if (kind === "const" && !(this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of"))) { + this.unexpected(); + } else if (decl.id.type !== "Identifier" && !(isFor && (this.type === types$1._in || this.isContextual("of")))) { + this.raise(this.lastTokEnd, "Complex binding patterns require an initialization value"); + } else { + decl.init = null; + } + node2.declarations.push(this.finishNode(decl, "VariableDeclarator")); + if (!this.eat(types$1.comma)) { + break; + } + } + return node2; + }; + pp$8.parseVarId = function(decl, kind) { + decl.id = this.parseBindingAtom(); + this.checkLValPattern(decl.id, kind === "var" ? BIND_VAR : BIND_LEXICAL, false); + }; + var FUNC_STATEMENT = 1; + var FUNC_HANGING_STATEMENT = 2; + var FUNC_NULLABLE_ID = 4; + pp$8.parseFunction = function(node2, statement, allowExpressionBody, isAsync, forInit) { + this.initFunction(node2); + if (this.options.ecmaVersion >= 9 || this.options.ecmaVersion >= 6 && !isAsync) { + if (this.type === types$1.star && statement & FUNC_HANGING_STATEMENT) { + this.unexpected(); + } + node2.generator = this.eat(types$1.star); + } + if (this.options.ecmaVersion >= 8) { + node2.async = !!isAsync; + } + if (statement & FUNC_STATEMENT) { + node2.id = statement & FUNC_NULLABLE_ID && this.type !== types$1.name ? null : this.parseIdent(); + if (node2.id && !(statement & FUNC_HANGING_STATEMENT)) { + this.checkLValSimple(node2.id, this.strict || node2.generator || node2.async ? this.treatFunctionsAsVar ? BIND_VAR : BIND_LEXICAL : BIND_FUNCTION); + } + } + var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos; + this.yieldPos = 0; + this.awaitPos = 0; + this.awaitIdentPos = 0; + this.enterScope(functionFlags(node2.async, node2.generator)); + if (!(statement & FUNC_STATEMENT)) { + node2.id = this.type === types$1.name ? this.parseIdent() : null; + } + this.parseFunctionParams(node2); + this.parseFunctionBody(node2, allowExpressionBody, false, forInit); + this.yieldPos = oldYieldPos; + this.awaitPos = oldAwaitPos; + this.awaitIdentPos = oldAwaitIdentPos; + return this.finishNode(node2, statement & FUNC_STATEMENT ? "FunctionDeclaration" : "FunctionExpression"); + }; + pp$8.parseFunctionParams = function(node2) { + this.expect(types$1.parenL); + node2.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8); + this.checkYieldAwaitInDefaultParams(); + }; + pp$8.parseClass = function(node2, isStatement) { + this.next(); + var oldStrict = this.strict; + this.strict = true; + this.parseClassId(node2, isStatement); + this.parseClassSuper(node2); + var privateNameMap = this.enterClassBody(); + var classBody = this.startNode(); + var hadConstructor = false; + classBody.body = []; + this.expect(types$1.braceL); + while (this.type !== types$1.braceR) { + var element = this.parseClassElement(node2.superClass !== null); + if (element) { + classBody.body.push(element); + if (element.type === "MethodDefinition" && element.kind === "constructor") { + if (hadConstructor) { + this.raise(element.start, "Duplicate constructor in the same class"); + } + hadConstructor = true; + } else if (element.key && element.key.type === "PrivateIdentifier" && isPrivateNameConflicted(privateNameMap, element)) { + this.raiseRecoverable(element.key.start, "Identifier '#" + element.key.name + "' has already been declared"); + } + } + } + this.strict = oldStrict; + this.next(); + node2.body = this.finishNode(classBody, "ClassBody"); + this.exitClassBody(); + return this.finishNode(node2, isStatement ? "ClassDeclaration" : "ClassExpression"); + }; + pp$8.parseClassElement = function(constructorAllowsSuper) { + if (this.eat(types$1.semi)) { + return null; + } + var ecmaVersion = this.options.ecmaVersion; + var node2 = this.startNode(); + var keyName = ""; + var isGenerator = false; + var isAsync = false; + var kind = "method"; + var isStatic = false; + if (this.eatContextual("static")) { + if (ecmaVersion >= 13 && this.eat(types$1.braceL)) { + this.parseClassStaticBlock(node2); + return node2; + } + if (this.isClassElementNameStart() || this.type === types$1.star) { + isStatic = true; + } else { + keyName = "static"; + } + } + node2.static = isStatic; + if (!keyName && ecmaVersion >= 8 && this.eatContextual("async")) { + if ((this.isClassElementNameStart() || this.type === types$1.star) && !this.canInsertSemicolon()) { + isAsync = true; + } else { + keyName = "async"; + } + } + if (!keyName && (ecmaVersion >= 9 || !isAsync) && this.eat(types$1.star)) { + isGenerator = true; + } + if (!keyName && !isAsync && !isGenerator) { + var lastValue = this.value; + if (this.eatContextual("get") || this.eatContextual("set")) { + if (this.isClassElementNameStart()) { + kind = lastValue; + } else { + keyName = lastValue; + } + } + } + if (keyName) { + node2.computed = false; + node2.key = this.startNodeAt(this.lastTokStart, this.lastTokStartLoc); + node2.key.name = keyName; + this.finishNode(node2.key, "Identifier"); + } else { + this.parseClassElementName(node2); + } + if (ecmaVersion < 13 || this.type === types$1.parenL || kind !== "method" || isGenerator || isAsync) { + var isConstructor = !node2.static && checkKeyName(node2, "constructor"); + var allowsDirectSuper = isConstructor && constructorAllowsSuper; + if (isConstructor && kind !== "method") { + this.raise(node2.key.start, "Constructor can't have get/set modifier"); + } + node2.kind = isConstructor ? "constructor" : kind; + this.parseClassMethod(node2, isGenerator, isAsync, allowsDirectSuper); + } else { + this.parseClassField(node2); + } + return node2; + }; + pp$8.isClassElementNameStart = function() { + return this.type === types$1.name || this.type === types$1.privateId || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword; + }; + pp$8.parseClassElementName = function(element) { + if (this.type === types$1.privateId) { + if (this.value === "constructor") { + this.raise(this.start, "Classes can't have an element named '#constructor'"); + } + element.computed = false; + element.key = this.parsePrivateIdent(); + } else { + this.parsePropertyName(element); + } + }; + pp$8.parseClassMethod = function(method, isGenerator, isAsync, allowsDirectSuper) { + var key = method.key; + if (method.kind === "constructor") { + if (isGenerator) { + this.raise(key.start, "Constructor can't be a generator"); + } + if (isAsync) { + this.raise(key.start, "Constructor can't be an async method"); + } + } else if (method.static && checkKeyName(method, "prototype")) { + this.raise(key.start, "Classes may not have a static property named prototype"); + } + var value2 = method.value = this.parseMethod(isGenerator, isAsync, allowsDirectSuper); + if (method.kind === "get" && value2.params.length !== 0) { + this.raiseRecoverable(value2.start, "getter should have no params"); + } + if (method.kind === "set" && value2.params.length !== 1) { + this.raiseRecoverable(value2.start, "setter should have exactly one param"); + } + if (method.kind === "set" && value2.params[0].type === "RestElement") { + this.raiseRecoverable(value2.params[0].start, "Setter cannot use rest params"); + } + return this.finishNode(method, "MethodDefinition"); + }; + pp$8.parseClassField = function(field) { + if (checkKeyName(field, "constructor")) { + this.raise(field.key.start, "Classes can't have a field named 'constructor'"); + } else if (field.static && checkKeyName(field, "prototype")) { + this.raise(field.key.start, "Classes can't have a static field named 'prototype'"); + } + if (this.eat(types$1.eq)) { + var scope2 = this.currentThisScope(); + var inClassFieldInit = scope2.inClassFieldInit; + scope2.inClassFieldInit = true; + field.value = this.parseMaybeAssign(); + scope2.inClassFieldInit = inClassFieldInit; + } else { + field.value = null; + } + this.semicolon(); + return this.finishNode(field, "PropertyDefinition"); + }; + pp$8.parseClassStaticBlock = function(node2) { + node2.body = []; + var oldLabels = this.labels; + this.labels = []; + this.enterScope(SCOPE_CLASS_STATIC_BLOCK | SCOPE_SUPER); + while (this.type !== types$1.braceR) { + var stmt = this.parseStatement(null); + node2.body.push(stmt); + } + this.next(); + this.exitScope(); + this.labels = oldLabels; + return this.finishNode(node2, "StaticBlock"); + }; + pp$8.parseClassId = function(node2, isStatement) { + if (this.type === types$1.name) { + node2.id = this.parseIdent(); + if (isStatement) { + this.checkLValSimple(node2.id, BIND_LEXICAL, false); + } + } else { + if (isStatement === true) { + this.unexpected(); + } + node2.id = null; + } + }; + pp$8.parseClassSuper = function(node2) { + node2.superClass = this.eat(types$1._extends) ? this.parseExprSubscripts(false) : null; + }; + pp$8.enterClassBody = function() { + var element = { declared: /* @__PURE__ */ Object.create(null), used: [] }; + this.privateNameStack.push(element); + return element.declared; + }; + pp$8.exitClassBody = function() { + var ref2 = this.privateNameStack.pop(); + var declared = ref2.declared; + var used = ref2.used; + var len = this.privateNameStack.length; + var parent = len === 0 ? null : this.privateNameStack[len - 1]; + for (var i = 0; i < used.length; ++i) { + var id2 = used[i]; + if (!hasOwn(declared, id2.name)) { + if (parent) { + parent.used.push(id2); + } else { + this.raiseRecoverable(id2.start, "Private field '#" + id2.name + "' must be declared in an enclosing class"); + } + } + } + }; + function isPrivateNameConflicted(privateNameMap, element) { + var name = element.key.name; + var curr = privateNameMap[name]; + var next = "true"; + if (element.type === "MethodDefinition" && (element.kind === "get" || element.kind === "set")) { + next = (element.static ? "s" : "i") + element.kind; + } + if (curr === "iget" && next === "iset" || curr === "iset" && next === "iget" || curr === "sget" && next === "sset" || curr === "sset" && next === "sget") { + privateNameMap[name] = "true"; + return false; + } else if (!curr) { + privateNameMap[name] = next; + return false; + } else { + return true; + } + } + function checkKeyName(node2, name) { + var computed = node2.computed; + var key = node2.key; + return !computed && (key.type === "Identifier" && key.name === name || key.type === "Literal" && key.value === name); + } + pp$8.parseExport = function(node2, exports) { + this.next(); + if (this.eat(types$1.star)) { + if (this.options.ecmaVersion >= 11) { + if (this.eatContextual("as")) { + node2.exported = this.parseModuleExportName(); + this.checkExport(exports, node2.exported, this.lastTokStart); + } else { + node2.exported = null; + } + } + this.expectContextual("from"); + if (this.type !== types$1.string) { + this.unexpected(); + } + node2.source = this.parseExprAtom(); + this.semicolon(); + return this.finishNode(node2, "ExportAllDeclaration"); + } + if (this.eat(types$1._default)) { + this.checkExport(exports, "default", this.lastTokStart); + var isAsync; + if (this.type === types$1._function || (isAsync = this.isAsyncFunction())) { + var fNode = this.startNode(); + this.next(); + if (isAsync) { + this.next(); + } + node2.declaration = this.parseFunction(fNode, FUNC_STATEMENT | FUNC_NULLABLE_ID, false, isAsync); + } else if (this.type === types$1._class) { + var cNode = this.startNode(); + node2.declaration = this.parseClass(cNode, "nullableID"); + } else { + node2.declaration = this.parseMaybeAssign(); + this.semicolon(); + } + return this.finishNode(node2, "ExportDefaultDeclaration"); + } + if (this.shouldParseExportStatement()) { + node2.declaration = this.parseStatement(null); + if (node2.declaration.type === "VariableDeclaration") { + this.checkVariableExport(exports, node2.declaration.declarations); + } else { + this.checkExport(exports, node2.declaration.id, node2.declaration.id.start); + } + node2.specifiers = []; + node2.source = null; + } else { + node2.declaration = null; + node2.specifiers = this.parseExportSpecifiers(exports); + if (this.eatContextual("from")) { + if (this.type !== types$1.string) { + this.unexpected(); + } + node2.source = this.parseExprAtom(); + } else { + for (var i = 0, list = node2.specifiers; i < list.length; i += 1) { + var spec = list[i]; + this.checkUnreserved(spec.local); + this.checkLocalExport(spec.local); + if (spec.local.type === "Literal") { + this.raise(spec.local.start, "A string literal cannot be used as an exported binding without `from`."); + } + } + node2.source = null; + } + this.semicolon(); + } + return this.finishNode(node2, "ExportNamedDeclaration"); + }; + pp$8.checkExport = function(exports, name, pos) { + if (!exports) { + return; + } + if (typeof name !== "string") { + name = name.type === "Identifier" ? name.name : name.value; + } + if (hasOwn(exports, name)) { + this.raiseRecoverable(pos, "Duplicate export '" + name + "'"); + } + exports[name] = true; + }; + pp$8.checkPatternExport = function(exports, pat) { + var type = pat.type; + if (type === "Identifier") { + this.checkExport(exports, pat, pat.start); + } else if (type === "ObjectPattern") { + for (var i = 0, list = pat.properties; i < list.length; i += 1) { + var prop = list[i]; + this.checkPatternExport(exports, prop); + } + } else if (type === "ArrayPattern") { + for (var i$1 = 0, list$12 = pat.elements; i$1 < list$12.length; i$1 += 1) { + var elt = list$12[i$1]; + if (elt) { + this.checkPatternExport(exports, elt); + } + } + } else if (type === "Property") { + this.checkPatternExport(exports, pat.value); + } else if (type === "AssignmentPattern") { + this.checkPatternExport(exports, pat.left); + } else if (type === "RestElement") { + this.checkPatternExport(exports, pat.argument); + } else if (type === "ParenthesizedExpression") { + this.checkPatternExport(exports, pat.expression); + } + }; + pp$8.checkVariableExport = function(exports, decls) { + if (!exports) { + return; + } + for (var i = 0, list = decls; i < list.length; i += 1) { + var decl = list[i]; + this.checkPatternExport(exports, decl.id); + } + }; + pp$8.shouldParseExportStatement = function() { + return this.type.keyword === "var" || this.type.keyword === "const" || this.type.keyword === "class" || this.type.keyword === "function" || this.isLet() || this.isAsyncFunction(); + }; + pp$8.parseExportSpecifiers = function(exports) { + var nodes = [], first = true; + this.expect(types$1.braceL); + while (!this.eat(types$1.braceR)) { + if (!first) { + this.expect(types$1.comma); + if (this.afterTrailingComma(types$1.braceR)) { + break; + } + } else { + first = false; + } + var node2 = this.startNode(); + node2.local = this.parseModuleExportName(); + node2.exported = this.eatContextual("as") ? this.parseModuleExportName() : node2.local; + this.checkExport( + exports, + node2.exported, + node2.exported.start + ); + nodes.push(this.finishNode(node2, "ExportSpecifier")); + } + return nodes; + }; + pp$8.parseImport = function(node2) { + this.next(); + if (this.type === types$1.string) { + node2.specifiers = empty$1; + node2.source = this.parseExprAtom(); + } else { + node2.specifiers = this.parseImportSpecifiers(); + this.expectContextual("from"); + node2.source = this.type === types$1.string ? this.parseExprAtom() : this.unexpected(); + } + this.semicolon(); + return this.finishNode(node2, "ImportDeclaration"); + }; + pp$8.parseImportSpecifiers = function() { + var nodes = [], first = true; + if (this.type === types$1.name) { + var node2 = this.startNode(); + node2.local = this.parseIdent(); + this.checkLValSimple(node2.local, BIND_LEXICAL); + nodes.push(this.finishNode(node2, "ImportDefaultSpecifier")); + if (!this.eat(types$1.comma)) { + return nodes; + } + } + if (this.type === types$1.star) { + var node$12 = this.startNode(); + this.next(); + this.expectContextual("as"); + node$12.local = this.parseIdent(); + this.checkLValSimple(node$12.local, BIND_LEXICAL); + nodes.push(this.finishNode(node$12, "ImportNamespaceSpecifier")); + return nodes; + } + this.expect(types$1.braceL); + while (!this.eat(types$1.braceR)) { + if (!first) { + this.expect(types$1.comma); + if (this.afterTrailingComma(types$1.braceR)) { + break; + } + } else { + first = false; + } + var node$2 = this.startNode(); + node$2.imported = this.parseModuleExportName(); + if (this.eatContextual("as")) { + node$2.local = this.parseIdent(); + } else { + this.checkUnreserved(node$2.imported); + node$2.local = node$2.imported; + } + this.checkLValSimple(node$2.local, BIND_LEXICAL); + nodes.push(this.finishNode(node$2, "ImportSpecifier")); + } + return nodes; + }; + pp$8.parseModuleExportName = function() { + if (this.options.ecmaVersion >= 13 && this.type === types$1.string) { + var stringLiteral = this.parseLiteral(this.value); + if (loneSurrogate.test(stringLiteral.value)) { + this.raise(stringLiteral.start, "An export name cannot include a lone surrogate."); + } + return stringLiteral; + } + return this.parseIdent(true); + }; + pp$8.adaptDirectivePrologue = function(statements) { + for (var i = 0; i < statements.length && this.isDirectiveCandidate(statements[i]); ++i) { + statements[i].directive = statements[i].expression.raw.slice(1, -1); + } + }; + pp$8.isDirectiveCandidate = function(statement) { + return this.options.ecmaVersion >= 5 && statement.type === "ExpressionStatement" && statement.expression.type === "Literal" && typeof statement.expression.value === "string" && // Reject parenthesized strings. + (this.input[statement.start] === '"' || this.input[statement.start] === "'"); + }; + var pp$7 = Parser.prototype; + pp$7.toAssignable = function(node2, isBinding, refDestructuringErrors) { + if (this.options.ecmaVersion >= 6 && node2) { + switch (node2.type) { + case "Identifier": + if (this.inAsync && node2.name === "await") { + this.raise(node2.start, "Cannot use 'await' as identifier inside an async function"); + } + break; + case "ObjectPattern": + case "ArrayPattern": + case "AssignmentPattern": + case "RestElement": + break; + case "ObjectExpression": + node2.type = "ObjectPattern"; + if (refDestructuringErrors) { + this.checkPatternErrors(refDestructuringErrors, true); + } + for (var i = 0, list = node2.properties; i < list.length; i += 1) { + var prop = list[i]; + this.toAssignable(prop, isBinding); + if (prop.type === "RestElement" && (prop.argument.type === "ArrayPattern" || prop.argument.type === "ObjectPattern")) { + this.raise(prop.argument.start, "Unexpected token"); + } + } + break; + case "Property": + if (node2.kind !== "init") { + this.raise(node2.key.start, "Object pattern can't contain getter or setter"); + } + this.toAssignable(node2.value, isBinding); + break; + case "ArrayExpression": + node2.type = "ArrayPattern"; + if (refDestructuringErrors) { + this.checkPatternErrors(refDestructuringErrors, true); + } + this.toAssignableList(node2.elements, isBinding); + break; + case "SpreadElement": + node2.type = "RestElement"; + this.toAssignable(node2.argument, isBinding); + if (node2.argument.type === "AssignmentPattern") { + this.raise(node2.argument.start, "Rest elements cannot have a default value"); + } + break; + case "AssignmentExpression": + if (node2.operator !== "=") { + this.raise(node2.left.end, "Only '=' operator can be used for specifying default value."); + } + node2.type = "AssignmentPattern"; + delete node2.operator; + this.toAssignable(node2.left, isBinding); + break; + case "ParenthesizedExpression": + this.toAssignable(node2.expression, isBinding, refDestructuringErrors); + break; + case "ChainExpression": + this.raiseRecoverable(node2.start, "Optional chaining cannot appear in left-hand side"); + break; + case "MemberExpression": + if (!isBinding) { + break; + } + default: + this.raise(node2.start, "Assigning to rvalue"); + } + } else if (refDestructuringErrors) { + this.checkPatternErrors(refDestructuringErrors, true); + } + return node2; + }; + pp$7.toAssignableList = function(exprList, isBinding) { + var end = exprList.length; + for (var i = 0; i < end; i++) { + var elt = exprList[i]; + if (elt) { + this.toAssignable(elt, isBinding); + } + } + if (end) { + var last = exprList[end - 1]; + if (this.options.ecmaVersion === 6 && isBinding && last && last.type === "RestElement" && last.argument.type !== "Identifier") { + this.unexpected(last.argument.start); + } + } + return exprList; + }; + pp$7.parseSpread = function(refDestructuringErrors) { + var node2 = this.startNode(); + this.next(); + node2.argument = this.parseMaybeAssign(false, refDestructuringErrors); + return this.finishNode(node2, "SpreadElement"); + }; + pp$7.parseRestBinding = function() { + var node2 = this.startNode(); + this.next(); + if (this.options.ecmaVersion === 6 && this.type !== types$1.name) { + this.unexpected(); + } + node2.argument = this.parseBindingAtom(); + return this.finishNode(node2, "RestElement"); + }; + pp$7.parseBindingAtom = function() { + if (this.options.ecmaVersion >= 6) { + switch (this.type) { + case types$1.bracketL: + var node2 = this.startNode(); + this.next(); + node2.elements = this.parseBindingList(types$1.bracketR, true, true); + return this.finishNode(node2, "ArrayPattern"); + case types$1.braceL: + return this.parseObj(true); + } + } + return this.parseIdent(); + }; + pp$7.parseBindingList = function(close, allowEmpty, allowTrailingComma) { + var elts = [], first = true; + while (!this.eat(close)) { + if (first) { + first = false; + } else { + this.expect(types$1.comma); + } + if (allowEmpty && this.type === types$1.comma) { + elts.push(null); + } else if (allowTrailingComma && this.afterTrailingComma(close)) { + break; + } else if (this.type === types$1.ellipsis) { + var rest = this.parseRestBinding(); + this.parseBindingListItem(rest); + elts.push(rest); + if (this.type === types$1.comma) { + this.raise(this.start, "Comma is not permitted after the rest element"); + } + this.expect(close); + break; + } else { + var elem = this.parseMaybeDefault(this.start, this.startLoc); + this.parseBindingListItem(elem); + elts.push(elem); + } + } + return elts; + }; + pp$7.parseBindingListItem = function(param) { + return param; + }; + pp$7.parseMaybeDefault = function(startPos, startLoc, left) { + left = left || this.parseBindingAtom(); + if (this.options.ecmaVersion < 6 || !this.eat(types$1.eq)) { + return left; + } + var node2 = this.startNodeAt(startPos, startLoc); + node2.left = left; + node2.right = this.parseMaybeAssign(); + return this.finishNode(node2, "AssignmentPattern"); + }; + pp$7.checkLValSimple = function(expr, bindingType, checkClashes) { + if (bindingType === void 0) + bindingType = BIND_NONE; + var isBind = bindingType !== BIND_NONE; + switch (expr.type) { + case "Identifier": + if (this.strict && this.reservedWordsStrictBind.test(expr.name)) { + this.raiseRecoverable(expr.start, (isBind ? "Binding " : "Assigning to ") + expr.name + " in strict mode"); + } + if (isBind) { + if (bindingType === BIND_LEXICAL && expr.name === "let") { + this.raiseRecoverable(expr.start, "let is disallowed as a lexically bound name"); + } + if (checkClashes) { + if (hasOwn(checkClashes, expr.name)) { + this.raiseRecoverable(expr.start, "Argument name clash"); + } + checkClashes[expr.name] = true; + } + if (bindingType !== BIND_OUTSIDE) { + this.declareName(expr.name, bindingType, expr.start); + } + } + break; + case "ChainExpression": + this.raiseRecoverable(expr.start, "Optional chaining cannot appear in left-hand side"); + break; + case "MemberExpression": + if (isBind) { + this.raiseRecoverable(expr.start, "Binding member expression"); + } + break; + case "ParenthesizedExpression": + if (isBind) { + this.raiseRecoverable(expr.start, "Binding parenthesized expression"); + } + return this.checkLValSimple(expr.expression, bindingType, checkClashes); + default: + this.raise(expr.start, (isBind ? "Binding" : "Assigning to") + " rvalue"); + } + }; + pp$7.checkLValPattern = function(expr, bindingType, checkClashes) { + if (bindingType === void 0) + bindingType = BIND_NONE; + switch (expr.type) { + case "ObjectPattern": + for (var i = 0, list = expr.properties; i < list.length; i += 1) { + var prop = list[i]; + this.checkLValInnerPattern(prop, bindingType, checkClashes); + } + break; + case "ArrayPattern": + for (var i$1 = 0, list$12 = expr.elements; i$1 < list$12.length; i$1 += 1) { + var elem = list$12[i$1]; + if (elem) { + this.checkLValInnerPattern(elem, bindingType, checkClashes); + } + } + break; + default: + this.checkLValSimple(expr, bindingType, checkClashes); + } + }; + pp$7.checkLValInnerPattern = function(expr, bindingType, checkClashes) { + if (bindingType === void 0) + bindingType = BIND_NONE; + switch (expr.type) { + case "Property": + this.checkLValInnerPattern(expr.value, bindingType, checkClashes); + break; + case "AssignmentPattern": + this.checkLValPattern(expr.left, bindingType, checkClashes); + break; + case "RestElement": + this.checkLValPattern(expr.argument, bindingType, checkClashes); + break; + default: + this.checkLValPattern(expr, bindingType, checkClashes); + } + }; + var TokContext = function TokContext2(token, isExpr, preserveSpace, override, generator) { + this.token = token; + this.isExpr = !!isExpr; + this.preserveSpace = !!preserveSpace; + this.override = override; + this.generator = !!generator; + }; + var types = { + b_stat: new TokContext("{", false), + b_expr: new TokContext("{", true), + b_tmpl: new TokContext("${", false), + p_stat: new TokContext("(", false), + p_expr: new TokContext("(", true), + q_tmpl: new TokContext("`", true, true, function(p2) { + return p2.tryReadTemplateToken(); + }), + f_stat: new TokContext("function", false), + f_expr: new TokContext("function", true), + f_expr_gen: new TokContext("function", true, false, null, true), + f_gen: new TokContext("function", false, false, null, true) + }; + var pp$6 = Parser.prototype; + pp$6.initialContext = function() { + return [types.b_stat]; + }; + pp$6.curContext = function() { + return this.context[this.context.length - 1]; + }; + pp$6.braceIsBlock = function(prevType) { + var parent = this.curContext(); + if (parent === types.f_expr || parent === types.f_stat) { + return true; + } + if (prevType === types$1.colon && (parent === types.b_stat || parent === types.b_expr)) { + return !parent.isExpr; + } + if (prevType === types$1._return || prevType === types$1.name && this.exprAllowed) { + return lineBreak.test(this.input.slice(this.lastTokEnd, this.start)); + } + if (prevType === types$1._else || prevType === types$1.semi || prevType === types$1.eof || prevType === types$1.parenR || prevType === types$1.arrow) { + return true; + } + if (prevType === types$1.braceL) { + return parent === types.b_stat; + } + if (prevType === types$1._var || prevType === types$1._const || prevType === types$1.name) { + return false; + } + return !this.exprAllowed; + }; + pp$6.inGeneratorContext = function() { + for (var i = this.context.length - 1; i >= 1; i--) { + var context = this.context[i]; + if (context.token === "function") { + return context.generator; + } + } + return false; + }; + pp$6.updateContext = function(prevType) { + var update, type = this.type; + if (type.keyword && prevType === types$1.dot) { + this.exprAllowed = false; + } else if (update = type.updateContext) { + update.call(this, prevType); + } else { + this.exprAllowed = type.beforeExpr; + } + }; + pp$6.overrideContext = function(tokenCtx) { + if (this.curContext() !== tokenCtx) { + this.context[this.context.length - 1] = tokenCtx; + } + }; + types$1.parenR.updateContext = types$1.braceR.updateContext = function() { + if (this.context.length === 1) { + this.exprAllowed = true; + return; + } + var out = this.context.pop(); + if (out === types.b_stat && this.curContext().token === "function") { + out = this.context.pop(); + } + this.exprAllowed = !out.isExpr; + }; + types$1.braceL.updateContext = function(prevType) { + this.context.push(this.braceIsBlock(prevType) ? types.b_stat : types.b_expr); + this.exprAllowed = true; + }; + types$1.dollarBraceL.updateContext = function() { + this.context.push(types.b_tmpl); + this.exprAllowed = true; + }; + types$1.parenL.updateContext = function(prevType) { + var statementParens = prevType === types$1._if || prevType === types$1._for || prevType === types$1._with || prevType === types$1._while; + this.context.push(statementParens ? types.p_stat : types.p_expr); + this.exprAllowed = true; + }; + types$1.incDec.updateContext = function() { + }; + types$1._function.updateContext = types$1._class.updateContext = function(prevType) { + if (prevType.beforeExpr && prevType !== types$1._else && !(prevType === types$1.semi && this.curContext() !== types.p_stat) && !(prevType === types$1._return && lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) && !((prevType === types$1.colon || prevType === types$1.braceL) && this.curContext() === types.b_stat)) { + this.context.push(types.f_expr); + } else { + this.context.push(types.f_stat); + } + this.exprAllowed = false; + }; + types$1.backQuote.updateContext = function() { + if (this.curContext() === types.q_tmpl) { + this.context.pop(); + } else { + this.context.push(types.q_tmpl); + } + this.exprAllowed = false; + }; + types$1.star.updateContext = function(prevType) { + if (prevType === types$1._function) { + var index = this.context.length - 1; + if (this.context[index] === types.f_expr) { + this.context[index] = types.f_expr_gen; + } else { + this.context[index] = types.f_gen; + } + } + this.exprAllowed = true; + }; + types$1.name.updateContext = function(prevType) { + var allowed = false; + if (this.options.ecmaVersion >= 6 && prevType !== types$1.dot) { + if (this.value === "of" && !this.exprAllowed || this.value === "yield" && this.inGeneratorContext()) { + allowed = true; + } + } + this.exprAllowed = allowed; + }; + var pp$5 = Parser.prototype; + pp$5.checkPropClash = function(prop, propHash, refDestructuringErrors) { + if (this.options.ecmaVersion >= 9 && prop.type === "SpreadElement") { + return; + } + if (this.options.ecmaVersion >= 6 && (prop.computed || prop.method || prop.shorthand)) { + return; + } + var key = prop.key; + var name; + switch (key.type) { + case "Identifier": + name = key.name; + break; + case "Literal": + name = String(key.value); + break; + default: + return; + } + var kind = prop.kind; + if (this.options.ecmaVersion >= 6) { + if (name === "__proto__" && kind === "init") { + if (propHash.proto) { + if (refDestructuringErrors) { + if (refDestructuringErrors.doubleProto < 0) { + refDestructuringErrors.doubleProto = key.start; + } + } else { + this.raiseRecoverable(key.start, "Redefinition of __proto__ property"); + } + } + propHash.proto = true; + } + return; + } + name = "$" + name; + var other = propHash[name]; + if (other) { + var redefinition; + if (kind === "init") { + redefinition = this.strict && other.init || other.get || other.set; + } else { + redefinition = other.init || other[kind]; + } + if (redefinition) { + this.raiseRecoverable(key.start, "Redefinition of property"); + } + } else { + other = propHash[name] = { + init: false, + get: false, + set: false + }; + } + other[kind] = true; + }; + pp$5.parseExpression = function(forInit, refDestructuringErrors) { + var startPos = this.start, startLoc = this.startLoc; + var expr = this.parseMaybeAssign(forInit, refDestructuringErrors); + if (this.type === types$1.comma) { + var node2 = this.startNodeAt(startPos, startLoc); + node2.expressions = [expr]; + while (this.eat(types$1.comma)) { + node2.expressions.push(this.parseMaybeAssign(forInit, refDestructuringErrors)); + } + return this.finishNode(node2, "SequenceExpression"); + } + return expr; + }; + pp$5.parseMaybeAssign = function(forInit, refDestructuringErrors, afterLeftParse) { + if (this.isContextual("yield")) { + if (this.inGenerator) { + return this.parseYield(forInit); + } else { + this.exprAllowed = false; + } + } + var ownDestructuringErrors = false, oldParenAssign = -1, oldTrailingComma = -1, oldDoubleProto = -1; + if (refDestructuringErrors) { + oldParenAssign = refDestructuringErrors.parenthesizedAssign; + oldTrailingComma = refDestructuringErrors.trailingComma; + oldDoubleProto = refDestructuringErrors.doubleProto; + refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = -1; + } else { + refDestructuringErrors = new DestructuringErrors(); + ownDestructuringErrors = true; + } + var startPos = this.start, startLoc = this.startLoc; + if (this.type === types$1.parenL || this.type === types$1.name) { + this.potentialArrowAt = this.start; + this.potentialArrowInForAwait = forInit === "await"; + } + var left = this.parseMaybeConditional(forInit, refDestructuringErrors); + if (afterLeftParse) { + left = afterLeftParse.call(this, left, startPos, startLoc); + } + if (this.type.isAssign) { + var node2 = this.startNodeAt(startPos, startLoc); + node2.operator = this.value; + if (this.type === types$1.eq) { + left = this.toAssignable(left, false, refDestructuringErrors); + } + if (!ownDestructuringErrors) { + refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = refDestructuringErrors.doubleProto = -1; + } + if (refDestructuringErrors.shorthandAssign >= left.start) { + refDestructuringErrors.shorthandAssign = -1; + } + if (this.type === types$1.eq) { + this.checkLValPattern(left); + } else { + this.checkLValSimple(left); + } + node2.left = left; + this.next(); + node2.right = this.parseMaybeAssign(forInit); + if (oldDoubleProto > -1) { + refDestructuringErrors.doubleProto = oldDoubleProto; + } + return this.finishNode(node2, "AssignmentExpression"); + } else { + if (ownDestructuringErrors) { + this.checkExpressionErrors(refDestructuringErrors, true); + } + } + if (oldParenAssign > -1) { + refDestructuringErrors.parenthesizedAssign = oldParenAssign; + } + if (oldTrailingComma > -1) { + refDestructuringErrors.trailingComma = oldTrailingComma; + } + return left; + }; + pp$5.parseMaybeConditional = function(forInit, refDestructuringErrors) { + var startPos = this.start, startLoc = this.startLoc; + var expr = this.parseExprOps(forInit, refDestructuringErrors); + if (this.checkExpressionErrors(refDestructuringErrors)) { + return expr; + } + if (this.eat(types$1.question)) { + var node2 = this.startNodeAt(startPos, startLoc); + node2.test = expr; + node2.consequent = this.parseMaybeAssign(); + this.expect(types$1.colon); + node2.alternate = this.parseMaybeAssign(forInit); + return this.finishNode(node2, "ConditionalExpression"); + } + return expr; + }; + pp$5.parseExprOps = function(forInit, refDestructuringErrors) { + var startPos = this.start, startLoc = this.startLoc; + var expr = this.parseMaybeUnary(refDestructuringErrors, false, false, forInit); + if (this.checkExpressionErrors(refDestructuringErrors)) { + return expr; + } + return expr.start === startPos && expr.type === "ArrowFunctionExpression" ? expr : this.parseExprOp(expr, startPos, startLoc, -1, forInit); + }; + pp$5.parseExprOp = function(left, leftStartPos, leftStartLoc, minPrec, forInit) { + var prec = this.type.binop; + if (prec != null && (!forInit || this.type !== types$1._in)) { + if (prec > minPrec) { + var logical = this.type === types$1.logicalOR || this.type === types$1.logicalAND; + var coalesce = this.type === types$1.coalesce; + if (coalesce) { + prec = types$1.logicalAND.binop; + } + var op = this.value; + this.next(); + var startPos = this.start, startLoc = this.startLoc; + var right = this.parseExprOp(this.parseMaybeUnary(null, false, false, forInit), startPos, startLoc, prec, forInit); + var node2 = this.buildBinary(leftStartPos, leftStartLoc, left, right, op, logical || coalesce); + if (logical && this.type === types$1.coalesce || coalesce && (this.type === types$1.logicalOR || this.type === types$1.logicalAND)) { + this.raiseRecoverable(this.start, "Logical expressions and coalesce expressions cannot be mixed. Wrap either by parentheses"); + } + return this.parseExprOp(node2, leftStartPos, leftStartLoc, minPrec, forInit); + } + } + return left; + }; + pp$5.buildBinary = function(startPos, startLoc, left, right, op, logical) { + if (right.type === "PrivateIdentifier") { + this.raise(right.start, "Private identifier can only be left side of binary expression"); + } + var node2 = this.startNodeAt(startPos, startLoc); + node2.left = left; + node2.operator = op; + node2.right = right; + return this.finishNode(node2, logical ? "LogicalExpression" : "BinaryExpression"); + }; + pp$5.parseMaybeUnary = function(refDestructuringErrors, sawUnary, incDec, forInit) { + var startPos = this.start, startLoc = this.startLoc, expr; + if (this.isContextual("await") && this.canAwait) { + expr = this.parseAwait(forInit); + sawUnary = true; + } else if (this.type.prefix) { + var node2 = this.startNode(), update = this.type === types$1.incDec; + node2.operator = this.value; + node2.prefix = true; + this.next(); + node2.argument = this.parseMaybeUnary(null, true, update, forInit); + this.checkExpressionErrors(refDestructuringErrors, true); + if (update) { + this.checkLValSimple(node2.argument); + } else if (this.strict && node2.operator === "delete" && node2.argument.type === "Identifier") { + this.raiseRecoverable(node2.start, "Deleting local variable in strict mode"); + } else if (node2.operator === "delete" && isPrivateFieldAccess(node2.argument)) { + this.raiseRecoverable(node2.start, "Private fields can not be deleted"); + } else { + sawUnary = true; + } + expr = this.finishNode(node2, update ? "UpdateExpression" : "UnaryExpression"); + } else if (!sawUnary && this.type === types$1.privateId) { + if (forInit || this.privateNameStack.length === 0) { + this.unexpected(); + } + expr = this.parsePrivateIdent(); + if (this.type !== types$1._in) { + this.unexpected(); + } + } else { + expr = this.parseExprSubscripts(refDestructuringErrors, forInit); + if (this.checkExpressionErrors(refDestructuringErrors)) { + return expr; + } + while (this.type.postfix && !this.canInsertSemicolon()) { + var node$12 = this.startNodeAt(startPos, startLoc); + node$12.operator = this.value; + node$12.prefix = false; + node$12.argument = expr; + this.checkLValSimple(expr); + this.next(); + expr = this.finishNode(node$12, "UpdateExpression"); + } + } + if (!incDec && this.eat(types$1.starstar)) { + if (sawUnary) { + this.unexpected(this.lastTokStart); + } else { + return this.buildBinary(startPos, startLoc, expr, this.parseMaybeUnary(null, false, false, forInit), "**", false); + } + } else { + return expr; + } + }; + function isPrivateFieldAccess(node2) { + return node2.type === "MemberExpression" && node2.property.type === "PrivateIdentifier" || node2.type === "ChainExpression" && isPrivateFieldAccess(node2.expression); + } + pp$5.parseExprSubscripts = function(refDestructuringErrors, forInit) { + var startPos = this.start, startLoc = this.startLoc; + var expr = this.parseExprAtom(refDestructuringErrors, forInit); + if (expr.type === "ArrowFunctionExpression" && this.input.slice(this.lastTokStart, this.lastTokEnd) !== ")") { + return expr; + } + var result = this.parseSubscripts(expr, startPos, startLoc, false, forInit); + if (refDestructuringErrors && result.type === "MemberExpression") { + if (refDestructuringErrors.parenthesizedAssign >= result.start) { + refDestructuringErrors.parenthesizedAssign = -1; + } + if (refDestructuringErrors.parenthesizedBind >= result.start) { + refDestructuringErrors.parenthesizedBind = -1; + } + if (refDestructuringErrors.trailingComma >= result.start) { + refDestructuringErrors.trailingComma = -1; + } + } + return result; + }; + pp$5.parseSubscripts = function(base, startPos, startLoc, noCalls, forInit) { + var maybeAsyncArrow = this.options.ecmaVersion >= 8 && base.type === "Identifier" && base.name === "async" && this.lastTokEnd === base.end && !this.canInsertSemicolon() && base.end - base.start === 5 && this.potentialArrowAt === base.start; + var optionalChained = false; + while (true) { + var element = this.parseSubscript(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit); + if (element.optional) { + optionalChained = true; + } + if (element === base || element.type === "ArrowFunctionExpression") { + if (optionalChained) { + var chainNode = this.startNodeAt(startPos, startLoc); + chainNode.expression = element; + element = this.finishNode(chainNode, "ChainExpression"); + } + return element; + } + base = element; + } + }; + pp$5.parseSubscript = function(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit) { + var optionalSupported = this.options.ecmaVersion >= 11; + var optional = optionalSupported && this.eat(types$1.questionDot); + if (noCalls && optional) { + this.raise(this.lastTokStart, "Optional chaining cannot appear in the callee of new expressions"); + } + var computed = this.eat(types$1.bracketL); + if (computed || optional && this.type !== types$1.parenL && this.type !== types$1.backQuote || this.eat(types$1.dot)) { + var node2 = this.startNodeAt(startPos, startLoc); + node2.object = base; + if (computed) { + node2.property = this.parseExpression(); + this.expect(types$1.bracketR); + } else if (this.type === types$1.privateId && base.type !== "Super") { + node2.property = this.parsePrivateIdent(); + } else { + node2.property = this.parseIdent(this.options.allowReserved !== "never"); + } + node2.computed = !!computed; + if (optionalSupported) { + node2.optional = optional; + } + base = this.finishNode(node2, "MemberExpression"); + } else if (!noCalls && this.eat(types$1.parenL)) { + var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos; + this.yieldPos = 0; + this.awaitPos = 0; + this.awaitIdentPos = 0; + var exprList = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false, refDestructuringErrors); + if (maybeAsyncArrow && !optional && !this.canInsertSemicolon() && this.eat(types$1.arrow)) { + this.checkPatternErrors(refDestructuringErrors, false); + this.checkYieldAwaitInDefaultParams(); + if (this.awaitIdentPos > 0) { + this.raise(this.awaitIdentPos, "Cannot use 'await' as identifier inside an async function"); + } + this.yieldPos = oldYieldPos; + this.awaitPos = oldAwaitPos; + this.awaitIdentPos = oldAwaitIdentPos; + return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, true, forInit); + } + this.checkExpressionErrors(refDestructuringErrors, true); + this.yieldPos = oldYieldPos || this.yieldPos; + this.awaitPos = oldAwaitPos || this.awaitPos; + this.awaitIdentPos = oldAwaitIdentPos || this.awaitIdentPos; + var node$12 = this.startNodeAt(startPos, startLoc); + node$12.callee = base; + node$12.arguments = exprList; + if (optionalSupported) { + node$12.optional = optional; + } + base = this.finishNode(node$12, "CallExpression"); + } else if (this.type === types$1.backQuote) { + if (optional || optionalChained) { + this.raise(this.start, "Optional chaining cannot appear in the tag of tagged template expressions"); + } + var node$2 = this.startNodeAt(startPos, startLoc); + node$2.tag = base; + node$2.quasi = this.parseTemplate({ isTagged: true }); + base = this.finishNode(node$2, "TaggedTemplateExpression"); + } + return base; + }; + pp$5.parseExprAtom = function(refDestructuringErrors, forInit) { + if (this.type === types$1.slash) { + this.readRegexp(); + } + var node2, canBeArrow = this.potentialArrowAt === this.start; + switch (this.type) { + case types$1._super: + if (!this.allowSuper) { + this.raise(this.start, "'super' keyword outside a method"); + } + node2 = this.startNode(); + this.next(); + if (this.type === types$1.parenL && !this.allowDirectSuper) { + this.raise(node2.start, "super() call outside constructor of a subclass"); + } + if (this.type !== types$1.dot && this.type !== types$1.bracketL && this.type !== types$1.parenL) { + this.unexpected(); + } + return this.finishNode(node2, "Super"); + case types$1._this: + node2 = this.startNode(); + this.next(); + return this.finishNode(node2, "ThisExpression"); + case types$1.name: + var startPos = this.start, startLoc = this.startLoc, containsEsc = this.containsEsc; + var id2 = this.parseIdent(false); + if (this.options.ecmaVersion >= 8 && !containsEsc && id2.name === "async" && !this.canInsertSemicolon() && this.eat(types$1._function)) { + this.overrideContext(types.f_expr); + return this.parseFunction(this.startNodeAt(startPos, startLoc), 0, false, true, forInit); + } + if (canBeArrow && !this.canInsertSemicolon()) { + if (this.eat(types$1.arrow)) { + return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id2], false, forInit); + } + if (this.options.ecmaVersion >= 8 && id2.name === "async" && this.type === types$1.name && !containsEsc && (!this.potentialArrowInForAwait || this.value !== "of" || this.containsEsc)) { + id2 = this.parseIdent(false); + if (this.canInsertSemicolon() || !this.eat(types$1.arrow)) { + this.unexpected(); + } + return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id2], true, forInit); + } + } + return id2; + case types$1.regexp: + var value2 = this.value; + node2 = this.parseLiteral(value2.value); + node2.regex = { pattern: value2.pattern, flags: value2.flags }; + return node2; + case types$1.num: + case types$1.string: + return this.parseLiteral(this.value); + case types$1._null: + case types$1._true: + case types$1._false: + node2 = this.startNode(); + node2.value = this.type === types$1._null ? null : this.type === types$1._true; + node2.raw = this.type.keyword; + this.next(); + return this.finishNode(node2, "Literal"); + case types$1.parenL: + var start = this.start, expr = this.parseParenAndDistinguishExpression(canBeArrow, forInit); + if (refDestructuringErrors) { + if (refDestructuringErrors.parenthesizedAssign < 0 && !this.isSimpleAssignTarget(expr)) { + refDestructuringErrors.parenthesizedAssign = start; + } + if (refDestructuringErrors.parenthesizedBind < 0) { + refDestructuringErrors.parenthesizedBind = start; + } + } + return expr; + case types$1.bracketL: + node2 = this.startNode(); + this.next(); + node2.elements = this.parseExprList(types$1.bracketR, true, true, refDestructuringErrors); + return this.finishNode(node2, "ArrayExpression"); + case types$1.braceL: + this.overrideContext(types.b_expr); + return this.parseObj(false, refDestructuringErrors); + case types$1._function: + node2 = this.startNode(); + this.next(); + return this.parseFunction(node2, 0); + case types$1._class: + return this.parseClass(this.startNode(), false); + case types$1._new: + return this.parseNew(); + case types$1.backQuote: + return this.parseTemplate(); + case types$1._import: + if (this.options.ecmaVersion >= 11) { + return this.parseExprImport(); + } else { + return this.unexpected(); + } + default: + this.unexpected(); + } + }; + pp$5.parseExprImport = function() { + var node2 = this.startNode(); + if (this.containsEsc) { + this.raiseRecoverable(this.start, "Escape sequence in keyword import"); + } + var meta = this.parseIdent(true); + switch (this.type) { + case types$1.parenL: + return this.parseDynamicImport(node2); + case types$1.dot: + node2.meta = meta; + return this.parseImportMeta(node2); + default: + this.unexpected(); + } + }; + pp$5.parseDynamicImport = function(node2) { + this.next(); + node2.source = this.parseMaybeAssign(); + if (!this.eat(types$1.parenR)) { + var errorPos = this.start; + if (this.eat(types$1.comma) && this.eat(types$1.parenR)) { + this.raiseRecoverable(errorPos, "Trailing comma is not allowed in import()"); + } else { + this.unexpected(errorPos); + } + } + return this.finishNode(node2, "ImportExpression"); + }; + pp$5.parseImportMeta = function(node2) { + this.next(); + var containsEsc = this.containsEsc; + node2.property = this.parseIdent(true); + if (node2.property.name !== "meta") { + this.raiseRecoverable(node2.property.start, "The only valid meta property for import is 'import.meta'"); + } + if (containsEsc) { + this.raiseRecoverable(node2.start, "'import.meta' must not contain escaped characters"); + } + if (this.options.sourceType !== "module" && !this.options.allowImportExportEverywhere) { + this.raiseRecoverable(node2.start, "Cannot use 'import.meta' outside a module"); + } + return this.finishNode(node2, "MetaProperty"); + }; + pp$5.parseLiteral = function(value2) { + var node2 = this.startNode(); + node2.value = value2; + node2.raw = this.input.slice(this.start, this.end); + if (node2.raw.charCodeAt(node2.raw.length - 1) === 110) { + node2.bigint = node2.raw.slice(0, -1).replace(/_/g, ""); + } + this.next(); + return this.finishNode(node2, "Literal"); + }; + pp$5.parseParenExpression = function() { + this.expect(types$1.parenL); + var val = this.parseExpression(); + this.expect(types$1.parenR); + return val; + }; + pp$5.parseParenAndDistinguishExpression = function(canBeArrow, forInit) { + var startPos = this.start, startLoc = this.startLoc, val, allowTrailingComma = this.options.ecmaVersion >= 8; + if (this.options.ecmaVersion >= 6) { + this.next(); + var innerStartPos = this.start, innerStartLoc = this.startLoc; + var exprList = [], first = true, lastIsComma = false; + var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, spreadStart; + this.yieldPos = 0; + this.awaitPos = 0; + while (this.type !== types$1.parenR) { + first ? first = false : this.expect(types$1.comma); + if (allowTrailingComma && this.afterTrailingComma(types$1.parenR, true)) { + lastIsComma = true; + break; + } else if (this.type === types$1.ellipsis) { + spreadStart = this.start; + exprList.push(this.parseParenItem(this.parseRestBinding())); + if (this.type === types$1.comma) { + this.raise(this.start, "Comma is not permitted after the rest element"); + } + break; + } else { + exprList.push(this.parseMaybeAssign(false, refDestructuringErrors, this.parseParenItem)); + } + } + var innerEndPos = this.lastTokEnd, innerEndLoc = this.lastTokEndLoc; + this.expect(types$1.parenR); + if (canBeArrow && !this.canInsertSemicolon() && this.eat(types$1.arrow)) { + this.checkPatternErrors(refDestructuringErrors, false); + this.checkYieldAwaitInDefaultParams(); + this.yieldPos = oldYieldPos; + this.awaitPos = oldAwaitPos; + return this.parseParenArrowList(startPos, startLoc, exprList, forInit); + } + if (!exprList.length || lastIsComma) { + this.unexpected(this.lastTokStart); + } + if (spreadStart) { + this.unexpected(spreadStart); + } + this.checkExpressionErrors(refDestructuringErrors, true); + this.yieldPos = oldYieldPos || this.yieldPos; + this.awaitPos = oldAwaitPos || this.awaitPos; + if (exprList.length > 1) { + val = this.startNodeAt(innerStartPos, innerStartLoc); + val.expressions = exprList; + this.finishNodeAt(val, "SequenceExpression", innerEndPos, innerEndLoc); + } else { + val = exprList[0]; + } + } else { + val = this.parseParenExpression(); + } + if (this.options.preserveParens) { + var par = this.startNodeAt(startPos, startLoc); + par.expression = val; + return this.finishNode(par, "ParenthesizedExpression"); + } else { + return val; + } + }; + pp$5.parseParenItem = function(item) { + return item; + }; + pp$5.parseParenArrowList = function(startPos, startLoc, exprList, forInit) { + return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, false, forInit); + }; + var empty = []; + pp$5.parseNew = function() { + if (this.containsEsc) { + this.raiseRecoverable(this.start, "Escape sequence in keyword new"); + } + var node2 = this.startNode(); + var meta = this.parseIdent(true); + if (this.options.ecmaVersion >= 6 && this.eat(types$1.dot)) { + node2.meta = meta; + var containsEsc = this.containsEsc; + node2.property = this.parseIdent(true); + if (node2.property.name !== "target") { + this.raiseRecoverable(node2.property.start, "The only valid meta property for new is 'new.target'"); + } + if (containsEsc) { + this.raiseRecoverable(node2.start, "'new.target' must not contain escaped characters"); + } + if (!this.allowNewDotTarget) { + this.raiseRecoverable(node2.start, "'new.target' can only be used in functions and class static block"); + } + return this.finishNode(node2, "MetaProperty"); + } + var startPos = this.start, startLoc = this.startLoc, isImport = this.type === types$1._import; + node2.callee = this.parseSubscripts(this.parseExprAtom(), startPos, startLoc, true, false); + if (isImport && node2.callee.type === "ImportExpression") { + this.raise(startPos, "Cannot use new with import()"); + } + if (this.eat(types$1.parenL)) { + node2.arguments = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false); + } else { + node2.arguments = empty; + } + return this.finishNode(node2, "NewExpression"); + }; + pp$5.parseTemplateElement = function(ref2) { + var isTagged = ref2.isTagged; + var elem = this.startNode(); + if (this.type === types$1.invalidTemplate) { + if (!isTagged) { + this.raiseRecoverable(this.start, "Bad escape sequence in untagged template literal"); + } + elem.value = { + raw: this.value, + cooked: null + }; + } else { + elem.value = { + raw: this.input.slice(this.start, this.end).replace(/\r\n?/g, "\n"), + cooked: this.value + }; + } + this.next(); + elem.tail = this.type === types$1.backQuote; + return this.finishNode(elem, "TemplateElement"); + }; + pp$5.parseTemplate = function(ref2) { + if (ref2 === void 0) + ref2 = {}; + var isTagged = ref2.isTagged; + if (isTagged === void 0) + isTagged = false; + var node2 = this.startNode(); + this.next(); + node2.expressions = []; + var curElt = this.parseTemplateElement({ isTagged }); + node2.quasis = [curElt]; + while (!curElt.tail) { + if (this.type === types$1.eof) { + this.raise(this.pos, "Unterminated template literal"); + } + this.expect(types$1.dollarBraceL); + node2.expressions.push(this.parseExpression()); + this.expect(types$1.braceR); + node2.quasis.push(curElt = this.parseTemplateElement({ isTagged })); + } + this.next(); + return this.finishNode(node2, "TemplateLiteral"); + }; + pp$5.isAsyncProp = function(prop) { + return !prop.computed && prop.key.type === "Identifier" && prop.key.name === "async" && (this.type === types$1.name || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword || this.options.ecmaVersion >= 9 && this.type === types$1.star) && !lineBreak.test(this.input.slice(this.lastTokEnd, this.start)); + }; + pp$5.parseObj = function(isPattern, refDestructuringErrors) { + var node2 = this.startNode(), first = true, propHash = {}; + node2.properties = []; + this.next(); + while (!this.eat(types$1.braceR)) { + if (!first) { + this.expect(types$1.comma); + if (this.options.ecmaVersion >= 5 && this.afterTrailingComma(types$1.braceR)) { + break; + } + } else { + first = false; + } + var prop = this.parseProperty(isPattern, refDestructuringErrors); + if (!isPattern) { + this.checkPropClash(prop, propHash, refDestructuringErrors); + } + node2.properties.push(prop); + } + return this.finishNode(node2, isPattern ? "ObjectPattern" : "ObjectExpression"); + }; + pp$5.parseProperty = function(isPattern, refDestructuringErrors) { + var prop = this.startNode(), isGenerator, isAsync, startPos, startLoc; + if (this.options.ecmaVersion >= 9 && this.eat(types$1.ellipsis)) { + if (isPattern) { + prop.argument = this.parseIdent(false); + if (this.type === types$1.comma) { + this.raise(this.start, "Comma is not permitted after the rest element"); + } + return this.finishNode(prop, "RestElement"); + } + prop.argument = this.parseMaybeAssign(false, refDestructuringErrors); + if (this.type === types$1.comma && refDestructuringErrors && refDestructuringErrors.trailingComma < 0) { + refDestructuringErrors.trailingComma = this.start; + } + return this.finishNode(prop, "SpreadElement"); + } + if (this.options.ecmaVersion >= 6) { + prop.method = false; + prop.shorthand = false; + if (isPattern || refDestructuringErrors) { + startPos = this.start; + startLoc = this.startLoc; + } + if (!isPattern) { + isGenerator = this.eat(types$1.star); + } + } + var containsEsc = this.containsEsc; + this.parsePropertyName(prop); + if (!isPattern && !containsEsc && this.options.ecmaVersion >= 8 && !isGenerator && this.isAsyncProp(prop)) { + isAsync = true; + isGenerator = this.options.ecmaVersion >= 9 && this.eat(types$1.star); + this.parsePropertyName(prop, refDestructuringErrors); + } else { + isAsync = false; + } + this.parsePropertyValue(prop, isPattern, isGenerator, isAsync, startPos, startLoc, refDestructuringErrors, containsEsc); + return this.finishNode(prop, "Property"); + }; + pp$5.parsePropertyValue = function(prop, isPattern, isGenerator, isAsync, startPos, startLoc, refDestructuringErrors, containsEsc) { + if ((isGenerator || isAsync) && this.type === types$1.colon) { + this.unexpected(); + } + if (this.eat(types$1.colon)) { + prop.value = isPattern ? this.parseMaybeDefault(this.start, this.startLoc) : this.parseMaybeAssign(false, refDestructuringErrors); + prop.kind = "init"; + } else if (this.options.ecmaVersion >= 6 && this.type === types$1.parenL) { + if (isPattern) { + this.unexpected(); + } + prop.kind = "init"; + prop.method = true; + prop.value = this.parseMethod(isGenerator, isAsync); + } else if (!isPattern && !containsEsc && this.options.ecmaVersion >= 5 && !prop.computed && prop.key.type === "Identifier" && (prop.key.name === "get" || prop.key.name === "set") && (this.type !== types$1.comma && this.type !== types$1.braceR && this.type !== types$1.eq)) { + if (isGenerator || isAsync) { + this.unexpected(); + } + prop.kind = prop.key.name; + this.parsePropertyName(prop); + prop.value = this.parseMethod(false); + var paramCount = prop.kind === "get" ? 0 : 1; + if (prop.value.params.length !== paramCount) { + var start = prop.value.start; + if (prop.kind === "get") { + this.raiseRecoverable(start, "getter should have no params"); + } else { + this.raiseRecoverable(start, "setter should have exactly one param"); + } + } else { + if (prop.kind === "set" && prop.value.params[0].type === "RestElement") { + this.raiseRecoverable(prop.value.params[0].start, "Setter cannot use rest params"); + } + } + } else if (this.options.ecmaVersion >= 6 && !prop.computed && prop.key.type === "Identifier") { + if (isGenerator || isAsync) { + this.unexpected(); + } + this.checkUnreserved(prop.key); + if (prop.key.name === "await" && !this.awaitIdentPos) { + this.awaitIdentPos = startPos; + } + prop.kind = "init"; + if (isPattern) { + prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key)); + } else if (this.type === types$1.eq && refDestructuringErrors) { + if (refDestructuringErrors.shorthandAssign < 0) { + refDestructuringErrors.shorthandAssign = this.start; + } + prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key)); + } else { + prop.value = this.copyNode(prop.key); + } + prop.shorthand = true; + } else { + this.unexpected(); + } + }; + pp$5.parsePropertyName = function(prop) { + if (this.options.ecmaVersion >= 6) { + if (this.eat(types$1.bracketL)) { + prop.computed = true; + prop.key = this.parseMaybeAssign(); + this.expect(types$1.bracketR); + return prop.key; + } else { + prop.computed = false; + } + } + return prop.key = this.type === types$1.num || this.type === types$1.string ? this.parseExprAtom() : this.parseIdent(this.options.allowReserved !== "never"); + }; + pp$5.initFunction = function(node2) { + node2.id = null; + if (this.options.ecmaVersion >= 6) { + node2.generator = node2.expression = false; + } + if (this.options.ecmaVersion >= 8) { + node2.async = false; + } + }; + pp$5.parseMethod = function(isGenerator, isAsync, allowDirectSuper) { + var node2 = this.startNode(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos; + this.initFunction(node2); + if (this.options.ecmaVersion >= 6) { + node2.generator = isGenerator; + } + if (this.options.ecmaVersion >= 8) { + node2.async = !!isAsync; + } + this.yieldPos = 0; + this.awaitPos = 0; + this.awaitIdentPos = 0; + this.enterScope(functionFlags(isAsync, node2.generator) | SCOPE_SUPER | (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0)); + this.expect(types$1.parenL); + node2.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8); + this.checkYieldAwaitInDefaultParams(); + this.parseFunctionBody(node2, false, true, false); + this.yieldPos = oldYieldPos; + this.awaitPos = oldAwaitPos; + this.awaitIdentPos = oldAwaitIdentPos; + return this.finishNode(node2, "FunctionExpression"); + }; + pp$5.parseArrowExpression = function(node2, params, isAsync, forInit) { + var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos; + this.enterScope(functionFlags(isAsync, false) | SCOPE_ARROW); + this.initFunction(node2); + if (this.options.ecmaVersion >= 8) { + node2.async = !!isAsync; + } + this.yieldPos = 0; + this.awaitPos = 0; + this.awaitIdentPos = 0; + node2.params = this.toAssignableList(params, true); + this.parseFunctionBody(node2, true, false, forInit); + this.yieldPos = oldYieldPos; + this.awaitPos = oldAwaitPos; + this.awaitIdentPos = oldAwaitIdentPos; + return this.finishNode(node2, "ArrowFunctionExpression"); + }; + pp$5.parseFunctionBody = function(node2, isArrowFunction, isMethod, forInit) { + var isExpression = isArrowFunction && this.type !== types$1.braceL; + var oldStrict = this.strict, useStrict = false; + if (isExpression) { + node2.body = this.parseMaybeAssign(forInit); + node2.expression = true; + this.checkParams(node2, false); + } else { + var nonSimple = this.options.ecmaVersion >= 7 && !this.isSimpleParamList(node2.params); + if (!oldStrict || nonSimple) { + useStrict = this.strictDirective(this.end); + if (useStrict && nonSimple) { + this.raiseRecoverable(node2.start, "Illegal 'use strict' directive in function with non-simple parameter list"); + } + } + var oldLabels = this.labels; + this.labels = []; + if (useStrict) { + this.strict = true; + } + this.checkParams(node2, !oldStrict && !useStrict && !isArrowFunction && !isMethod && this.isSimpleParamList(node2.params)); + if (this.strict && node2.id) { + this.checkLValSimple(node2.id, BIND_OUTSIDE); + } + node2.body = this.parseBlock(false, void 0, useStrict && !oldStrict); + node2.expression = false; + this.adaptDirectivePrologue(node2.body.body); + this.labels = oldLabels; + } + this.exitScope(); + }; + pp$5.isSimpleParamList = function(params) { + for (var i = 0, list = params; i < list.length; i += 1) { + var param = list[i]; + if (param.type !== "Identifier") { + return false; + } + } + return true; + }; + pp$5.checkParams = function(node2, allowDuplicates) { + var nameHash = /* @__PURE__ */ Object.create(null); + for (var i = 0, list = node2.params; i < list.length; i += 1) { + var param = list[i]; + this.checkLValInnerPattern(param, BIND_VAR, allowDuplicates ? null : nameHash); + } + }; + pp$5.parseExprList = function(close, allowTrailingComma, allowEmpty, refDestructuringErrors) { + var elts = [], first = true; + while (!this.eat(close)) { + if (!first) { + this.expect(types$1.comma); + if (allowTrailingComma && this.afterTrailingComma(close)) { + break; + } + } else { + first = false; + } + var elt = void 0; + if (allowEmpty && this.type === types$1.comma) { + elt = null; + } else if (this.type === types$1.ellipsis) { + elt = this.parseSpread(refDestructuringErrors); + if (refDestructuringErrors && this.type === types$1.comma && refDestructuringErrors.trailingComma < 0) { + refDestructuringErrors.trailingComma = this.start; + } + } else { + elt = this.parseMaybeAssign(false, refDestructuringErrors); + } + elts.push(elt); + } + return elts; + }; + pp$5.checkUnreserved = function(ref2) { + var start = ref2.start; + var end = ref2.end; + var name = ref2.name; + if (this.inGenerator && name === "yield") { + this.raiseRecoverable(start, "Cannot use 'yield' as identifier inside a generator"); + } + if (this.inAsync && name === "await") { + this.raiseRecoverable(start, "Cannot use 'await' as identifier inside an async function"); + } + if (this.currentThisScope().inClassFieldInit && name === "arguments") { + this.raiseRecoverable(start, "Cannot use 'arguments' in class field initializer"); + } + if (this.inClassStaticBlock && (name === "arguments" || name === "await")) { + this.raise(start, "Cannot use " + name + " in class static initialization block"); + } + if (this.keywords.test(name)) { + this.raise(start, "Unexpected keyword '" + name + "'"); + } + if (this.options.ecmaVersion < 6 && this.input.slice(start, end).indexOf("\\") !== -1) { + return; + } + var re2 = this.strict ? this.reservedWordsStrict : this.reservedWords; + if (re2.test(name)) { + if (!this.inAsync && name === "await") { + this.raiseRecoverable(start, "Cannot use keyword 'await' outside an async function"); + } + this.raiseRecoverable(start, "The keyword '" + name + "' is reserved"); + } + }; + pp$5.parseIdent = function(liberal, isBinding) { + var node2 = this.startNode(); + if (this.type === types$1.name) { + node2.name = this.value; + } else if (this.type.keyword) { + node2.name = this.type.keyword; + if ((node2.name === "class" || node2.name === "function") && (this.lastTokEnd !== this.lastTokStart + 1 || this.input.charCodeAt(this.lastTokStart) !== 46)) { + this.context.pop(); + } + } else { + this.unexpected(); + } + this.next(!!liberal); + this.finishNode(node2, "Identifier"); + if (!liberal) { + this.checkUnreserved(node2); + if (node2.name === "await" && !this.awaitIdentPos) { + this.awaitIdentPos = node2.start; + } + } + return node2; + }; + pp$5.parsePrivateIdent = function() { + var node2 = this.startNode(); + if (this.type === types$1.privateId) { + node2.name = this.value; + } else { + this.unexpected(); + } + this.next(); + this.finishNode(node2, "PrivateIdentifier"); + if (this.privateNameStack.length === 0) { + this.raise(node2.start, "Private field '#" + node2.name + "' must be declared in an enclosing class"); + } else { + this.privateNameStack[this.privateNameStack.length - 1].used.push(node2); + } + return node2; + }; + pp$5.parseYield = function(forInit) { + if (!this.yieldPos) { + this.yieldPos = this.start; + } + var node2 = this.startNode(); + this.next(); + if (this.type === types$1.semi || this.canInsertSemicolon() || this.type !== types$1.star && !this.type.startsExpr) { + node2.delegate = false; + node2.argument = null; + } else { + node2.delegate = this.eat(types$1.star); + node2.argument = this.parseMaybeAssign(forInit); + } + return this.finishNode(node2, "YieldExpression"); + }; + pp$5.parseAwait = function(forInit) { + if (!this.awaitPos) { + this.awaitPos = this.start; + } + var node2 = this.startNode(); + this.next(); + node2.argument = this.parseMaybeUnary(null, true, false, forInit); + return this.finishNode(node2, "AwaitExpression"); + }; + var pp$4 = Parser.prototype; + pp$4.raise = function(pos, message) { + var loc = getLineInfo(this.input, pos); + message += " (" + loc.line + ":" + loc.column + ")"; + var err = new SyntaxError(message); + err.pos = pos; + err.loc = loc; + err.raisedAt = this.pos; + throw err; + }; + pp$4.raiseRecoverable = pp$4.raise; + pp$4.curPosition = function() { + if (this.options.locations) { + return new Position(this.curLine, this.pos - this.lineStart); + } + }; + var pp$3 = Parser.prototype; + var Scope = function Scope2(flags) { + this.flags = flags; + this.var = []; + this.lexical = []; + this.functions = []; + this.inClassFieldInit = false; + }; + pp$3.enterScope = function(flags) { + this.scopeStack.push(new Scope(flags)); + }; + pp$3.exitScope = function() { + this.scopeStack.pop(); + }; + pp$3.treatFunctionsAsVarInScope = function(scope2) { + return scope2.flags & SCOPE_FUNCTION || !this.inModule && scope2.flags & SCOPE_TOP; + }; + pp$3.declareName = function(name, bindingType, pos) { + var redeclared = false; + if (bindingType === BIND_LEXICAL) { + var scope2 = this.currentScope(); + redeclared = scope2.lexical.indexOf(name) > -1 || scope2.functions.indexOf(name) > -1 || scope2.var.indexOf(name) > -1; + scope2.lexical.push(name); + if (this.inModule && scope2.flags & SCOPE_TOP) { + delete this.undefinedExports[name]; + } + } else if (bindingType === BIND_SIMPLE_CATCH) { + var scope$1 = this.currentScope(); + scope$1.lexical.push(name); + } else if (bindingType === BIND_FUNCTION) { + var scope$2 = this.currentScope(); + if (this.treatFunctionsAsVar) { + redeclared = scope$2.lexical.indexOf(name) > -1; + } else { + redeclared = scope$2.lexical.indexOf(name) > -1 || scope$2.var.indexOf(name) > -1; + } + scope$2.functions.push(name); + } else { + for (var i = this.scopeStack.length - 1; i >= 0; --i) { + var scope$3 = this.scopeStack[i]; + if (scope$3.lexical.indexOf(name) > -1 && !(scope$3.flags & SCOPE_SIMPLE_CATCH && scope$3.lexical[0] === name) || !this.treatFunctionsAsVarInScope(scope$3) && scope$3.functions.indexOf(name) > -1) { + redeclared = true; + break; + } + scope$3.var.push(name); + if (this.inModule && scope$3.flags & SCOPE_TOP) { + delete this.undefinedExports[name]; + } + if (scope$3.flags & SCOPE_VAR) { + break; + } + } + } + if (redeclared) { + this.raiseRecoverable(pos, "Identifier '" + name + "' has already been declared"); + } + }; + pp$3.checkLocalExport = function(id2) { + if (this.scopeStack[0].lexical.indexOf(id2.name) === -1 && this.scopeStack[0].var.indexOf(id2.name) === -1) { + this.undefinedExports[id2.name] = id2; + } + }; + pp$3.currentScope = function() { + return this.scopeStack[this.scopeStack.length - 1]; + }; + pp$3.currentVarScope = function() { + for (var i = this.scopeStack.length - 1; ; i--) { + var scope2 = this.scopeStack[i]; + if (scope2.flags & SCOPE_VAR) { + return scope2; + } + } + }; + pp$3.currentThisScope = function() { + for (var i = this.scopeStack.length - 1; ; i--) { + var scope2 = this.scopeStack[i]; + if (scope2.flags & SCOPE_VAR && !(scope2.flags & SCOPE_ARROW)) { + return scope2; + } + } + }; + var Node = function Node2(parser, pos, loc) { + this.type = ""; + this.start = pos; + this.end = 0; + if (parser.options.locations) { + this.loc = new SourceLocation(parser, loc); + } + if (parser.options.directSourceFile) { + this.sourceFile = parser.options.directSourceFile; + } + if (parser.options.ranges) { + this.range = [pos, 0]; + } + }; + var pp$2 = Parser.prototype; + pp$2.startNode = function() { + return new Node(this, this.start, this.startLoc); + }; + pp$2.startNodeAt = function(pos, loc) { + return new Node(this, pos, loc); + }; + function finishNodeAt(node2, type, pos, loc) { + node2.type = type; + node2.end = pos; + if (this.options.locations) { + node2.loc.end = loc; + } + if (this.options.ranges) { + node2.range[1] = pos; + } + return node2; + } + pp$2.finishNode = function(node2, type) { + return finishNodeAt.call(this, node2, type, this.lastTokEnd, this.lastTokEndLoc); + }; + pp$2.finishNodeAt = function(node2, type, pos, loc) { + return finishNodeAt.call(this, node2, type, pos, loc); + }; + pp$2.copyNode = function(node2) { + var newNode = new Node(this, node2.start, this.startLoc); + for (var prop in node2) { + newNode[prop] = node2[prop]; + } + return newNode; + }; + var ecma9BinaryProperties = "ASCII ASCII_Hex_Digit AHex Alphabetic Alpha Any Assigned Bidi_Control Bidi_C Bidi_Mirrored Bidi_M Case_Ignorable CI Cased Changes_When_Casefolded CWCF Changes_When_Casemapped CWCM Changes_When_Lowercased CWL Changes_When_NFKC_Casefolded CWKCF Changes_When_Titlecased CWT Changes_When_Uppercased CWU Dash Default_Ignorable_Code_Point DI Deprecated Dep Diacritic Dia Emoji Emoji_Component Emoji_Modifier Emoji_Modifier_Base Emoji_Presentation Extender Ext Grapheme_Base Gr_Base Grapheme_Extend Gr_Ext Hex_Digit Hex IDS_Binary_Operator IDSB IDS_Trinary_Operator IDST ID_Continue IDC ID_Start IDS Ideographic Ideo Join_Control Join_C Logical_Order_Exception LOE Lowercase Lower Math Noncharacter_Code_Point NChar Pattern_Syntax Pat_Syn Pattern_White_Space Pat_WS Quotation_Mark QMark Radical Regional_Indicator RI Sentence_Terminal STerm Soft_Dotted SD Terminal_Punctuation Term Unified_Ideograph UIdeo Uppercase Upper Variation_Selector VS White_Space space XID_Continue XIDC XID_Start XIDS"; + var ecma10BinaryProperties = ecma9BinaryProperties + " Extended_Pictographic"; + var ecma11BinaryProperties = ecma10BinaryProperties; + var ecma12BinaryProperties = ecma11BinaryProperties + " EBase EComp EMod EPres ExtPict"; + var ecma13BinaryProperties = ecma12BinaryProperties; + var unicodeBinaryProperties = { + 9: ecma9BinaryProperties, + 10: ecma10BinaryProperties, + 11: ecma11BinaryProperties, + 12: ecma12BinaryProperties, + 13: ecma13BinaryProperties + }; + var unicodeGeneralCategoryValues = "Cased_Letter LC Close_Punctuation Pe Connector_Punctuation Pc Control Cc cntrl Currency_Symbol Sc Dash_Punctuation Pd Decimal_Number Nd digit Enclosing_Mark Me Final_Punctuation Pf Format Cf Initial_Punctuation Pi Letter L Letter_Number Nl Line_Separator Zl Lowercase_Letter Ll Mark M Combining_Mark Math_Symbol Sm Modifier_Letter Lm Modifier_Symbol Sk Nonspacing_Mark Mn Number N Open_Punctuation Ps Other C Other_Letter Lo Other_Number No Other_Punctuation Po Other_Symbol So Paragraph_Separator Zp Private_Use Co Punctuation P punct Separator Z Space_Separator Zs Spacing_Mark Mc Surrogate Cs Symbol S Titlecase_Letter Lt Unassigned Cn Uppercase_Letter Lu"; + var ecma9ScriptValues = "Adlam Adlm Ahom Anatolian_Hieroglyphs Hluw Arabic Arab Armenian Armn Avestan Avst Balinese Bali Bamum Bamu Bassa_Vah Bass Batak Batk Bengali Beng Bhaiksuki Bhks Bopomofo Bopo Brahmi Brah Braille Brai Buginese Bugi Buhid Buhd Canadian_Aboriginal Cans Carian Cari Caucasian_Albanian Aghb Chakma Cakm Cham Cham Cherokee Cher Common Zyyy Coptic Copt Qaac Cuneiform Xsux Cypriot Cprt Cyrillic Cyrl Deseret Dsrt Devanagari Deva Duployan Dupl Egyptian_Hieroglyphs Egyp Elbasan Elba Ethiopic Ethi Georgian Geor Glagolitic Glag Gothic Goth Grantha Gran Greek Grek Gujarati Gujr Gurmukhi Guru Han Hani Hangul Hang Hanunoo Hano Hatran Hatr Hebrew Hebr Hiragana Hira Imperial_Aramaic Armi Inherited Zinh Qaai Inscriptional_Pahlavi Phli Inscriptional_Parthian Prti Javanese Java Kaithi Kthi Kannada Knda Katakana Kana Kayah_Li Kali Kharoshthi Khar Khmer Khmr Khojki Khoj Khudawadi Sind Lao Laoo Latin Latn Lepcha Lepc Limbu Limb Linear_A Lina Linear_B Linb Lisu Lisu Lycian Lyci Lydian Lydi Mahajani Mahj Malayalam Mlym Mandaic Mand Manichaean Mani Marchen Marc Masaram_Gondi Gonm Meetei_Mayek Mtei Mende_Kikakui Mend Meroitic_Cursive Merc Meroitic_Hieroglyphs Mero Miao Plrd Modi Mongolian Mong Mro Mroo Multani Mult Myanmar Mymr Nabataean Nbat New_Tai_Lue Talu Newa Newa Nko Nkoo Nushu Nshu Ogham Ogam Ol_Chiki Olck Old_Hungarian Hung Old_Italic Ital Old_North_Arabian Narb Old_Permic Perm Old_Persian Xpeo Old_South_Arabian Sarb Old_Turkic Orkh Oriya Orya Osage Osge Osmanya Osma Pahawh_Hmong Hmng Palmyrene Palm Pau_Cin_Hau Pauc Phags_Pa Phag Phoenician Phnx Psalter_Pahlavi Phlp Rejang Rjng Runic Runr Samaritan Samr Saurashtra Saur Sharada Shrd Shavian Shaw Siddham Sidd SignWriting Sgnw Sinhala Sinh Sora_Sompeng Sora Soyombo Soyo Sundanese Sund Syloti_Nagri Sylo Syriac Syrc Tagalog Tglg Tagbanwa Tagb Tai_Le Tale Tai_Tham Lana Tai_Viet Tavt Takri Takr Tamil Taml Tangut Tang Telugu Telu Thaana Thaa Thai Thai Tibetan Tibt Tifinagh Tfng Tirhuta Tirh Ugaritic Ugar Vai Vaii Warang_Citi Wara Yi Yiii Zanabazar_Square Zanb"; + var ecma10ScriptValues = ecma9ScriptValues + " Dogra Dogr Gunjala_Gondi Gong Hanifi_Rohingya Rohg Makasar Maka Medefaidrin Medf Old_Sogdian Sogo Sogdian Sogd"; + var ecma11ScriptValues = ecma10ScriptValues + " Elymaic Elym Nandinagari Nand Nyiakeng_Puachue_Hmong Hmnp Wancho Wcho"; + var ecma12ScriptValues = ecma11ScriptValues + " Chorasmian Chrs Diak Dives_Akuru Khitan_Small_Script Kits Yezi Yezidi"; + var ecma13ScriptValues = ecma12ScriptValues + " Cypro_Minoan Cpmn Old_Uyghur Ougr Tangsa Tnsa Toto Vithkuqi Vith"; + var unicodeScriptValues = { + 9: ecma9ScriptValues, + 10: ecma10ScriptValues, + 11: ecma11ScriptValues, + 12: ecma12ScriptValues, + 13: ecma13ScriptValues + }; + var data = {}; + function buildUnicodeData(ecmaVersion) { + var d = data[ecmaVersion] = { + binary: wordsRegexp(unicodeBinaryProperties[ecmaVersion] + " " + unicodeGeneralCategoryValues), + nonBinary: { + General_Category: wordsRegexp(unicodeGeneralCategoryValues), + Script: wordsRegexp(unicodeScriptValues[ecmaVersion]) + } + }; + d.nonBinary.Script_Extensions = d.nonBinary.Script; + d.nonBinary.gc = d.nonBinary.General_Category; + d.nonBinary.sc = d.nonBinary.Script; + d.nonBinary.scx = d.nonBinary.Script_Extensions; + } + for (i = 0, list = [9, 10, 11, 12, 13]; i < list.length; i += 1) { + ecmaVersion = list[i]; + buildUnicodeData(ecmaVersion); + } + var ecmaVersion; + var i; + var list; + var pp$1 = Parser.prototype; + var RegExpValidationState = function RegExpValidationState2(parser) { + this.parser = parser; + this.validFlags = "gim" + (parser.options.ecmaVersion >= 6 ? "uy" : "") + (parser.options.ecmaVersion >= 9 ? "s" : "") + (parser.options.ecmaVersion >= 13 ? "d" : ""); + this.unicodeProperties = data[parser.options.ecmaVersion >= 13 ? 13 : parser.options.ecmaVersion]; + this.source = ""; + this.flags = ""; + this.start = 0; + this.switchU = false; + this.switchN = false; + this.pos = 0; + this.lastIntValue = 0; + this.lastStringValue = ""; + this.lastAssertionIsQuantifiable = false; + this.numCapturingParens = 0; + this.maxBackReference = 0; + this.groupNames = []; + this.backReferenceNames = []; + }; + RegExpValidationState.prototype.reset = function reset(start, pattern, flags) { + var unicode = flags.indexOf("u") !== -1; + this.start = start | 0; + this.source = pattern + ""; + this.flags = flags; + this.switchU = unicode && this.parser.options.ecmaVersion >= 6; + this.switchN = unicode && this.parser.options.ecmaVersion >= 9; + }; + RegExpValidationState.prototype.raise = function raise(message) { + this.parser.raiseRecoverable(this.start, "Invalid regular expression: /" + this.source + "/: " + message); + }; + RegExpValidationState.prototype.at = function at(i, forceU) { + if (forceU === void 0) + forceU = false; + var s = this.source; + var l = s.length; + if (i >= l) { + return -1; + } + var c2 = s.charCodeAt(i); + if (!(forceU || this.switchU) || c2 <= 55295 || c2 >= 57344 || i + 1 >= l) { + return c2; + } + var next = s.charCodeAt(i + 1); + return next >= 56320 && next <= 57343 ? (c2 << 10) + next - 56613888 : c2; + }; + RegExpValidationState.prototype.nextIndex = function nextIndex(i, forceU) { + if (forceU === void 0) + forceU = false; + var s = this.source; + var l = s.length; + if (i >= l) { + return l; + } + var c2 = s.charCodeAt(i), next; + if (!(forceU || this.switchU) || c2 <= 55295 || c2 >= 57344 || i + 1 >= l || (next = s.charCodeAt(i + 1)) < 56320 || next > 57343) { + return i + 1; + } + return i + 2; + }; + RegExpValidationState.prototype.current = function current(forceU) { + if (forceU === void 0) + forceU = false; + return this.at(this.pos, forceU); + }; + RegExpValidationState.prototype.lookahead = function lookahead(forceU) { + if (forceU === void 0) + forceU = false; + return this.at(this.nextIndex(this.pos, forceU), forceU); + }; + RegExpValidationState.prototype.advance = function advance(forceU) { + if (forceU === void 0) + forceU = false; + this.pos = this.nextIndex(this.pos, forceU); + }; + RegExpValidationState.prototype.eat = function eat(ch, forceU) { + if (forceU === void 0) + forceU = false; + if (this.current(forceU) === ch) { + this.advance(forceU); + return true; + } + return false; + }; + pp$1.validateRegExpFlags = function(state) { + var validFlags = state.validFlags; + var flags = state.flags; + for (var i = 0; i < flags.length; i++) { + var flag = flags.charAt(i); + if (validFlags.indexOf(flag) === -1) { + this.raise(state.start, "Invalid regular expression flag"); + } + if (flags.indexOf(flag, i + 1) > -1) { + this.raise(state.start, "Duplicate regular expression flag"); + } + } + }; + pp$1.validateRegExpPattern = function(state) { + this.regexp_pattern(state); + if (!state.switchN && this.options.ecmaVersion >= 9 && state.groupNames.length > 0) { + state.switchN = true; + this.regexp_pattern(state); + } + }; + pp$1.regexp_pattern = function(state) { + state.pos = 0; + state.lastIntValue = 0; + state.lastStringValue = ""; + state.lastAssertionIsQuantifiable = false; + state.numCapturingParens = 0; + state.maxBackReference = 0; + state.groupNames.length = 0; + state.backReferenceNames.length = 0; + this.regexp_disjunction(state); + if (state.pos !== state.source.length) { + if (state.eat( + 41 + /* ) */ + )) { + state.raise("Unmatched ')'"); + } + if (state.eat( + 93 + /* ] */ + ) || state.eat( + 125 + /* } */ + )) { + state.raise("Lone quantifier brackets"); + } + } + if (state.maxBackReference > state.numCapturingParens) { + state.raise("Invalid escape"); + } + for (var i = 0, list = state.backReferenceNames; i < list.length; i += 1) { + var name = list[i]; + if (state.groupNames.indexOf(name) === -1) { + state.raise("Invalid named capture referenced"); + } + } + }; + pp$1.regexp_disjunction = function(state) { + this.regexp_alternative(state); + while (state.eat( + 124 + /* | */ + )) { + this.regexp_alternative(state); + } + if (this.regexp_eatQuantifier(state, true)) { + state.raise("Nothing to repeat"); + } + if (state.eat( + 123 + /* { */ + )) { + state.raise("Lone quantifier brackets"); + } + }; + pp$1.regexp_alternative = function(state) { + while (state.pos < state.source.length && this.regexp_eatTerm(state)) { + } + }; + pp$1.regexp_eatTerm = function(state) { + if (this.regexp_eatAssertion(state)) { + if (state.lastAssertionIsQuantifiable && this.regexp_eatQuantifier(state)) { + if (state.switchU) { + state.raise("Invalid quantifier"); + } + } + return true; + } + if (state.switchU ? this.regexp_eatAtom(state) : this.regexp_eatExtendedAtom(state)) { + this.regexp_eatQuantifier(state); + return true; + } + return false; + }; + pp$1.regexp_eatAssertion = function(state) { + var start = state.pos; + state.lastAssertionIsQuantifiable = false; + if (state.eat( + 94 + /* ^ */ + ) || state.eat( + 36 + /* $ */ + )) { + return true; + } + if (state.eat( + 92 + /* \ */ + )) { + if (state.eat( + 66 + /* B */ + ) || state.eat( + 98 + /* b */ + )) { + return true; + } + state.pos = start; + } + if (state.eat( + 40 + /* ( */ + ) && state.eat( + 63 + /* ? */ + )) { + var lookbehind = false; + if (this.options.ecmaVersion >= 9) { + lookbehind = state.eat( + 60 + /* < */ + ); + } + if (state.eat( + 61 + /* = */ + ) || state.eat( + 33 + /* ! */ + )) { + this.regexp_disjunction(state); + if (!state.eat( + 41 + /* ) */ + )) { + state.raise("Unterminated group"); + } + state.lastAssertionIsQuantifiable = !lookbehind; + return true; + } + } + state.pos = start; + return false; + }; + pp$1.regexp_eatQuantifier = function(state, noError) { + if (noError === void 0) + noError = false; + if (this.regexp_eatQuantifierPrefix(state, noError)) { + state.eat( + 63 + /* ? */ + ); + return true; + } + return false; + }; + pp$1.regexp_eatQuantifierPrefix = function(state, noError) { + return state.eat( + 42 + /* * */ + ) || state.eat( + 43 + /* + */ + ) || state.eat( + 63 + /* ? */ + ) || this.regexp_eatBracedQuantifier(state, noError); + }; + pp$1.regexp_eatBracedQuantifier = function(state, noError) { + var start = state.pos; + if (state.eat( + 123 + /* { */ + )) { + var min = 0, max = -1; + if (this.regexp_eatDecimalDigits(state)) { + min = state.lastIntValue; + if (state.eat( + 44 + /* , */ + ) && this.regexp_eatDecimalDigits(state)) { + max = state.lastIntValue; + } + if (state.eat( + 125 + /* } */ + )) { + if (max !== -1 && max < min && !noError) { + state.raise("numbers out of order in {} quantifier"); + } + return true; + } + } + if (state.switchU && !noError) { + state.raise("Incomplete quantifier"); + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatAtom = function(state) { + return this.regexp_eatPatternCharacters(state) || state.eat( + 46 + /* . */ + ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state); + }; + pp$1.regexp_eatReverseSolidusAtomEscape = function(state) { + var start = state.pos; + if (state.eat( + 92 + /* \ */ + )) { + if (this.regexp_eatAtomEscape(state)) { + return true; + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatUncapturingGroup = function(state) { + var start = state.pos; + if (state.eat( + 40 + /* ( */ + )) { + if (state.eat( + 63 + /* ? */ + ) && state.eat( + 58 + /* : */ + )) { + this.regexp_disjunction(state); + if (state.eat( + 41 + /* ) */ + )) { + return true; + } + state.raise("Unterminated group"); + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatCapturingGroup = function(state) { + if (state.eat( + 40 + /* ( */ + )) { + if (this.options.ecmaVersion >= 9) { + this.regexp_groupSpecifier(state); + } else if (state.current() === 63) { + state.raise("Invalid group"); + } + this.regexp_disjunction(state); + if (state.eat( + 41 + /* ) */ + )) { + state.numCapturingParens += 1; + return true; + } + state.raise("Unterminated group"); + } + return false; + }; + pp$1.regexp_eatExtendedAtom = function(state) { + return state.eat( + 46 + /* . */ + ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state) || this.regexp_eatInvalidBracedQuantifier(state) || this.regexp_eatExtendedPatternCharacter(state); + }; + pp$1.regexp_eatInvalidBracedQuantifier = function(state) { + if (this.regexp_eatBracedQuantifier(state, true)) { + state.raise("Nothing to repeat"); + } + return false; + }; + pp$1.regexp_eatSyntaxCharacter = function(state) { + var ch = state.current(); + if (isSyntaxCharacter(ch)) { + state.lastIntValue = ch; + state.advance(); + return true; + } + return false; + }; + function isSyntaxCharacter(ch) { + return ch === 36 || ch >= 40 && ch <= 43 || ch === 46 || ch === 63 || ch >= 91 && ch <= 94 || ch >= 123 && ch <= 125; + } + pp$1.regexp_eatPatternCharacters = function(state) { + var start = state.pos; + var ch = 0; + while ((ch = state.current()) !== -1 && !isSyntaxCharacter(ch)) { + state.advance(); + } + return state.pos !== start; + }; + pp$1.regexp_eatExtendedPatternCharacter = function(state) { + var ch = state.current(); + if (ch !== -1 && ch !== 36 && !(ch >= 40 && ch <= 43) && ch !== 46 && ch !== 63 && ch !== 91 && ch !== 94 && ch !== 124) { + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_groupSpecifier = function(state) { + if (state.eat( + 63 + /* ? */ + )) { + if (this.regexp_eatGroupName(state)) { + if (state.groupNames.indexOf(state.lastStringValue) !== -1) { + state.raise("Duplicate capture group name"); + } + state.groupNames.push(state.lastStringValue); + return; + } + state.raise("Invalid group"); + } + }; + pp$1.regexp_eatGroupName = function(state) { + state.lastStringValue = ""; + if (state.eat( + 60 + /* < */ + )) { + if (this.regexp_eatRegExpIdentifierName(state) && state.eat( + 62 + /* > */ + )) { + return true; + } + state.raise("Invalid capture group name"); + } + return false; + }; + pp$1.regexp_eatRegExpIdentifierName = function(state) { + state.lastStringValue = ""; + if (this.regexp_eatRegExpIdentifierStart(state)) { + state.lastStringValue += codePointToString(state.lastIntValue); + while (this.regexp_eatRegExpIdentifierPart(state)) { + state.lastStringValue += codePointToString(state.lastIntValue); + } + return true; + } + return false; + }; + pp$1.regexp_eatRegExpIdentifierStart = function(state) { + var start = state.pos; + var forceU = this.options.ecmaVersion >= 11; + var ch = state.current(forceU); + state.advance(forceU); + if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) { + ch = state.lastIntValue; + } + if (isRegExpIdentifierStart(ch)) { + state.lastIntValue = ch; + return true; + } + state.pos = start; + return false; + }; + function isRegExpIdentifierStart(ch) { + return isIdentifierStart(ch, true) || ch === 36 || ch === 95; + } + pp$1.regexp_eatRegExpIdentifierPart = function(state) { + var start = state.pos; + var forceU = this.options.ecmaVersion >= 11; + var ch = state.current(forceU); + state.advance(forceU); + if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) { + ch = state.lastIntValue; + } + if (isRegExpIdentifierPart(ch)) { + state.lastIntValue = ch; + return true; + } + state.pos = start; + return false; + }; + function isRegExpIdentifierPart(ch) { + return isIdentifierChar(ch, true) || ch === 36 || ch === 95 || ch === 8204 || ch === 8205; + } + pp$1.regexp_eatAtomEscape = function(state) { + if (this.regexp_eatBackReference(state) || this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state) || state.switchN && this.regexp_eatKGroupName(state)) { + return true; + } + if (state.switchU) { + if (state.current() === 99) { + state.raise("Invalid unicode escape"); + } + state.raise("Invalid escape"); + } + return false; + }; + pp$1.regexp_eatBackReference = function(state) { + var start = state.pos; + if (this.regexp_eatDecimalEscape(state)) { + var n2 = state.lastIntValue; + if (state.switchU) { + if (n2 > state.maxBackReference) { + state.maxBackReference = n2; + } + return true; + } + if (n2 <= state.numCapturingParens) { + return true; + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatKGroupName = function(state) { + if (state.eat( + 107 + /* k */ + )) { + if (this.regexp_eatGroupName(state)) { + state.backReferenceNames.push(state.lastStringValue); + return true; + } + state.raise("Invalid named reference"); + } + return false; + }; + pp$1.regexp_eatCharacterEscape = function(state) { + return this.regexp_eatControlEscape(state) || this.regexp_eatCControlLetter(state) || this.regexp_eatZero(state) || this.regexp_eatHexEscapeSequence(state) || this.regexp_eatRegExpUnicodeEscapeSequence(state, false) || !state.switchU && this.regexp_eatLegacyOctalEscapeSequence(state) || this.regexp_eatIdentityEscape(state); + }; + pp$1.regexp_eatCControlLetter = function(state) { + var start = state.pos; + if (state.eat( + 99 + /* c */ + )) { + if (this.regexp_eatControlLetter(state)) { + return true; + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatZero = function(state) { + if (state.current() === 48 && !isDecimalDigit(state.lookahead())) { + state.lastIntValue = 0; + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_eatControlEscape = function(state) { + var ch = state.current(); + if (ch === 116) { + state.lastIntValue = 9; + state.advance(); + return true; + } + if (ch === 110) { + state.lastIntValue = 10; + state.advance(); + return true; + } + if (ch === 118) { + state.lastIntValue = 11; + state.advance(); + return true; + } + if (ch === 102) { + state.lastIntValue = 12; + state.advance(); + return true; + } + if (ch === 114) { + state.lastIntValue = 13; + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_eatControlLetter = function(state) { + var ch = state.current(); + if (isControlLetter(ch)) { + state.lastIntValue = ch % 32; + state.advance(); + return true; + } + return false; + }; + function isControlLetter(ch) { + return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122; + } + pp$1.regexp_eatRegExpUnicodeEscapeSequence = function(state, forceU) { + if (forceU === void 0) + forceU = false; + var start = state.pos; + var switchU = forceU || state.switchU; + if (state.eat( + 117 + /* u */ + )) { + if (this.regexp_eatFixedHexDigits(state, 4)) { + var lead = state.lastIntValue; + if (switchU && lead >= 55296 && lead <= 56319) { + var leadSurrogateEnd = state.pos; + if (state.eat( + 92 + /* \ */ + ) && state.eat( + 117 + /* u */ + ) && this.regexp_eatFixedHexDigits(state, 4)) { + var trail = state.lastIntValue; + if (trail >= 56320 && trail <= 57343) { + state.lastIntValue = (lead - 55296) * 1024 + (trail - 56320) + 65536; + return true; + } + } + state.pos = leadSurrogateEnd; + state.lastIntValue = lead; + } + return true; + } + if (switchU && state.eat( + 123 + /* { */ + ) && this.regexp_eatHexDigits(state) && state.eat( + 125 + /* } */ + ) && isValidUnicode(state.lastIntValue)) { + return true; + } + if (switchU) { + state.raise("Invalid unicode escape"); + } + state.pos = start; + } + return false; + }; + function isValidUnicode(ch) { + return ch >= 0 && ch <= 1114111; + } + pp$1.regexp_eatIdentityEscape = function(state) { + if (state.switchU) { + if (this.regexp_eatSyntaxCharacter(state)) { + return true; + } + if (state.eat( + 47 + /* / */ + )) { + state.lastIntValue = 47; + return true; + } + return false; + } + var ch = state.current(); + if (ch !== 99 && (!state.switchN || ch !== 107)) { + state.lastIntValue = ch; + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_eatDecimalEscape = function(state) { + state.lastIntValue = 0; + var ch = state.current(); + if (ch >= 49 && ch <= 57) { + do { + state.lastIntValue = 10 * state.lastIntValue + (ch - 48); + state.advance(); + } while ((ch = state.current()) >= 48 && ch <= 57); + return true; + } + return false; + }; + pp$1.regexp_eatCharacterClassEscape = function(state) { + var ch = state.current(); + if (isCharacterClassEscape(ch)) { + state.lastIntValue = -1; + state.advance(); + return true; + } + if (state.switchU && this.options.ecmaVersion >= 9 && (ch === 80 || ch === 112)) { + state.lastIntValue = -1; + state.advance(); + if (state.eat( + 123 + /* { */ + ) && this.regexp_eatUnicodePropertyValueExpression(state) && state.eat( + 125 + /* } */ + )) { + return true; + } + state.raise("Invalid property name"); + } + return false; + }; + function isCharacterClassEscape(ch) { + return ch === 100 || ch === 68 || ch === 115 || ch === 83 || ch === 119 || ch === 87; + } + pp$1.regexp_eatUnicodePropertyValueExpression = function(state) { + var start = state.pos; + if (this.regexp_eatUnicodePropertyName(state) && state.eat( + 61 + /* = */ + )) { + var name = state.lastStringValue; + if (this.regexp_eatUnicodePropertyValue(state)) { + var value2 = state.lastStringValue; + this.regexp_validateUnicodePropertyNameAndValue(state, name, value2); + return true; + } + } + state.pos = start; + if (this.regexp_eatLoneUnicodePropertyNameOrValue(state)) { + var nameOrValue = state.lastStringValue; + this.regexp_validateUnicodePropertyNameOrValue(state, nameOrValue); + return true; + } + return false; + }; + pp$1.regexp_validateUnicodePropertyNameAndValue = function(state, name, value2) { + if (!hasOwn(state.unicodeProperties.nonBinary, name)) { + state.raise("Invalid property name"); + } + if (!state.unicodeProperties.nonBinary[name].test(value2)) { + state.raise("Invalid property value"); + } + }; + pp$1.regexp_validateUnicodePropertyNameOrValue = function(state, nameOrValue) { + if (!state.unicodeProperties.binary.test(nameOrValue)) { + state.raise("Invalid property name"); + } + }; + pp$1.regexp_eatUnicodePropertyName = function(state) { + var ch = 0; + state.lastStringValue = ""; + while (isUnicodePropertyNameCharacter(ch = state.current())) { + state.lastStringValue += codePointToString(ch); + state.advance(); + } + return state.lastStringValue !== ""; + }; + function isUnicodePropertyNameCharacter(ch) { + return isControlLetter(ch) || ch === 95; + } + pp$1.regexp_eatUnicodePropertyValue = function(state) { + var ch = 0; + state.lastStringValue = ""; + while (isUnicodePropertyValueCharacter(ch = state.current())) { + state.lastStringValue += codePointToString(ch); + state.advance(); + } + return state.lastStringValue !== ""; + }; + function isUnicodePropertyValueCharacter(ch) { + return isUnicodePropertyNameCharacter(ch) || isDecimalDigit(ch); + } + pp$1.regexp_eatLoneUnicodePropertyNameOrValue = function(state) { + return this.regexp_eatUnicodePropertyValue(state); + }; + pp$1.regexp_eatCharacterClass = function(state) { + if (state.eat( + 91 + /* [ */ + )) { + state.eat( + 94 + /* ^ */ + ); + this.regexp_classRanges(state); + if (state.eat( + 93 + /* ] */ + )) { + return true; + } + state.raise("Unterminated character class"); + } + return false; + }; + pp$1.regexp_classRanges = function(state) { + while (this.regexp_eatClassAtom(state)) { + var left = state.lastIntValue; + if (state.eat( + 45 + /* - */ + ) && this.regexp_eatClassAtom(state)) { + var right = state.lastIntValue; + if (state.switchU && (left === -1 || right === -1)) { + state.raise("Invalid character class"); + } + if (left !== -1 && right !== -1 && left > right) { + state.raise("Range out of order in character class"); + } + } + } + }; + pp$1.regexp_eatClassAtom = function(state) { + var start = state.pos; + if (state.eat( + 92 + /* \ */ + )) { + if (this.regexp_eatClassEscape(state)) { + return true; + } + if (state.switchU) { + var ch$1 = state.current(); + if (ch$1 === 99 || isOctalDigit(ch$1)) { + state.raise("Invalid class escape"); + } + state.raise("Invalid escape"); + } + state.pos = start; + } + var ch = state.current(); + if (ch !== 93) { + state.lastIntValue = ch; + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_eatClassEscape = function(state) { + var start = state.pos; + if (state.eat( + 98 + /* b */ + )) { + state.lastIntValue = 8; + return true; + } + if (state.switchU && state.eat( + 45 + /* - */ + )) { + state.lastIntValue = 45; + return true; + } + if (!state.switchU && state.eat( + 99 + /* c */ + )) { + if (this.regexp_eatClassControlLetter(state)) { + return true; + } + state.pos = start; + } + return this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state); + }; + pp$1.regexp_eatClassControlLetter = function(state) { + var ch = state.current(); + if (isDecimalDigit(ch) || ch === 95) { + state.lastIntValue = ch % 32; + state.advance(); + return true; + } + return false; + }; + pp$1.regexp_eatHexEscapeSequence = function(state) { + var start = state.pos; + if (state.eat( + 120 + /* x */ + )) { + if (this.regexp_eatFixedHexDigits(state, 2)) { + return true; + } + if (state.switchU) { + state.raise("Invalid escape"); + } + state.pos = start; + } + return false; + }; + pp$1.regexp_eatDecimalDigits = function(state) { + var start = state.pos; + var ch = 0; + state.lastIntValue = 0; + while (isDecimalDigit(ch = state.current())) { + state.lastIntValue = 10 * state.lastIntValue + (ch - 48); + state.advance(); + } + return state.pos !== start; + }; + function isDecimalDigit(ch) { + return ch >= 48 && ch <= 57; + } + pp$1.regexp_eatHexDigits = function(state) { + var start = state.pos; + var ch = 0; + state.lastIntValue = 0; + while (isHexDigit(ch = state.current())) { + state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch); + state.advance(); + } + return state.pos !== start; + }; + function isHexDigit(ch) { + return ch >= 48 && ch <= 57 || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102; + } + function hexToInt(ch) { + if (ch >= 65 && ch <= 70) { + return 10 + (ch - 65); + } + if (ch >= 97 && ch <= 102) { + return 10 + (ch - 97); + } + return ch - 48; + } + pp$1.regexp_eatLegacyOctalEscapeSequence = function(state) { + if (this.regexp_eatOctalDigit(state)) { + var n1 = state.lastIntValue; + if (this.regexp_eatOctalDigit(state)) { + var n2 = state.lastIntValue; + if (n1 <= 3 && this.regexp_eatOctalDigit(state)) { + state.lastIntValue = n1 * 64 + n2 * 8 + state.lastIntValue; + } else { + state.lastIntValue = n1 * 8 + n2; + } + } else { + state.lastIntValue = n1; + } + return true; + } + return false; + }; + pp$1.regexp_eatOctalDigit = function(state) { + var ch = state.current(); + if (isOctalDigit(ch)) { + state.lastIntValue = ch - 48; + state.advance(); + return true; + } + state.lastIntValue = 0; + return false; + }; + function isOctalDigit(ch) { + return ch >= 48 && ch <= 55; + } + pp$1.regexp_eatFixedHexDigits = function(state, length2) { + var start = state.pos; + state.lastIntValue = 0; + for (var i = 0; i < length2; ++i) { + var ch = state.current(); + if (!isHexDigit(ch)) { + state.pos = start; + return false; + } + state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch); + state.advance(); + } + return true; + }; + var Token = function Token2(p2) { + this.type = p2.type; + this.value = p2.value; + this.start = p2.start; + this.end = p2.end; + if (p2.options.locations) { + this.loc = new SourceLocation(p2, p2.startLoc, p2.endLoc); + } + if (p2.options.ranges) { + this.range = [p2.start, p2.end]; + } + }; + var pp = Parser.prototype; + pp.next = function(ignoreEscapeSequenceInKeyword) { + if (!ignoreEscapeSequenceInKeyword && this.type.keyword && this.containsEsc) { + this.raiseRecoverable(this.start, "Escape sequence in keyword " + this.type.keyword); + } + if (this.options.onToken) { + this.options.onToken(new Token(this)); + } + this.lastTokEnd = this.end; + this.lastTokStart = this.start; + this.lastTokEndLoc = this.endLoc; + this.lastTokStartLoc = this.startLoc; + this.nextToken(); + }; + pp.getToken = function() { + this.next(); + return new Token(this); + }; + if (typeof Symbol !== "undefined") { + pp[Symbol.iterator] = function() { + var this$1$1 = this; + return { + next: function() { + var token = this$1$1.getToken(); + return { + done: token.type === types$1.eof, + value: token + }; + } + }; + }; + } + pp.nextToken = function() { + var curContext = this.curContext(); + if (!curContext || !curContext.preserveSpace) { + this.skipSpace(); + } + this.start = this.pos; + if (this.options.locations) { + this.startLoc = this.curPosition(); + } + if (this.pos >= this.input.length) { + return this.finishToken(types$1.eof); + } + if (curContext.override) { + return curContext.override(this); + } else { + this.readToken(this.fullCharCodeAtPos()); + } + }; + pp.readToken = function(code) { + if (isIdentifierStart(code, this.options.ecmaVersion >= 6) || code === 92) { + return this.readWord(); + } + return this.getTokenFromCode(code); + }; + pp.fullCharCodeAtPos = function() { + var code = this.input.charCodeAt(this.pos); + if (code <= 55295 || code >= 56320) { + return code; + } + var next = this.input.charCodeAt(this.pos + 1); + return next <= 56319 || next >= 57344 ? code : (code << 10) + next - 56613888; + }; + pp.skipBlockComment = function() { + var startLoc = this.options.onComment && this.curPosition(); + var start = this.pos, end = this.input.indexOf("*/", this.pos += 2); + if (end === -1) { + this.raise(this.pos - 2, "Unterminated comment"); + } + this.pos = end + 2; + if (this.options.locations) { + for (var nextBreak = void 0, pos = start; (nextBreak = nextLineBreak(this.input, pos, this.pos)) > -1; ) { + ++this.curLine; + pos = this.lineStart = nextBreak; + } + } + if (this.options.onComment) { + this.options.onComment( + true, + this.input.slice(start + 2, end), + start, + this.pos, + startLoc, + this.curPosition() + ); + } + }; + pp.skipLineComment = function(startSkip) { + var start = this.pos; + var startLoc = this.options.onComment && this.curPosition(); + var ch = this.input.charCodeAt(this.pos += startSkip); + while (this.pos < this.input.length && !isNewLine(ch)) { + ch = this.input.charCodeAt(++this.pos); + } + if (this.options.onComment) { + this.options.onComment( + false, + this.input.slice(start + startSkip, this.pos), + start, + this.pos, + startLoc, + this.curPosition() + ); + } + }; + pp.skipSpace = function() { + loop: + while (this.pos < this.input.length) { + var ch = this.input.charCodeAt(this.pos); + switch (ch) { + case 32: + case 160: + ++this.pos; + break; + case 13: + if (this.input.charCodeAt(this.pos + 1) === 10) { + ++this.pos; + } + case 10: + case 8232: + case 8233: + ++this.pos; + if (this.options.locations) { + ++this.curLine; + this.lineStart = this.pos; + } + break; + case 47: + switch (this.input.charCodeAt(this.pos + 1)) { + case 42: + this.skipBlockComment(); + break; + case 47: + this.skipLineComment(2); + break; + default: + break loop; + } + break; + default: + if (ch > 8 && ch < 14 || ch >= 5760 && nonASCIIwhitespace.test(String.fromCharCode(ch))) { + ++this.pos; + } else { + break loop; + } + } + } + }; + pp.finishToken = function(type, val) { + this.end = this.pos; + if (this.options.locations) { + this.endLoc = this.curPosition(); + } + var prevType = this.type; + this.type = type; + this.value = val; + this.updateContext(prevType); + }; + pp.readToken_dot = function() { + var next = this.input.charCodeAt(this.pos + 1); + if (next >= 48 && next <= 57) { + return this.readNumber(true); + } + var next2 = this.input.charCodeAt(this.pos + 2); + if (this.options.ecmaVersion >= 6 && next === 46 && next2 === 46) { + this.pos += 3; + return this.finishToken(types$1.ellipsis); + } else { + ++this.pos; + return this.finishToken(types$1.dot); + } + }; + pp.readToken_slash = function() { + var next = this.input.charCodeAt(this.pos + 1); + if (this.exprAllowed) { + ++this.pos; + return this.readRegexp(); + } + if (next === 61) { + return this.finishOp(types$1.assign, 2); + } + return this.finishOp(types$1.slash, 1); + }; + pp.readToken_mult_modulo_exp = function(code) { + var next = this.input.charCodeAt(this.pos + 1); + var size = 1; + var tokentype = code === 42 ? types$1.star : types$1.modulo; + if (this.options.ecmaVersion >= 7 && code === 42 && next === 42) { + ++size; + tokentype = types$1.starstar; + next = this.input.charCodeAt(this.pos + 2); + } + if (next === 61) { + return this.finishOp(types$1.assign, size + 1); + } + return this.finishOp(tokentype, size); + }; + pp.readToken_pipe_amp = function(code) { + var next = this.input.charCodeAt(this.pos + 1); + if (next === code) { + if (this.options.ecmaVersion >= 12) { + var next2 = this.input.charCodeAt(this.pos + 2); + if (next2 === 61) { + return this.finishOp(types$1.assign, 3); + } + } + return this.finishOp(code === 124 ? types$1.logicalOR : types$1.logicalAND, 2); + } + if (next === 61) { + return this.finishOp(types$1.assign, 2); + } + return this.finishOp(code === 124 ? types$1.bitwiseOR : types$1.bitwiseAND, 1); + }; + pp.readToken_caret = function() { + var next = this.input.charCodeAt(this.pos + 1); + if (next === 61) { + return this.finishOp(types$1.assign, 2); + } + return this.finishOp(types$1.bitwiseXOR, 1); + }; + pp.readToken_plus_min = function(code) { + var next = this.input.charCodeAt(this.pos + 1); + if (next === code) { + if (next === 45 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 62 && (this.lastTokEnd === 0 || lineBreak.test(this.input.slice(this.lastTokEnd, this.pos)))) { + this.skipLineComment(3); + this.skipSpace(); + return this.nextToken(); + } + return this.finishOp(types$1.incDec, 2); + } + if (next === 61) { + return this.finishOp(types$1.assign, 2); + } + return this.finishOp(types$1.plusMin, 1); + }; + pp.readToken_lt_gt = function(code) { + var next = this.input.charCodeAt(this.pos + 1); + var size = 1; + if (next === code) { + size = code === 62 && this.input.charCodeAt(this.pos + 2) === 62 ? 3 : 2; + if (this.input.charCodeAt(this.pos + size) === 61) { + return this.finishOp(types$1.assign, size + 1); + } + return this.finishOp(types$1.bitShift, size); + } + if (next === 33 && code === 60 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 45 && this.input.charCodeAt(this.pos + 3) === 45) { + this.skipLineComment(4); + this.skipSpace(); + return this.nextToken(); + } + if (next === 61) { + size = 2; + } + return this.finishOp(types$1.relational, size); + }; + pp.readToken_eq_excl = function(code) { + var next = this.input.charCodeAt(this.pos + 1); + if (next === 61) { + return this.finishOp(types$1.equality, this.input.charCodeAt(this.pos + 2) === 61 ? 3 : 2); + } + if (code === 61 && next === 62 && this.options.ecmaVersion >= 6) { + this.pos += 2; + return this.finishToken(types$1.arrow); + } + return this.finishOp(code === 61 ? types$1.eq : types$1.prefix, 1); + }; + pp.readToken_question = function() { + var ecmaVersion = this.options.ecmaVersion; + if (ecmaVersion >= 11) { + var next = this.input.charCodeAt(this.pos + 1); + if (next === 46) { + var next2 = this.input.charCodeAt(this.pos + 2); + if (next2 < 48 || next2 > 57) { + return this.finishOp(types$1.questionDot, 2); + } + } + if (next === 63) { + if (ecmaVersion >= 12) { + var next2$1 = this.input.charCodeAt(this.pos + 2); + if (next2$1 === 61) { + return this.finishOp(types$1.assign, 3); + } + } + return this.finishOp(types$1.coalesce, 2); + } + } + return this.finishOp(types$1.question, 1); + }; + pp.readToken_numberSign = function() { + var ecmaVersion = this.options.ecmaVersion; + var code = 35; + if (ecmaVersion >= 13) { + ++this.pos; + code = this.fullCharCodeAtPos(); + if (isIdentifierStart(code, true) || code === 92) { + return this.finishToken(types$1.privateId, this.readWord1()); + } + } + this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'"); + }; + pp.getTokenFromCode = function(code) { + switch (code) { + case 46: + return this.readToken_dot(); + case 40: + ++this.pos; + return this.finishToken(types$1.parenL); + case 41: + ++this.pos; + return this.finishToken(types$1.parenR); + case 59: + ++this.pos; + return this.finishToken(types$1.semi); + case 44: + ++this.pos; + return this.finishToken(types$1.comma); + case 91: + ++this.pos; + return this.finishToken(types$1.bracketL); + case 93: + ++this.pos; + return this.finishToken(types$1.bracketR); + case 123: + ++this.pos; + return this.finishToken(types$1.braceL); + case 125: + ++this.pos; + return this.finishToken(types$1.braceR); + case 58: + ++this.pos; + return this.finishToken(types$1.colon); + case 96: + if (this.options.ecmaVersion < 6) { + break; + } + ++this.pos; + return this.finishToken(types$1.backQuote); + case 48: + var next = this.input.charCodeAt(this.pos + 1); + if (next === 120 || next === 88) { + return this.readRadixNumber(16); + } + if (this.options.ecmaVersion >= 6) { + if (next === 111 || next === 79) { + return this.readRadixNumber(8); + } + if (next === 98 || next === 66) { + return this.readRadixNumber(2); + } + } + case 49: + case 50: + case 51: + case 52: + case 53: + case 54: + case 55: + case 56: + case 57: + return this.readNumber(false); + case 34: + case 39: + return this.readString(code); + case 47: + return this.readToken_slash(); + case 37: + case 42: + return this.readToken_mult_modulo_exp(code); + case 124: + case 38: + return this.readToken_pipe_amp(code); + case 94: + return this.readToken_caret(); + case 43: + case 45: + return this.readToken_plus_min(code); + case 60: + case 62: + return this.readToken_lt_gt(code); + case 61: + case 33: + return this.readToken_eq_excl(code); + case 63: + return this.readToken_question(); + case 126: + return this.finishOp(types$1.prefix, 1); + case 35: + return this.readToken_numberSign(); + } + this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'"); + }; + pp.finishOp = function(type, size) { + var str = this.input.slice(this.pos, this.pos + size); + this.pos += size; + return this.finishToken(type, str); + }; + pp.readRegexp = function() { + var escaped2, inClass, start = this.pos; + for (; ; ) { + if (this.pos >= this.input.length) { + this.raise(start, "Unterminated regular expression"); + } + var ch = this.input.charAt(this.pos); + if (lineBreak.test(ch)) { + this.raise(start, "Unterminated regular expression"); + } + if (!escaped2) { + if (ch === "[") { + inClass = true; + } else if (ch === "]" && inClass) { + inClass = false; + } else if (ch === "/" && !inClass) { + break; + } + escaped2 = ch === "\\"; + } else { + escaped2 = false; + } + ++this.pos; + } + var pattern = this.input.slice(start, this.pos); + ++this.pos; + var flagsStart = this.pos; + var flags = this.readWord1(); + if (this.containsEsc) { + this.unexpected(flagsStart); + } + var state = this.regexpState || (this.regexpState = new RegExpValidationState(this)); + state.reset(start, pattern, flags); + this.validateRegExpFlags(state); + this.validateRegExpPattern(state); + var value2 = null; + try { + value2 = new RegExp(pattern, flags); + } catch (e) { + } + return this.finishToken(types$1.regexp, { pattern, flags, value: value2 }); + }; + pp.readInt = function(radix, len, maybeLegacyOctalNumericLiteral) { + var allowSeparators = this.options.ecmaVersion >= 12 && len === void 0; + var isLegacyOctalNumericLiteral = maybeLegacyOctalNumericLiteral && this.input.charCodeAt(this.pos) === 48; + var start = this.pos, total = 0, lastCode = 0; + for (var i = 0, e = len == null ? Infinity : len; i < e; ++i, ++this.pos) { + var code = this.input.charCodeAt(this.pos), val = void 0; + if (allowSeparators && code === 95) { + if (isLegacyOctalNumericLiteral) { + this.raiseRecoverable(this.pos, "Numeric separator is not allowed in legacy octal numeric literals"); + } + if (lastCode === 95) { + this.raiseRecoverable(this.pos, "Numeric separator must be exactly one underscore"); + } + if (i === 0) { + this.raiseRecoverable(this.pos, "Numeric separator is not allowed at the first of digits"); + } + lastCode = code; + continue; + } + if (code >= 97) { + val = code - 97 + 10; + } else if (code >= 65) { + val = code - 65 + 10; + } else if (code >= 48 && code <= 57) { + val = code - 48; + } else { + val = Infinity; + } + if (val >= radix) { + break; + } + lastCode = code; + total = total * radix + val; + } + if (allowSeparators && lastCode === 95) { + this.raiseRecoverable(this.pos - 1, "Numeric separator is not allowed at the last of digits"); + } + if (this.pos === start || len != null && this.pos - start !== len) { + return null; + } + return total; + }; + function stringToNumber(str, isLegacyOctalNumericLiteral) { + if (isLegacyOctalNumericLiteral) { + return parseInt(str, 8); + } + return parseFloat(str.replace(/_/g, "")); + } + function stringToBigInt(str) { + if (typeof BigInt !== "function") { + return null; + } + return BigInt(str.replace(/_/g, "")); + } + pp.readRadixNumber = function(radix) { + var start = this.pos; + this.pos += 2; + var val = this.readInt(radix); + if (val == null) { + this.raise(this.start + 2, "Expected number in radix " + radix); + } + if (this.options.ecmaVersion >= 11 && this.input.charCodeAt(this.pos) === 110) { + val = stringToBigInt(this.input.slice(start, this.pos)); + ++this.pos; + } else if (isIdentifierStart(this.fullCharCodeAtPos())) { + this.raise(this.pos, "Identifier directly after number"); + } + return this.finishToken(types$1.num, val); + }; + pp.readNumber = function(startsWithDot) { + var start = this.pos; + if (!startsWithDot && this.readInt(10, void 0, true) === null) { + this.raise(start, "Invalid number"); + } + var octal = this.pos - start >= 2 && this.input.charCodeAt(start) === 48; + if (octal && this.strict) { + this.raise(start, "Invalid number"); + } + var next = this.input.charCodeAt(this.pos); + if (!octal && !startsWithDot && this.options.ecmaVersion >= 11 && next === 110) { + var val$1 = stringToBigInt(this.input.slice(start, this.pos)); + ++this.pos; + if (isIdentifierStart(this.fullCharCodeAtPos())) { + this.raise(this.pos, "Identifier directly after number"); + } + return this.finishToken(types$1.num, val$1); + } + if (octal && /[89]/.test(this.input.slice(start, this.pos))) { + octal = false; + } + if (next === 46 && !octal) { + ++this.pos; + this.readInt(10); + next = this.input.charCodeAt(this.pos); + } + if ((next === 69 || next === 101) && !octal) { + next = this.input.charCodeAt(++this.pos); + if (next === 43 || next === 45) { + ++this.pos; + } + if (this.readInt(10) === null) { + this.raise(start, "Invalid number"); + } + } + if (isIdentifierStart(this.fullCharCodeAtPos())) { + this.raise(this.pos, "Identifier directly after number"); + } + var val = stringToNumber(this.input.slice(start, this.pos), octal); + return this.finishToken(types$1.num, val); + }; + pp.readCodePoint = function() { + var ch = this.input.charCodeAt(this.pos), code; + if (ch === 123) { + if (this.options.ecmaVersion < 6) { + this.unexpected(); + } + var codePos = ++this.pos; + code = this.readHexChar(this.input.indexOf("}", this.pos) - this.pos); + ++this.pos; + if (code > 1114111) { + this.invalidStringToken(codePos, "Code point out of bounds"); + } + } else { + code = this.readHexChar(4); + } + return code; + }; + pp.readString = function(quote2) { + var out = "", chunkStart = ++this.pos; + for (; ; ) { + if (this.pos >= this.input.length) { + this.raise(this.start, "Unterminated string constant"); + } + var ch = this.input.charCodeAt(this.pos); + if (ch === quote2) { + break; + } + if (ch === 92) { + out += this.input.slice(chunkStart, this.pos); + out += this.readEscapedChar(false); + chunkStart = this.pos; + } else if (ch === 8232 || ch === 8233) { + if (this.options.ecmaVersion < 10) { + this.raise(this.start, "Unterminated string constant"); + } + ++this.pos; + if (this.options.locations) { + this.curLine++; + this.lineStart = this.pos; + } + } else { + if (isNewLine(ch)) { + this.raise(this.start, "Unterminated string constant"); + } + ++this.pos; + } + } + out += this.input.slice(chunkStart, this.pos++); + return this.finishToken(types$1.string, out); + }; + var INVALID_TEMPLATE_ESCAPE_ERROR = {}; + pp.tryReadTemplateToken = function() { + this.inTemplateElement = true; + try { + this.readTmplToken(); + } catch (err) { + if (err === INVALID_TEMPLATE_ESCAPE_ERROR) { + this.readInvalidTemplateToken(); + } else { + throw err; + } + } + this.inTemplateElement = false; + }; + pp.invalidStringToken = function(position, message) { + if (this.inTemplateElement && this.options.ecmaVersion >= 9) { + throw INVALID_TEMPLATE_ESCAPE_ERROR; + } else { + this.raise(position, message); + } + }; + pp.readTmplToken = function() { + var out = "", chunkStart = this.pos; + for (; ; ) { + if (this.pos >= this.input.length) { + this.raise(this.start, "Unterminated template"); + } + var ch = this.input.charCodeAt(this.pos); + if (ch === 96 || ch === 36 && this.input.charCodeAt(this.pos + 1) === 123) { + if (this.pos === this.start && (this.type === types$1.template || this.type === types$1.invalidTemplate)) { + if (ch === 36) { + this.pos += 2; + return this.finishToken(types$1.dollarBraceL); + } else { + ++this.pos; + return this.finishToken(types$1.backQuote); + } + } + out += this.input.slice(chunkStart, this.pos); + return this.finishToken(types$1.template, out); + } + if (ch === 92) { + out += this.input.slice(chunkStart, this.pos); + out += this.readEscapedChar(true); + chunkStart = this.pos; + } else if (isNewLine(ch)) { + out += this.input.slice(chunkStart, this.pos); + ++this.pos; + switch (ch) { + case 13: + if (this.input.charCodeAt(this.pos) === 10) { + ++this.pos; + } + case 10: + out += "\n"; + break; + default: + out += String.fromCharCode(ch); + break; + } + if (this.options.locations) { + ++this.curLine; + this.lineStart = this.pos; + } + chunkStart = this.pos; + } else { + ++this.pos; + } + } + }; + pp.readInvalidTemplateToken = function() { + for (; this.pos < this.input.length; this.pos++) { + switch (this.input[this.pos]) { + case "\\": + ++this.pos; + break; + case "$": + if (this.input[this.pos + 1] !== "{") { + break; + } + case "`": + return this.finishToken(types$1.invalidTemplate, this.input.slice(this.start, this.pos)); + } + } + this.raise(this.start, "Unterminated template"); + }; + pp.readEscapedChar = function(inTemplate) { + var ch = this.input.charCodeAt(++this.pos); + ++this.pos; + switch (ch) { + case 110: + return "\n"; + case 114: + return "\r"; + case 120: + return String.fromCharCode(this.readHexChar(2)); + case 117: + return codePointToString(this.readCodePoint()); + case 116: + return " "; + case 98: + return "\b"; + case 118: + return "\v"; + case 102: + return "\f"; + case 13: + if (this.input.charCodeAt(this.pos) === 10) { + ++this.pos; + } + case 10: + if (this.options.locations) { + this.lineStart = this.pos; + ++this.curLine; + } + return ""; + case 56: + case 57: + if (this.strict) { + this.invalidStringToken( + this.pos - 1, + "Invalid escape sequence" + ); + } + if (inTemplate) { + var codePos = this.pos - 1; + this.invalidStringToken( + codePos, + "Invalid escape sequence in template string" + ); + return null; + } + default: + if (ch >= 48 && ch <= 55) { + var octalStr = this.input.substr(this.pos - 1, 3).match(/^[0-7]+/)[0]; + var octal = parseInt(octalStr, 8); + if (octal > 255) { + octalStr = octalStr.slice(0, -1); + octal = parseInt(octalStr, 8); + } + this.pos += octalStr.length - 1; + ch = this.input.charCodeAt(this.pos); + if ((octalStr !== "0" || ch === 56 || ch === 57) && (this.strict || inTemplate)) { + this.invalidStringToken( + this.pos - 1 - octalStr.length, + inTemplate ? "Octal literal in template string" : "Octal literal in strict mode" + ); + } + return String.fromCharCode(octal); + } + if (isNewLine(ch)) { + return ""; + } + return String.fromCharCode(ch); + } + }; + pp.readHexChar = function(len) { + var codePos = this.pos; + var n2 = this.readInt(16, len); + if (n2 === null) { + this.invalidStringToken(codePos, "Bad character escape sequence"); + } + return n2; + }; + pp.readWord1 = function() { + this.containsEsc = false; + var word = "", first = true, chunkStart = this.pos; + var astral = this.options.ecmaVersion >= 6; + while (this.pos < this.input.length) { + var ch = this.fullCharCodeAtPos(); + if (isIdentifierChar(ch, astral)) { + this.pos += ch <= 65535 ? 1 : 2; + } else if (ch === 92) { + this.containsEsc = true; + word += this.input.slice(chunkStart, this.pos); + var escStart = this.pos; + if (this.input.charCodeAt(++this.pos) !== 117) { + this.invalidStringToken(this.pos, "Expecting Unicode escape sequence \\uXXXX"); + } + ++this.pos; + var esc = this.readCodePoint(); + if (!(first ? isIdentifierStart : isIdentifierChar)(esc, astral)) { + this.invalidStringToken(escStart, "Invalid Unicode escape"); + } + word += codePointToString(esc); + chunkStart = this.pos; + } else { + break; + } + first = false; + } + return word + this.input.slice(chunkStart, this.pos); + }; + pp.readWord = function() { + var word = this.readWord1(); + var type = types$1.name; + if (this.keywords.test(word)) { + type = keywords[word]; + } + return this.finishToken(type, word); + }; + var version = "8.8.1"; + Parser.acorn = { + Parser, + version, + defaultOptions, + Position, + SourceLocation, + getLineInfo, + Node, + TokenType, + tokTypes: types$1, + keywordTypes: keywords, + TokContext, + tokContexts: types, + isIdentifierChar, + isIdentifierStart, + Token, + isNewLine, + lineBreak, + lineBreakG, + nonASCIIwhitespace + }; + function parse3(input, options) { + return Parser.parse(input, options); + } + function parseExpressionAt2(input, pos, options) { + return Parser.parseExpressionAt(input, pos, options); + } + function flatten(nodes, target = []) { + for (let i = 0; i < nodes.length; i += 1) { + const node2 = nodes[i]; + if (Array.isArray(node2)) { + flatten(node2, target); + } else { + target.push(node2); + } + } + return target; + } + var regex_whitespace = /\s/; + var regex_starts_with_whitespace = /^\s/; + var regex_starts_with_whitespaces = /^[ \t\r\n]*/; + var regex_ends_with_whitespace = /\s$/; + var regex_ends_with_whitespaces = /[ \t\r\n]*$/; + var regex_only_whitespaces = /^\s+$/; + var regex_whitespace_characters = /\s/g; + var regex_non_whitespace_character = /\S/; + var regex_starts_with_newline = /^\r?\n/; + var regex_not_newline_characters = /[^\n]/g; + var regex_double_quotes = /"/g; + var regex_backslashes = /\\/g; + var regex_starts_with_underscore = /^_/; + var regex_ends_with_underscore = /_$/; + var regex_dimensions = /^(?:offset|client)(?:Width|Height)$/; + var regex_svelte_ignore = /^\s*svelte-ignore\s+([\s\S]+)\s*$/m; + function extract_svelte_ignore(text2) { + const match = regex_svelte_ignore.exec(text2); + return match ? match[1].split(regex_whitespace).map((x2) => x2.trim()).filter(Boolean) : []; + } + function extract_svelte_ignore_from_comments(node2) { + return flatten((node2.leadingComments || []).map((comment) => extract_svelte_ignore(comment.value))); + } + function extract_ignores_above_position(position, template_nodes) { + const previous_node_idx = template_nodes.findIndex((child) => child.end === position); + if (previous_node_idx === -1) { + return []; + } + for (let i = previous_node_idx; i >= 0; i--) { + const node2 = template_nodes[i]; + if (node2.type !== "Comment" && node2.type !== "Text") { + return []; + } + if (node2.type === "Comment") { + if (node2.ignores.length) { + return node2.ignores; + } + } + } + return []; + } + function fuzzymatch(name, names) { + const set = new FuzzySet(names); + const matches = set.get(name); + return matches && matches[0] && matches[0][0] > 0.7 ? matches[0][1] : null; + } + var GRAM_SIZE_LOWER = 2; + var GRAM_SIZE_UPPER = 3; + function _distance(str1, str2) { + if (str1 === null && str2 === null) { + throw "Trying to compare two null values"; + } + if (str1 === null || str2 === null) + return 0; + str1 = String(str1); + str2 = String(str2); + const distance = levenshtein(str1, str2); + if (str1.length > str2.length) { + return 1 - distance / str1.length; + } else { + return 1 - distance / str2.length; + } + } + function levenshtein(str1, str2) { + const current2 = []; + let prev; + let value2; + for (let i = 0; i <= str2.length; i++) { + for (let j = 0; j <= str1.length; j++) { + if (i && j) { + if (str1.charAt(j - 1) === str2.charAt(i - 1)) { + value2 = prev; + } else { + value2 = Math.min(current2[j], current2[j - 1], prev) + 1; + } + } else { + value2 = i + j; + } + prev = current2[j]; + current2[j] = value2; + } + } + return current2.pop(); + } + var non_word_regex = /[^\w, ]+/; + function iterate_grams(value2, gram_size = 2) { + const simplified = "-" + value2.toLowerCase().replace(non_word_regex, "") + "-"; + const len_diff = gram_size - simplified.length; + const results = []; + if (len_diff > 0) { + for (let i = 0; i < len_diff; ++i) { + value2 += "-"; + } + } + for (let i = 0; i < simplified.length - gram_size + 1; ++i) { + results.push(simplified.slice(i, i + gram_size)); + } + return results; + } + function gram_counter(value2, gram_size = 2) { + const result = {}; + const grams = iterate_grams(value2, gram_size); + let i = 0; + for (i; i < grams.length; ++i) { + if (grams[i] in result) { + result[grams[i]] += 1; + } else { + result[grams[i]] = 1; + } + } + return result; + } + function sort_descending(a, b2) { + return b2[0] - a[0]; + } + var FuzzySet = class { + constructor(arr) { + this.exact_set = {}; + this.match_dict = {}; + this.items = {}; + for (let i = GRAM_SIZE_LOWER; i < GRAM_SIZE_UPPER + 1; ++i) { + this.items[i] = []; + } + for (let i = 0; i < arr.length; ++i) { + this.add(arr[i]); + } + } + add(value2) { + const normalized_value = value2.toLowerCase(); + if (normalized_value in this.exact_set) { + return false; + } + let i = GRAM_SIZE_LOWER; + for (i; i < GRAM_SIZE_UPPER + 1; ++i) { + this._add(value2, i); + } + } + _add(value2, gram_size) { + const normalized_value = value2.toLowerCase(); + const items = this.items[gram_size] || []; + const index = items.length; + items.push(0); + const gram_counts = gram_counter(normalized_value, gram_size); + let sum_of_square_gram_counts = 0; + let gram; + let gram_count; + for (gram in gram_counts) { + gram_count = gram_counts[gram]; + sum_of_square_gram_counts += Math.pow(gram_count, 2); + if (gram in this.match_dict) { + this.match_dict[gram].push([index, gram_count]); + } else { + this.match_dict[gram] = [[index, gram_count]]; + } + } + const vector_normal = Math.sqrt(sum_of_square_gram_counts); + items[index] = [vector_normal, normalized_value]; + this.items[gram_size] = items; + this.exact_set[normalized_value] = value2; + } + get(value2) { + const normalized_value = value2.toLowerCase(); + const result = this.exact_set[normalized_value]; + if (result) { + return [[1, result]]; + } + let results = []; + for (let gram_size = GRAM_SIZE_UPPER; gram_size >= GRAM_SIZE_LOWER; --gram_size) { + results = this.__get(value2, gram_size); + if (results) { + return results; + } + } + return null; + } + __get(value2, gram_size) { + const normalized_value = value2.toLowerCase(); + const matches = {}; + const gram_counts = gram_counter(normalized_value, gram_size); + const items = this.items[gram_size]; + let sum_of_square_gram_counts = 0; + let gram; + let gram_count; + let i; + let index; + let other_gram_count; + for (gram in gram_counts) { + gram_count = gram_counts[gram]; + sum_of_square_gram_counts += Math.pow(gram_count, 2); + if (gram in this.match_dict) { + for (i = 0; i < this.match_dict[gram].length; ++i) { + index = this.match_dict[gram][i][0]; + other_gram_count = this.match_dict[gram][i][1]; + if (index in matches) { + matches[index] += gram_count * other_gram_count; + } else { + matches[index] = gram_count * other_gram_count; + } + } + } + } + const vector_normal = Math.sqrt(sum_of_square_gram_counts); + let results = []; + let match_score; + for (const match_index in matches) { + match_score = matches[match_index]; + results.push([ + match_score / (vector_normal * items[match_index][0]), + items[match_index][1] + ]); + } + results.sort(sort_descending); + let new_results = []; + const end_index = Math.min(50, results.length); + for (let i2 = 0; i2 < end_index; ++i2) { + new_results.push([ + _distance(results[i2][1], normalized_value), + results[i2][1] + ]); + } + results = new_results; + results.sort(sort_descending); + new_results = []; + for (let i2 = 0; i2 < results.length; ++i2) { + if (results[i2][0] == results[0][0]) { + new_results.push([results[i2][0], this.exact_set[results[i2][1]]]); + } + } + return new_results; + } + }; + var void_element_names = /^(?:area|base|br|col|command|embed|hr|img|input|keygen|link|meta|param|source|track|wbr)$/; + var html_element_names = /^(?:a|abbr|address|area|article|aside|audio|b|base|bdi|bdo|blockquote|body|br|button|canvas|caption|cite|code|col|colgroup|data|datalist|dd|del|details|dfn|dialog|div|dl|dt|em|embed|fieldset|figcaption|figure|footer|form|h1|h2|h3|h4|h5|h6|head|header|hr|html|i|iframe|img|input|ins|kbd|label|legend|li|link|main|map|mark|meta|meter|nav|noscript|object|ol|optgroup|option|output|p|param|picture|pre|progress|q|rp|rt|ruby|s|samp|script|section|select|small|source|span|strong|style|sub|summary|sup|table|tbody|td|template|textarea|tfoot|th|thead|time|title|tr|track|u|ul|var|video|wbr)$/; + var svg = /^(?:altGlyph|altGlyphDef|altGlyphItem|animate|animateColor|animateMotion|animateTransform|circle|clipPath|color-profile|cursor|defs|desc|discard|ellipse|feBlend|feColorMatrix|feComponentTransfer|feComposite|feConvolveMatrix|feDiffuseLighting|feDisplacementMap|feDistantLight|feDropShadow|feFlood|feFuncA|feFuncB|feFuncG|feFuncR|feGaussianBlur|feImage|feMerge|feMergeNode|feMorphology|feOffset|fePointLight|feSpecularLighting|feSpotLight|feTile|feTurbulence|filter|font|font-face|font-face-format|font-face-name|font-face-src|font-face-uri|foreignObject|g|glyph|glyphRef|hatch|hatchpath|hkern|image|line|linearGradient|marker|mask|mesh|meshgradient|meshpatch|meshrow|metadata|missing-glyph|mpath|path|pattern|polygon|polyline|radialGradient|rect|set|solidcolor|stop|svg|switch|symbol|text|textPath|tref|tspan|unknown|use|view|vkern)$/; + function is_void(name) { + return void_element_names.test(name) || name.toLowerCase() === "!doctype"; + } + function is_html(name) { + return html_element_names.test(name); + } + function is_svg(name) { + return svg.test(name); + } + function list$1(items, conjunction = "or") { + if (items.length === 1) + return items[0]; + return `${items.slice(0, -1).join(", ")} ${conjunction} ${items[items.length - 1]}`; + } + var parser_errors = { + css_syntax_error: (message) => ({ + code: "css-syntax-error", + message + }), + duplicate_attribute: { + code: "duplicate-attribute", + message: "Attributes need to be unique" + }, + duplicate_element: (slug, name) => ({ + code: `duplicate-${slug}`, + message: `A component can only have one <${name}> tag` + }), + duplicate_style: { + code: "duplicate-style", + message: "You can only have one top-level \`;`} + + @init(this, { target: this.shadowRoot, props: ${init_props}, customElement: true }, ${definition}, ${has_create_fragment ? "create_fragment" : "null"}, ${not_equal}, ${prop_indexes}, null, ${dirty}); + + if (options) { + if (options.target) { + @insert(options.target, this, options.anchor); + } + + ${(props.length > 0 || uses_props || uses_rest) && b` + if (options.props) { + this.$set(options.props); + @flush(); + }`} + } + } + } + `[0]; + if (props.length > 0) { + declaration.body.body.push({ + type: "MethodDefinition", + kind: "get", + static: true, + computed: false, + key: { type: "Identifier", name: "observedAttributes" }, + value: x`function() { + return [${props.map((prop) => x`"${prop.export_name}"`)}]; + }` + }); + } + push_array$1(declaration.body.body, accessors); + body.push(declaration); + if (component.tag != null) { + body.push(b` + @_customElements.define("${component.tag}", ${name}); + `); + } + } else { + const superclass = { + type: "Identifier", + name: options.dev ? "@SvelteComponentDev" : "@SvelteComponent" + }; + const optional_parameters = []; + if (should_add_css) { + optional_parameters.push(add_css); + } else if (dirty) { + optional_parameters.push(x`null`); + } + if (dirty) { + optional_parameters.push(dirty); + } + const declaration = b` + class ${name} extends ${superclass} { + constructor(options) { + super(${options.dev && "options"}); + @init(this, options, ${definition}, ${has_create_fragment ? "create_fragment" : "null"}, ${not_equal}, ${prop_indexes}, ${optional_parameters}); + ${options.dev && b`@dispatch_dev("SvelteRegisterComponent", { component: this, tagName: "${name.name}", options, id: create_fragment.name });`} + } + } + `[0]; + push_array$1(declaration.body.body, accessors); + body.push(declaration); + } + return { js: flatten(body), css }; + } + function get_const_tags$1(const_tags) { + if (const_tags.length === 0) + return null; + return { + type: "VariableDeclaration", + kind: "let", + declarations: const_tags.map((const_tag) => { + const assignment = const_tag.node.expression; + return { + type: "VariableDeclarator", + id: assignment.left, + init: assignment.right + }; + }) + }; + } + function AwaitBlock$1(node2, renderer, options) { + renderer.push(); + renderer.render(node2.pending.children, options); + const pending = renderer.pop(); + renderer.push(); + renderer.render(node2.then.children, options); + const then = renderer.pop(); + renderer.add_expression(x` + function(__value) { + if (@is_promise(__value)) { + __value.then(null, @noop); + return ${pending}; + } + return (function(${node2.then_node ? node2.then_node : ""}) { ${get_const_tags$1(node2.then.const_tags)}; return ${then}; }(__value)); + }(${node2.expression.node}) + `); + } + function Comment$2(node2, renderer, options) { + if (options.preserveComments) { + renderer.add_string(``); + } + } + function DebugTag$1(node2, renderer, options) { + if (!options.dev) + return; + const filename = options.filename || null; + const { line, column } = options.locate(node2.start + 1); + const obj = x`{ + ${node2.expressions.map((e) => p`${e.node.name}`)} + }`; + renderer.add_expression(x`@debug(${filename ? x`"${filename}"` : x`null`}, ${line - 1}, ${column}, ${obj})`); + } + function EachBlock$1(node2, renderer, options) { + const args = [node2.context_node]; + if (node2.index) + args.push({ type: "Identifier", name: node2.index }); + renderer.push(); + renderer.render(node2.children, options); + const result = renderer.pop(); + const consequent = x`@each(${node2.expression.node}, (${args}) => { ${get_const_tags$1(node2.const_tags)}; return ${result} })`; + if (node2.else) { + renderer.push(); + renderer.render(node2.else.children, options); + let alternate = renderer.pop(); + if (node2.else.const_tags.length > 0) + alternate = x`(() => { ${get_const_tags$1(node2.else.const_tags)}; return ${alternate} })()`; + renderer.add_expression(x`${node2.expression.node}.length ? ${consequent} : ${alternate}`); + } else { + renderer.add_expression(consequent); + } + } + function get_class_attribute_value(attribute) { + if (attribute.chunks.length === 2 && attribute.chunks[1].synthetic) { + const value2 = attribute.chunks[0].node; + return x`@escape(@null_to_empty(${value2}), true) + "${attribute.chunks[1].data}"`; + } + return get_attribute_value(attribute); + } + function get_attribute_value(attribute) { + if (attribute.chunks.length === 0) + return x`""`; + return attribute.chunks.map((chunk) => { + return chunk.type === "Text" ? string_literal(chunk.data.replace(regex_double_quotes, """)) : x`@escape(${chunk.node}, true)`; + }).reduce((lhs, rhs) => x`${lhs} + ${rhs}`); + } + function get_attribute_expression(attribute) { + if (attribute.chunks.length === 1 && attribute.chunks[0].type === "Expression") { + return attribute.chunks[0].node; + } + return get_attribute_value(attribute); + } + function remove_whitespace_children(children, next) { + const nodes = []; + let last_child; + let i = children.length; + while (i--) { + const child = children[i]; + if (child.type === "Text") { + if (child.should_skip()) { + continue; + } + let { data: data2 } = child; + if (nodes.length === 0) { + const should_trim = next ? next.type === "Text" && regex_starts_with_whitespace.test(next.data) && trimmable_at$1(child, next) : !child.has_ancestor("EachBlock"); + if (should_trim && !child.keep_space()) { + data2 = trim_end(data2); + if (!data2) + continue; + } + } + if (last_child && last_child.type === "Text") { + last_child.data = data2 + last_child.data; + continue; + } + nodes.unshift(child); + link(last_child, last_child = child); + } else { + nodes.unshift(child); + link(last_child, last_child = child); + } + } + const first = nodes[0]; + if (first && first.type === "Text" && !first.keep_space()) { + first.data = trim_start(first.data); + if (!first.data) { + first.var = null; + nodes.shift(); + if (nodes[0]) { + nodes[0].prev = null; + } + } + } + return nodes; + } + function trimmable_at$1(child, next_sibling) { + return next_sibling.find_nearest(/EachBlock/) === child.find_nearest(/EachBlock/) || next_sibling.prev.type === "EachBlock"; + } + function Element$1(node2, renderer, options) { + const children = remove_whitespace_children(node2.children, node2.next); + let node_contents; + const contenteditable = node2.name !== "textarea" && node2.name !== "input" && node2.attributes.some((attribute) => attribute.name === "contenteditable"); + if (node2.is_dynamic_element) { + renderer.push(); + } + renderer.add_string("<"); + add_tag_name(); + const class_expression_list = node2.classes.map((class_directive) => { + const { expression, name } = class_directive; + const snippet = expression ? expression.node : x`#ctx.${name}`; + return x`${snippet} ? "${name}" : ""`; + }); + if (node2.needs_manual_style_scoping) { + class_expression_list.push(x`"${node2.component.stylesheet.id}"`); + } + const class_expression = class_expression_list.length > 0 && class_expression_list.reduce((lhs, rhs) => x`${lhs} + ' ' + ${rhs}`); + const style_expression_list = node2.styles.map((style_directive) => { + let { name, important, expression: { node: expression } } = style_directive; + if (important) { + expression = x`${expression} + ' !important'`; + } + return p`"${name}": ${expression}`; + }); + const style_expression = style_expression_list.length > 0 && x`{ ${style_expression_list} }`; + if (node2.attributes.some((attr) => attr.is_spread)) { + const args = []; + node2.attributes.forEach((attribute) => { + if (attribute.is_spread) { + args.push(x`@escape_object(${attribute.expression.node})`); + } else { + const attr_name = node2.namespace === namespaces.foreign ? attribute.name : fix_attribute_casing(attribute.name); + const name = attribute.name.toLowerCase(); + if (name === "value" && node2.name.toLowerCase() === "textarea") { + node_contents = get_attribute_value(attribute); + } else if (attribute.is_true) { + args.push(x`{ ${attr_name}: true }`); + } else if (boolean_attributes.has(name) && attribute.chunks.length === 1 && attribute.chunks[0].type !== "Text") { + args.push(x`{ ${attr_name}: ${attribute.chunks[0].node} || null }`); + } else if (attribute.chunks.length === 1 && attribute.chunks[0].type !== "Text") { + const snippet = attribute.chunks[0].node; + args.push(x`{ ${attr_name}: @escape_attribute_value(${snippet}) }`); + } else { + args.push(x`{ ${attr_name}: ${get_attribute_value(attribute)} }`); + } + } + }); + renderer.add_expression(x`@spread([${args}], { classes: ${class_expression}, styles: ${style_expression} })`); + } else { + let add_class_attribute = !!class_expression; + let add_style_attribute = !!style_expression; + node2.attributes.forEach((attribute) => { + const name = attribute.name.toLowerCase(); + const attr_name = node2.namespace === namespaces.foreign ? attribute.name : fix_attribute_casing(attribute.name); + if (name === "value" && node2.name.toLowerCase() === "textarea") { + node_contents = get_attribute_value(attribute); + } else if (attribute.is_true) { + renderer.add_string(` ${attr_name}`); + } else if (boolean_attributes.has(name) && attribute.chunks.length === 1 && attribute.chunks[0].type !== "Text") { + renderer.add_string(" "); + renderer.add_expression(x`${attribute.chunks[0].node} ? "${attr_name}" : ""`); + } else if (name === "class" && class_expression) { + add_class_attribute = false; + renderer.add_string(` ${attr_name}="`); + renderer.add_expression(x`[${get_class_attribute_value(attribute)}, ${class_expression}].join(' ').trim()`); + renderer.add_string('"'); + } else if (name === "style" && style_expression) { + add_style_attribute = false; + renderer.add_expression(x`@add_styles(@merge_ssr_styles(${get_attribute_value(attribute)}, ${style_expression}))`); + } else if (attribute.chunks.length === 1 && attribute.chunks[0].type !== "Text") { + const snippet = attribute.chunks[0].node; + renderer.add_expression(x`@add_attribute("${attr_name}", ${snippet}, ${boolean_attributes.has(name) ? 1 : 0})`); + } else { + renderer.add_string(` ${attr_name}="`); + renderer.add_expression((name === "class" ? get_class_attribute_value : get_attribute_value)(attribute)); + renderer.add_string('"'); + } + }); + if (add_class_attribute) { + renderer.add_expression(x`@add_classes((${class_expression}).trim())`); + } + if (add_style_attribute) { + renderer.add_expression(x`@add_styles(${style_expression})`); + } + } + node2.bindings.forEach((binding) => { + const { name, expression } = binding; + if (binding.is_readonly) { + return; + } + if (name === "group") { + const value_attribute = node2.attributes.find(({ name: name2 }) => name2 === "value"); + if (value_attribute) { + const value2 = get_attribute_expression(value_attribute); + const type = node2.get_static_attribute_value("type"); + const bound2 = expression.node; + const condition = type === "checkbox" ? x`~${bound2}.indexOf(${value2})` : x`${value2} === ${bound2}`; + renderer.add_expression(x`${condition} ? @add_attribute("checked", true, 1) : ""`); + } + } else if (contenteditable && (name === "textContent" || name === "innerHTML")) { + node_contents = expression.node; + } else if (binding.name === "value" && node2.name === "textarea") { + const snippet = expression.node; + node_contents = x`${snippet} || ""`; + } else if (binding.name === "value" && node2.name === "select") + ; + else { + const snippet = expression.node; + renderer.add_expression(x`@add_attribute("${name}", ${snippet}, ${boolean_attributes.has(name) ? 1 : 0})`); + } + }); + renderer.add_string(">"); + if (node_contents !== void 0) { + if (contenteditable) { + renderer.push(); + renderer.render(children, options); + const result = renderer.pop(); + renderer.add_expression(x`($$value => $$value === void 0 ? ${result} : $$value)(${node_contents})`); + } else { + if (node2.name === "textarea") { + const value_attribute = node2.attributes.find(({ name }) => name === "value"); + if (value_attribute) { + const first = value_attribute.chunks[0]; + if (first && first.type === "Text" && regex_starts_with_newline.test(first.data)) { + renderer.add_string("\n"); + } + } + } + renderer.add_expression(node_contents); + } + add_close_tag(); + } else { + if (node2.name === "pre") { + const first = children[0]; + if (first && first.type === "Text" && regex_starts_with_newline.test(first.data)) { + renderer.add_string("\n"); + } + } + if (node2.is_dynamic_element) + renderer.push(); + renderer.render(children, options); + if (node2.is_dynamic_element) { + const children2 = renderer.pop(); + renderer.add_expression(x`@is_void(#tag) ? '' : ${children2}`); + } + add_close_tag(); + } + if (node2.is_dynamic_element) { + let content = renderer.pop(); + if (options.dev && node2.children.length > 0) + content = x`(() => { @validate_void_dynamic_element(#tag); return ${content}; })()`; + renderer.add_expression(x`((#tag) => { + ${options.dev && x`@validate_dynamic_element(#tag)`} + return #tag ? ${content} : ''; + })(${node2.tag_expr.node})`); + } + function add_close_tag() { + if (node2.tag_expr.node.type === "Literal") { + if (!is_void(node2.tag_expr.node.value)) { + renderer.add_string(""); + } + return; + } + renderer.add_expression(x`@is_void(#tag) ? '' : \`\``); + } + function add_tag_name() { + if (node2.tag_expr.node.type === "Literal") { + renderer.add_string(node2.tag_expr.node.value); + } else { + renderer.add_expression(node2.tag_expr.node); + } + } + } + function Head$1(node2, renderer, options) { + const head_options = Object.assign(Object.assign({}, options), { head_id: node2.id }); + renderer.push(); + renderer.render(node2.children, head_options); + const result = renderer.pop(); + let expression = result; + if (options.hydratable) { + const start_comment = `HEAD_${node2.id}_START`; + const end_comment = `HEAD_${node2.id}_END`; + expression = x`'' + ${expression} + ''`; + } + renderer.add_expression(x`$$result.head += ${expression}, ""`); + } + function HtmlTag(node2, renderer, options) { + if (options.hydratable) + renderer.add_string(""); + renderer.add_expression(node2.expression.node); + if (options.hydratable) + renderer.add_string(""); + } + function IfBlock$1(node2, renderer, options) { + const condition = node2.expression.node; + renderer.push(); + renderer.render(node2.children, options); + let consequent = renderer.pop(); + if (node2.const_tags.length > 0) + consequent = x`(() => { ${get_const_tags$1(node2.const_tags)}; return ${consequent} })()`; + renderer.push(); + if (node2.else) + renderer.render(node2.else.children, options); + let alternate = renderer.pop(); + if (node2.else && node2.else.const_tags.length > 0) + alternate = x`(() => { ${get_const_tags$1(node2.else.const_tags)}; return ${alternate} })()`; + renderer.add_expression(x`${condition} ? ${consequent} : ${alternate}`); + } + function get_prop_value(attribute) { + if (attribute.is_true) + return x`true`; + if (attribute.chunks.length === 0) + return x`''`; + return attribute.chunks.map((chunk) => { + if (chunk.type === "Text") + return string_literal(chunk.data); + return chunk.node; + }).reduce((lhs, rhs) => x`${lhs} + ${rhs}`); + } + function InlineComponent$1(node2, renderer, options) { + const binding_props = []; + const binding_fns = []; + node2.bindings.forEach((binding) => { + renderer.has_bindings = true; + const snippet = binding.expression.node; + binding_props.push(p`${binding.name}: ${snippet}`); + binding_fns.push(p`${binding.name}: $$value => { ${snippet} = $$value; $$settled = false }`); + }); + const uses_spread = node2.attributes.find((attr) => attr.is_spread); + let props; + if (uses_spread) { + props = x`@_Object.assign({}, ${node2.attributes.map((attribute) => { + if (attribute.is_spread) { + return attribute.expression.node; + } else { + return x`{ ${attribute.name}: ${get_prop_value(attribute)} }`; + } + }).concat(binding_props.map((p2) => x`{ ${p2} }`))})`; + } else { + props = x`{ + ${node2.attributes.map((attribute) => p`${attribute.name}: ${get_prop_value(attribute)}`)}, + ${binding_props} + }`; + } + const bindings = x`{ + ${binding_fns} + }`; + const expression = node2.name === "svelte:self" ? renderer.name : node2.name === "svelte:component" ? x`(${node2.expression.node}) || @missing_component` : node2.name.split(".").reduce((lhs, rhs) => x`${lhs}.${rhs}`); + const slot_fns = []; + const children = node2.children; + if (children.length) { + const slot_scopes = /* @__PURE__ */ new Map(); + renderer.render(children, Object.assign({}, options, { + slot_scopes + })); + slot_scopes.forEach(({ input, output, statements }, name) => { + slot_fns.push(p`${name}: (${input}) => { ${statements}; return ${output}; }`); + }); + } + const slots = x`{ + ${slot_fns} + }`; + if (node2.css_custom_properties.length > 0) { + if (node2.namespace === namespaces.svg) { + renderer.add_string(' { + renderer.add_string(`${attr.name}:`); + renderer.add_expression(get_attribute_value(attr)); + renderer.add_string(";"); + if (index < node2.css_custom_properties.length - 1) + renderer.add_string(" "); + }); + renderer.add_string('">'); + } + renderer.add_expression(x`@validate_component(${expression}, "${node2.name}").$$render($$result, ${props}, ${bindings}, ${slots})`); + if (node2.css_custom_properties.length > 0) { + if (node2.namespace === namespaces.svg) { + renderer.add_string(""); + } else { + renderer.add_string(""); + } + } + } + function KeyBlock$1(node2, renderer, options) { + renderer.render(node2.children, options); + } + function get_slot_scope(lets) { + if (lets.length === 0) + return null; + return { + type: "ObjectPattern", + properties: lets.map((l) => { + return { + type: "Property", + kind: "init", + method: false, + shorthand: false, + computed: false, + key: l.name, + value: l.value || l.name + }; + }) + }; + } + function Slot$1(node2, renderer, options) { + const slot_data = get_slot_data(node2.values); + const slot = node2.get_static_attribute_value("slot"); + const nearest_inline_component = node2.find_nearest(/InlineComponent/); + if (slot && nearest_inline_component) { + renderer.push(); + } + renderer.push(); + renderer.render(node2.children, options); + const result = renderer.pop(); + renderer.add_expression(x` + #slots.${node2.slot_name} + ? #slots.${node2.slot_name}(${slot_data}) + : ${result} + `); + if (slot && nearest_inline_component) { + const lets = node2.lets; + const seen = new Set(lets.map((l) => l.name.name)); + nearest_inline_component.lets.forEach((l) => { + if (!seen.has(l.name.name)) + lets.push(l); + }); + options.slot_scopes.set(slot, { + input: get_slot_scope(node2.lets), + output: renderer.pop() + }); + } + } + function SlotTemplate$1(node2, renderer, options) { + const parent_inline_component = node2.parent; + const children = remove_whitespace_children(node2 instanceof SlotTemplate ? node2.children : [node2], node2.next); + renderer.push(); + renderer.render(children, options); + const lets = node2.lets; + const seen = new Set(lets.map((l) => l.name.name)); + parent_inline_component.lets.forEach((l) => { + if (!seen.has(l.name.name)) + lets.push(l); + }); + const slot_fragment_content = renderer.pop(); + if (!is_empty_template_literal(slot_fragment_content)) { + if (options.slot_scopes.has(node2.slot_template_name)) { + if (node2.slot_template_name === "default") { + throw new Error('Found elements without slot attribute when using slot="default"'); + } + throw new Error(`Duplicate slot name "${node2.slot_template_name}" in <${parent_inline_component.name}>`); + } + options.slot_scopes.set(node2.slot_template_name, { + input: get_slot_scope(node2.lets), + output: slot_fragment_content, + statements: get_const_tags$1(node2.const_tags) + }); + } + } + function is_empty_template_literal(template_literal) { + return template_literal.expressions.length === 0 && template_literal.quasis.length === 1 && template_literal.quasis[0].value.raw === ""; + } + function Tag$2(node2, renderer, _options) { + const snippet = node2.expression.node; + renderer.add_expression(node2.parent && node2.parent.type === "Element" && node2.parent.name === "style" ? snippet : x`@escape(${snippet})`); + } + function Text$1(node2, renderer, _options) { + let text2 = node2.data; + if (!node2.parent || node2.parent.type !== "Element" || node2.parent.name !== "script" && node2.parent.name !== "style") { + text2 = escape_html(text2); + } + renderer.add_string(text2); + } + function Title$1(node2, renderer, options) { + renderer.push(); + renderer.add_string(""); + renderer.render(node2.children, options); + renderer.add_string(""); + const result = renderer.pop(); + renderer.add_expression(x`$$result.title = ${result}, ""`); + } + function noop() { + } + var handlers$1 = { + AwaitBlock: AwaitBlock$1, + Body: noop, + Comment: Comment$2, + DebugTag: DebugTag$1, + EachBlock: EachBlock$1, + Element: Element$1, + Head: Head$1, + IfBlock: IfBlock$1, + InlineComponent: InlineComponent$1, + KeyBlock: KeyBlock$1, + MustacheTag: Tag$2, + Options: noop, + RawMustacheTag: HtmlTag, + Slot: Slot$1, + SlotTemplate: SlotTemplate$1, + Text: Text$1, + Title: Title$1, + Window: noop + }; + var Renderer$1 = class { + constructor({ name }) { + this.has_bindings = false; + this.stack = []; + this.targets = []; + this.name = name; + this.push(); + } + add_string(str) { + this.current.value += escape_template(str); + } + add_expression(node2) { + this.literal.quasis.push({ + type: "TemplateElement", + value: { raw: this.current.value, cooked: null }, + tail: false + }); + this.literal.expressions.push(node2); + this.current.value = ""; + } + push() { + const current2 = this.current = { value: "" }; + const literal2 = this.literal = { + type: "TemplateLiteral", + expressions: [], + quasis: [] + }; + this.stack.push({ current: current2, literal: literal2 }); + } + pop() { + this.literal.quasis.push({ + type: "TemplateElement", + value: { raw: this.current.value, cooked: null }, + tail: true + }); + const popped = this.stack.pop(); + const last = this.stack[this.stack.length - 1]; + if (last) { + this.literal = last.literal; + this.current = last.current; + } + return popped.literal; + } + render(nodes, options) { + nodes.forEach((node2) => { + const handler = handlers$1[node2.type]; + if (!handler) { + throw new Error(`No handler for '${node2.type}' nodes`); + } + handler(node2, this, options); + }); + } + }; + function ssr(component, options) { + const renderer = new Renderer$1({ + name: component.name + }); + const { name } = component; + renderer.render(trim(component.fragment.children), Object.assign({ + locate: component.locate + }, options)); + const literal2 = renderer.pop(); + const css = options.customElement ? { code: null, map: null } : component.stylesheet.render(options.filename, true); + const uses_rest = component.var_lookup.has("$$restProps"); + const props = component.vars.filter((variable) => !variable.module && variable.export_name); + const rest = uses_rest ? b`let $$restProps = @compute_rest_props($$props, [${props.map((prop) => `"${prop.export_name}"`).join(",")}]);` : null; + const uses_slots = component.var_lookup.has("$$slots"); + const slots = uses_slots ? b`let $$slots = @compute_slots(#slots);` : null; + const reactive_stores = component.vars.filter((variable) => variable.name[0] === "$" && variable.name[1] !== "$"); + const reactive_store_subscriptions = reactive_stores.filter((store) => { + const variable = component.var_lookup.get(store.name.slice(1)); + return !variable || variable.hoistable; + }).map(({ name: name2 }) => { + const store_name = name2.slice(1); + return b` + ${component.compile_options.dev && b`@validate_store(${store_name}, '${store_name}');`} + ${`$$unsubscribe_${store_name}`} = @subscribe(${store_name}, #value => ${name2} = #value) + `; + }); + const reactive_store_unsubscriptions = reactive_stores.map(({ name: name2 }) => b`${`$$unsubscribe_${name2.slice(1)}`}()`); + const reactive_store_declarations = reactive_stores.map(({ name: name2 }) => { + const store_name = name2.slice(1); + const store = component.var_lookup.get(store_name); + if (store && store.reassigned) { + const unsubscribe = `$$unsubscribe_${store_name}`; + const subscribe = `$$subscribe_${store_name}`; + return b`let ${name2}, ${unsubscribe} = @noop, ${subscribe} = () => (${unsubscribe}(), ${unsubscribe} = @subscribe(${store_name}, $$value => ${name2} = $$value), ${store_name})`; + } + return b`let ${name2}, ${`$$unsubscribe_${store_name}`};`; + }); + if (component.ast.instance) { + let scope2 = component.instance_scope; + const map = component.instance_scope_map; + walk(component.ast.instance.content, { + enter(node2) { + if (map.has(node2)) { + scope2 = map.get(node2); + } + }, + leave(node2) { + if (map.has(node2)) { + scope2 = scope2.parent; + } + if (node2.type === "AssignmentExpression" || node2.type === "UpdateExpression") { + const assignee = node2.type === "AssignmentExpression" ? node2.left : node2.argument; + const names = new Set(extract_names(assignee)); + const to_invalidate = /* @__PURE__ */ new Set(); + for (const name2 of names) { + const variable = component.var_lookup.get(name2); + if (variable && !variable.hoistable && !variable.global && !variable.module && (variable.subscribable || variable.name[0] === "$")) { + to_invalidate.add(variable.name); + } + } + if (to_invalidate.size) { + this.replace(invalidate({ component }, scope2, node2, to_invalidate, true)); + } + } + } + }); + } + component.rewrite_props(({ name: name2, reassigned }) => { + const value2 = `$${name2}`; + let insert2 = reassigned ? b`${`$$subscribe_${name2}`}()` : b`${`$$unsubscribe_${name2}`} = @subscribe(${name2}, #value => $${value2} = #value)`; + if (component.compile_options.dev) { + insert2 = b`@validate_store(${name2}, '${name2}'); ${insert2}`; + } + return insert2; + }); + const instance_javascript = component.extract_javascript(component.ast.instance); + const parent_bindings = instance_javascript ? component.vars.filter((variable) => !variable.module && variable.export_name).map((prop) => { + return b`if ($$props.${prop.export_name} === void 0 && $$bindings.${prop.export_name} && ${prop.name} !== void 0) $$bindings.${prop.export_name}(${prop.name});`; + }) : []; + const injected = Array.from(component.injected_reactive_declaration_vars).filter((name2) => { + const variable = component.var_lookup.get(name2); + return variable.injected; + }); + const reactive_declarations = component.reactive_declarations.map((d) => { + const body = d.node.body; + let statement = b`${body}`; + if (!d.declaration) { + statement = b`$: { ${statement} }`; + } + return statement; + }); + const main = renderer.has_bindings ? b` + let $$settled; + let $$rendered; + + do { + $$settled = true; + + ${reactive_declarations} + + $$rendered = ${literal2}; + } while (!$$settled); + + ${reactive_store_unsubscriptions} + + return $$rendered; + ` : b` + ${reactive_declarations} + + ${reactive_store_unsubscriptions} + + return ${literal2};`; + const blocks = [ + ...injected.map((name2) => b`let ${name2};`), + rest, + slots, + ...reactive_store_declarations, + ...reactive_store_subscriptions, + instance_javascript, + ...parent_bindings, + css.code && b`$$result.css.add(#css);`, + main + ].filter(Boolean); + const css_sourcemap_enabled = check_enable_sourcemap(options.enableSourcemap, "css"); + const js = b` + ${css.code ? b` + const #css = { + code: "${css.code}", + map: ${css_sourcemap_enabled && css.map ? string_literal(css.map.toString()) : "null"} + };` : null} + + ${component.extract_javascript(component.ast.module)} + + ${component.fully_hoisted} + + const ${name} = @create_ssr_component(($$result, $$props, $$bindings, #slots) => { + ${blocks} + }); + `; + return { js, css }; + } + function trim(nodes) { + let start = 0; + for (; start < nodes.length; start += 1) { + const node2 = nodes[start]; + if (node2.type !== "Text") + break; + node2.data = node2.data.replace(/^\s+/, ""); + if (node2.data) + break; + } + let end = nodes.length; + for (; end > start; end -= 1) { + const node2 = nodes[end - 1]; + if (node2.type !== "Text") + break; + node2.data = node2.data.trimRight(); + if (node2.data) + break; + } + return nodes.slice(start, end); + } + var globals = /* @__PURE__ */ new Set([ + "AbortController", + "AbortSignal", + "AbstractRange", + "ActiveXObject", + "AggregateError", + "AnalyserNode", + "Animation", + "AnimationEffect", + "AnimationEvent", + "AnimationPlaybackEvent", + "AnimationTimeline", + "Array", + "ArrayBuffer", + "Atomics", + "Attr", + "Audio", + "AudioBuffer", + "AudioBufferSourceNode", + "AudioContext", + "AudioDestinationNode", + "AudioListener", + "AudioNode", + "AudioParam", + "AudioParamMap", + "AudioProcessingEvent", + "AudioScheduledSourceNode", + "AudioWorklet", + "AudioWorkletNode", + "AuthenticatorAssertionResponse", + "AuthenticatorAttestationResponse", + "AuthenticatorResponse", + "BarProp", + "BaseAudioContext", + "BeforeUnloadEvent", + "BigInt", + "BigInt64Array", + "BigUint64Array", + "BiquadFilterNode", + "Blob", + "BlobEvent", + "Boolean", + "BroadcastChannel", + "ByteLengthQueuingStrategy", + "CDATASection", + "CSS", + "CSSAnimation", + "CSSConditionRule", + "CSSCounterStyleRule", + "CSSFontFaceRule", + "CSSGroupingRule", + "CSSImportRule", + "CSSKeyframeRule", + "CSSKeyframesRule", + "CSSMediaRule", + "CSSNamespaceRule", + "CSSPageRule", + "CSSRule", + "CSSRuleList", + "CSSStyleDeclaration", + "CSSStyleRule", + "CSSStyleSheet", + "CSSSupportsRule", + "CSSTransition", + "Cache", + "CacheStorage", + "CanvasCaptureMediaStreamTrack", + "CanvasGradient", + "CanvasPattern", + "CanvasRenderingContext2D", + "ChannelMergerNode", + "ChannelSplitterNode", + "CharacterData", + "ClientRect", + "Clipboard", + "ClipboardEvent", + "ClipboardItem", + "CloseEvent", + "Comment", + "CompositionEvent", + "ConstantSourceNode", + "ConvolverNode", + "CountQueuingStrategy", + "Credential", + "CredentialsContainer", + "Crypto", + "CryptoKey", + "CustomElementRegistry", + "CustomEvent", + "DOMException", + "DOMImplementation", + "DOMMatrix", + "DOMMatrixReadOnly", + "DOMParser", + "DOMPoint", + "DOMPointReadOnly", + "DOMQuad", + "DOMRect", + "DOMRectList", + "DOMRectReadOnly", + "DOMStringList", + "DOMStringMap", + "DOMTokenList", + "DataTransfer", + "DataTransferItem", + "DataTransferItemList", + "DataView", + "Date", + "DelayNode", + "DeviceMotionEvent", + "DeviceOrientationEvent", + "Document", + "DocumentFragment", + "DocumentTimeline", + "DocumentType", + "DragEvent", + "DynamicsCompressorNode", + "Element", + "ElementInternals", + "Enumerator", + "Error", + "ErrorEvent", + "EvalError", + "Event", + "EventCounts", + "EventSource", + "EventTarget", + "External", + "File", + "FileList", + "FileReader", + "FileSystem", + "FileSystemDirectoryEntry", + "FileSystemDirectoryHandle", + "FileSystemDirectoryReader", + "FileSystemEntry", + "FileSystemFileEntry", + "FileSystemFileHandle", + "FileSystemHandle", + "FinalizationRegistry", + "Float32Array", + "Float64Array", + "FocusEvent", + "FontFace", + "FontFaceSet", + "FontFaceSetLoadEvent", + "FormData", + "FormDataEvent", + "Function", + "GainNode", + "Gamepad", + "GamepadButton", + "GamepadEvent", + "GamepadHapticActuator", + "Geolocation", + "GeolocationCoordinates", + "GeolocationPosition", + "GeolocationPositionError", + "HTMLAllCollection", + "HTMLAnchorElement", + "HTMLAreaElement", + "HTMLAudioElement", + "HTMLBRElement", + "HTMLBaseElement", + "HTMLBodyElement", + "HTMLButtonElement", + "HTMLCanvasElement", + "HTMLCollection", + "HTMLDListElement", + "HTMLDataElement", + "HTMLDataListElement", + "HTMLDetailsElement", + "HTMLDialogElement", + "HTMLDirectoryElement", + "HTMLDivElement", + "HTMLDocument", + "HTMLElement", + "HTMLEmbedElement", + "HTMLFieldSetElement", + "HTMLFontElement", + "HTMLFormControlsCollection", + "HTMLFormElement", + "HTMLFrameElement", + "HTMLFrameSetElement", + "HTMLHRElement", + "HTMLHeadElement", + "HTMLHeadingElement", + "HTMLHtmlElement", + "HTMLIFrameElement", + "HTMLImageElement", + "HTMLInputElement", + "HTMLLIElement", + "HTMLLabelElement", + "HTMLLegendElement", + "HTMLLinkElement", + "HTMLMapElement", + "HTMLMarqueeElement", + "HTMLMediaElement", + "HTMLMenuElement", + "HTMLMetaElement", + "HTMLMeterElement", + "HTMLModElement", + "HTMLOListElement", + "HTMLObjectElement", + "HTMLOptGroupElement", + "HTMLOptionElement", + "HTMLOptionsCollection", + "HTMLOutputElement", + "HTMLParagraphElement", + "HTMLParamElement", + "HTMLPictureElement", + "HTMLPreElement", + "HTMLProgressElement", + "HTMLQuoteElement", + "HTMLScriptElement", + "HTMLSelectElement", + "HTMLSlotElement", + "HTMLSourceElement", + "HTMLSpanElement", + "HTMLStyleElement", + "HTMLTableCaptionElement", + "HTMLTableCellElement", + "HTMLTableColElement", + "HTMLTableElement", + "HTMLTableRowElement", + "HTMLTableSectionElement", + "HTMLTemplateElement", + "HTMLTextAreaElement", + "HTMLTimeElement", + "HTMLTitleElement", + "HTMLTrackElement", + "HTMLUListElement", + "HTMLUnknownElement", + "HTMLVideoElement", + "HashChangeEvent", + "Headers", + "History", + "IDBCursor", + "IDBCursorWithValue", + "IDBDatabase", + "IDBFactory", + "IDBIndex", + "IDBKeyRange", + "IDBObjectStore", + "IDBOpenDBRequest", + "IDBRequest", + "IDBTransaction", + "IDBVersionChangeEvent", + "IIRFilterNode", + "IdleDeadline", + "Image", + "ImageBitmap", + "ImageBitmapRenderingContext", + "ImageData", + "Infinity", + "InputDeviceInfo", + "InputEvent", + "Int16Array", + "Int32Array", + "Int8Array", + "InternalError", + "IntersectionObserver", + "IntersectionObserverEntry", + "Intl", + "JSON", + "KeyboardEvent", + "KeyframeEffect", + "Location", + "Lock", + "LockManager", + "Map", + "Math", + "MathMLElement", + "MediaCapabilities", + "MediaDeviceInfo", + "MediaDevices", + "MediaElementAudioSourceNode", + "MediaEncryptedEvent", + "MediaError", + "MediaKeyMessageEvent", + "MediaKeySession", + "MediaKeyStatusMap", + "MediaKeySystemAccess", + "MediaKeys", + "MediaList", + "MediaMetadata", + "MediaQueryList", + "MediaQueryListEvent", + "MediaRecorder", + "MediaRecorderErrorEvent", + "MediaSession", + "MediaSource", + "MediaStream", + "MediaStreamAudioDestinationNode", + "MediaStreamAudioSourceNode", + "MediaStreamTrack", + "MediaStreamTrackEvent", + "MessageChannel", + "MessageEvent", + "MessagePort", + "MimeType", + "MimeTypeArray", + "MouseEvent", + "MutationEvent", + "MutationObserver", + "MutationRecord", + "NaN", + "NamedNodeMap", + "NavigationPreloadManager", + "Navigator", + "NetworkInformation", + "Node", + "NodeFilter", + "NodeIterator", + "NodeList", + "Notification", + "Number", + "Object", + "OfflineAudioCompletionEvent", + "OfflineAudioContext", + "Option", + "OscillatorNode", + "OverconstrainedError", + "PageTransitionEvent", + "PannerNode", + "Path2D", + "PaymentAddress", + "PaymentMethodChangeEvent", + "PaymentRequest", + "PaymentRequestUpdateEvent", + "PaymentResponse", + "Performance", + "PerformanceEntry", + "PerformanceEventTiming", + "PerformanceMark", + "PerformanceMeasure", + "PerformanceNavigation", + "PerformanceNavigationTiming", + "PerformanceObserver", + "PerformanceObserverEntryList", + "PerformancePaintTiming", + "PerformanceResourceTiming", + "PerformanceServerTiming", + "PerformanceTiming", + "PeriodicWave", + "PermissionStatus", + "Permissions", + "PictureInPictureWindow", + "Plugin", + "PluginArray", + "PointerEvent", + "PopStateEvent", + "ProcessingInstruction", + "ProgressEvent", + "Promise", + "PromiseRejectionEvent", + "Proxy", + "PublicKeyCredential", + "PushManager", + "PushSubscription", + "PushSubscriptionOptions", + "RTCCertificate", + "RTCDTMFSender", + "RTCDTMFToneChangeEvent", + "RTCDataChannel", + "RTCDataChannelEvent", + "RTCDtlsTransport", + "RTCEncodedAudioFrame", + "RTCEncodedVideoFrame", + "RTCError", + "RTCErrorEvent", + "RTCIceCandidate", + "RTCIceTransport", + "RTCPeerConnection", + "RTCPeerConnectionIceErrorEvent", + "RTCPeerConnectionIceEvent", + "RTCRtpReceiver", + "RTCRtpSender", + "RTCRtpTransceiver", + "RTCSctpTransport", + "RTCSessionDescription", + "RTCStatsReport", + "RTCTrackEvent", + "RadioNodeList", + "Range", + "RangeError", + "ReadableByteStreamController", + "ReadableStream", + "ReadableStreamBYOBReader", + "ReadableStreamBYOBRequest", + "ReadableStreamDefaultController", + "ReadableStreamDefaultReader", + "ReferenceError", + "Reflect", + "RegExp", + "RemotePlayback", + "Request", + "ResizeObserver", + "ResizeObserverEntry", + "ResizeObserverSize", + "Response", + "SVGAElement", + "SVGAngle", + "SVGAnimateElement", + "SVGAnimateMotionElement", + "SVGAnimateTransformElement", + "SVGAnimatedAngle", + "SVGAnimatedBoolean", + "SVGAnimatedEnumeration", + "SVGAnimatedInteger", + "SVGAnimatedLength", + "SVGAnimatedLengthList", + "SVGAnimatedNumber", + "SVGAnimatedNumberList", + "SVGAnimatedPreserveAspectRatio", + "SVGAnimatedRect", + "SVGAnimatedString", + "SVGAnimatedTransformList", + "SVGAnimationElement", + "SVGCircleElement", + "SVGClipPathElement", + "SVGComponentTransferFunctionElement", + "SVGCursorElement", + "SVGDefsElement", + "SVGDescElement", + "SVGElement", + "SVGEllipseElement", + "SVGFEBlendElement", + "SVGFEColorMatrixElement", + "SVGFEComponentTransferElement", + "SVGFECompositeElement", + "SVGFEConvolveMatrixElement", + "SVGFEDiffuseLightingElement", + "SVGFEDisplacementMapElement", + "SVGFEDistantLightElement", + "SVGFEDropShadowElement", + "SVGFEFloodElement", + "SVGFEFuncAElement", + "SVGFEFuncBElement", + "SVGFEFuncGElement", + "SVGFEFuncRElement", + "SVGFEGaussianBlurElement", + "SVGFEImageElement", + "SVGFEMergeElement", + "SVGFEMergeNodeElement", + "SVGFEMorphologyElement", + "SVGFEOffsetElement", + "SVGFEPointLightElement", + "SVGFESpecularLightingElement", + "SVGFESpotLightElement", + "SVGFETileElement", + "SVGFETurbulenceElement", + "SVGFilterElement", + "SVGForeignObjectElement", + "SVGGElement", + "SVGGeometryElement", + "SVGGradientElement", + "SVGGraphicsElement", + "SVGImageElement", + "SVGLength", + "SVGLengthList", + "SVGLineElement", + "SVGLinearGradientElement", + "SVGMPathElement", + "SVGMarkerElement", + "SVGMaskElement", + "SVGMatrix", + "SVGMetadataElement", + "SVGNumber", + "SVGNumberList", + "SVGPathElement", + "SVGPatternElement", + "SVGPoint", + "SVGPointList", + "SVGPolygonElement", + "SVGPolylineElement", + "SVGPreserveAspectRatio", + "SVGRadialGradientElement", + "SVGRect", + "SVGRectElement", + "SVGSVGElement", + "SVGScriptElement", + "SVGSetElement", + "SVGStopElement", + "SVGStringList", + "SVGStyleElement", + "SVGSwitchElement", + "SVGSymbolElement", + "SVGTSpanElement", + "SVGTextContentElement", + "SVGTextElement", + "SVGTextPathElement", + "SVGTextPositioningElement", + "SVGTitleElement", + "SVGTransform", + "SVGTransformList", + "SVGUnitTypes", + "SVGUseElement", + "SVGViewElement", + "SafeArray", + "Screen", + "ScreenOrientation", + "ScriptProcessorNode", + "SecurityPolicyViolationEvent", + "Selection", + "ServiceWorker", + "ServiceWorkerContainer", + "ServiceWorkerRegistration", + "Set", + "ShadowRoot", + "SharedArrayBuffer", + "SharedWorker", + "SourceBuffer", + "SourceBufferList", + "SpeechRecognitionAlternative", + "SpeechRecognitionErrorEvent", + "SpeechRecognitionResult", + "SpeechRecognitionResultList", + "SpeechSynthesis", + "SpeechSynthesisErrorEvent", + "SpeechSynthesisEvent", + "SpeechSynthesisUtterance", + "SpeechSynthesisVoice", + "StaticRange", + "StereoPannerNode", + "Storage", + "StorageEvent", + "StorageManager", + "String", + "StyleMedia", + "StyleSheet", + "StyleSheetList", + "SubmitEvent", + "SubtleCrypto", + "Symbol", + "SyntaxError", + "Text", + "TextDecoder", + "TextDecoderStream", + "TextEncoder", + "TextEncoderStream", + "TextMetrics", + "TextTrack", + "TextTrackCue", + "TextTrackCueList", + "TextTrackList", + "TimeRanges", + "Touch", + "TouchEvent", + "TouchList", + "TrackEvent", + "TransformStream", + "TransformStreamDefaultController", + "TransitionEvent", + "TreeWalker", + "TypeError", + "UIEvent", + "URIError", + "URL", + "URLSearchParams", + "Uint16Array", + "Uint32Array", + "Uint8Array", + "Uint8ClampedArray", + "VBArray", + "VTTCue", + "VTTRegion", + "ValidityState", + "VarDate", + "VideoColorSpace", + "VideoPlaybackQuality", + "VisualViewport", + "WSH", + "WScript", + "WaveShaperNode", + "WeakMap", + "WeakRef", + "WeakSet", + "WebAssembly", + "WebGL2RenderingContext", + "WebGLActiveInfo", + "WebGLBuffer", + "WebGLContextEvent", + "WebGLFramebuffer", + "WebGLProgram", + "WebGLQuery", + "WebGLRenderbuffer", + "WebGLRenderingContext", + "WebGLSampler", + "WebGLShader", + "WebGLShaderPrecisionFormat", + "WebGLSync", + "WebGLTexture", + "WebGLTransformFeedback", + "WebGLUniformLocation", + "WebGLVertexArrayObject", + "WebKitCSSMatrix", + "WebSocket", + "WheelEvent", + "Window", + "Worker", + "Worklet", + "WritableStream", + "WritableStreamDefaultController", + "WritableStreamDefaultWriter", + "XMLDocument", + "XMLHttpRequest", + "XMLHttpRequestEventTarget", + "XMLHttpRequestUpload", + "XMLSerializer", + "XPathEvaluator", + "XPathExpression", + "XPathResult", + "XSLTProcessor", + "addEventListener", + "alert", + "atob", + "blur", + "btoa", + "caches", + "cancelAnimationFrame", + "cancelIdleCallback", + "captureEvents", + "clearInterval", + "clearTimeout", + "clientInformation", + "close", + "closed", + "confirm", + "console", + "createImageBitmap", + "crossOriginIsolated", + "crypto", + "customElements", + "decodeURI", + "decodeURIComponent", + "devicePixelRatio", + "dispatchEvent", + "document", + "encodeURI", + "encodeURIComponent", + "escape", + "eval", + "event", + "external", + "fetch", + "focus", + "frameElement", + "frames", + "getComputedStyle", + "getSelection", + "global", + "globalThis", + "history", + "importScripts", + "indexedDB", + "innerHeight", + "innerWidth", + "isFinite", + "isNaN", + "isSecureContext", + "length", + "localStorage", + "location", + "locationbar", + "matchMedia", + "menubar", + "moveBy", + "moveTo", + "name", + "navigator", + "onabort", + "onafterprint", + "onanimationcancel", + "onanimationend", + "onanimationiteration", + "onanimationstart", + "onauxclick", + "onbeforeprint", + "onbeforeunload", + "onblur", + "oncanplay", + "oncanplaythrough", + "onchange", + "onclick", + "onclose", + "oncontextmenu", + "oncuechange", + "ondblclick", + "ondevicemotion", + "ondeviceorientation", + "ondrag", + "ondragend", + "ondragenter", + "ondragleave", + "ondragover", + "ondragstart", + "ondrop", + "ondurationchange", + "onemptied", + "onended", + "onerror", + "onfocus", + "onformdata", + "ongamepadconnected", + "ongamepaddisconnected", + "ongotpointercapture", + "onhashchange", + "oninput", + "oninvalid", + "onkeydown", + "onkeypress", + "onkeyup", + "onlanguagechange", + "onload", + "onloadeddata", + "onloadedmetadata", + "onloadstart", + "onlostpointercapture", + "onmessage", + "onmessageerror", + "onmousedown", + "onmouseenter", + "onmouseleave", + "onmousemove", + "onmouseout", + "onmouseover", + "onmouseup", + "onoffline", + "ononline", + "onorientationchange", + "onpagehide", + "onpageshow", + "onpause", + "onplay", + "onplaying", + "onpointercancel", + "onpointerdown", + "onpointerenter", + "onpointerleave", + "onpointermove", + "onpointerout", + "onpointerover", + "onpointerup", + "onpopstate", + "onprogress", + "onratechange", + "onrejectionhandled", + "onreset", + "onresize", + "onscroll", + "onsecuritypolicyviolation", + "onseeked", + "onseeking", + "onselect", + "onselectionchange", + "onselectstart", + "onslotchange", + "onstalled", + "onstorage", + "onsubmit", + "onsuspend", + "ontimeupdate", + "ontoggle", + "ontouchcancel", + "ontouchend", + "ontouchmove", + "ontouchstart", + "ontransitioncancel", + "ontransitionend", + "ontransitionrun", + "ontransitionstart", + "onunhandledrejection", + "onunload", + "onvolumechange", + "onwaiting", + "onwebkitanimationend", + "onwebkitanimationiteration", + "onwebkitanimationstart", + "onwebkittransitionend", + "onwheel", + "open", + "opener", + "orientation", + "origin", + "outerHeight", + "outerWidth", + "pageXOffset", + "pageYOffset", + "parent", + "parseFloat", + "parseInt", + "performance", + "personalbar", + "postMessage", + "print", + "process", + "prompt", + "queueMicrotask", + "releaseEvents", + "removeEventListener", + "reportError", + "requestAnimationFrame", + "requestIdleCallback", + "resizeBy", + "resizeTo", + "screen", + "screenLeft", + "screenTop", + "screenX", + "screenY", + "scroll", + "scrollBy", + "scrollTo", + "scrollX", + "scrollY", + "scrollbars", + "self", + "sessionStorage", + "setInterval", + "setTimeout", + "speechSynthesis", + "status", + "statusbar", + "stop", + "structuredClone", + "toString", + "toolbar", + "top", + "undefined", + "unescape", + "visualViewport", + "webkitURL", + "window" + ]); + var wrappers$1 = { esm, cjs }; + function create_module(program, format, name, banner, sveltePath = "svelte", helpers, globals2, imports, module_exports, exports_from) { + const internal_path = `${sveltePath}/internal`; + helpers.sort((a, b2) => a.name < b2.name ? -1 : 1); + globals2.sort((a, b2) => a.name < b2.name ? -1 : 1); + const formatter = wrappers$1[format]; + if (!formatter) { + throw new Error(`options.format is invalid (must be ${list$1(Object.keys(wrappers$1))})`); + } + return formatter(program, name, banner, sveltePath, internal_path, helpers, globals2, imports, module_exports, exports_from); + } + function edit_source(source, sveltePath) { + return source === "svelte" || source.startsWith("svelte/") ? source.replace("svelte", sveltePath) : source; + } + function get_internal_globals(globals2, helpers) { + return globals2.length > 0 && { + type: "VariableDeclaration", + kind: "const", + declarations: [{ + type: "VariableDeclarator", + id: { + type: "ObjectPattern", + properties: globals2.map((g2) => ({ + type: "Property", + method: false, + shorthand: false, + computed: false, + key: { type: "Identifier", name: g2.name }, + value: g2.alias, + kind: "init" + })) + }, + init: helpers.find(({ name }) => name === "globals").alias + }] + }; + } + function esm(program, name, banner, sveltePath, internal_path, helpers, globals2, imports, module_exports, exports_from) { + const import_declaration = { + type: "ImportDeclaration", + specifiers: helpers.map((h) => ({ + type: "ImportSpecifier", + local: h.alias, + imported: { type: "Identifier", name: h.name } + })), + source: { type: "Literal", value: internal_path } + }; + const internal_globals = get_internal_globals(globals2, helpers); + function rewrite_import(node2) { + const value2 = edit_source(node2.source.value, sveltePath); + if (node2.source.value !== value2) { + node2.source.value = value2; + node2.source.raw = null; + } + } + imports.forEach(rewrite_import); + exports_from.forEach(rewrite_import); + const exports = module_exports.length > 0 && { + type: "ExportNamedDeclaration", + specifiers: module_exports.map((x2) => ({ + type: "Specifier", + local: { type: "Identifier", name: x2.name }, + exported: { type: "Identifier", name: x2.as } + })) + }; + program.body = b` + /* ${banner} */ + + ${import_declaration} + ${internal_globals} + ${imports} + ${exports_from} + + ${program.body} + + export default ${name}; + ${exports} + `; + } + function cjs(program, name, banner, sveltePath, internal_path, helpers, globals2, imports, module_exports, exports_from) { + const internal_requires = { + type: "VariableDeclaration", + kind: "const", + declarations: [{ + type: "VariableDeclarator", + id: { + type: "ObjectPattern", + properties: helpers.map((h) => ({ + type: "Property", + method: false, + shorthand: false, + computed: false, + key: { type: "Identifier", name: h.name }, + value: h.alias, + kind: "init" + })) + }, + init: x`require("${internal_path}")` + }] + }; + const internal_globals = get_internal_globals(globals2, helpers); + const user_requires = imports.map((node2) => { + const init = x`require("${edit_source(node2.source.value, sveltePath)}")`; + if (node2.specifiers.length === 0) { + return b`${init};`; + } + return { + type: "VariableDeclaration", + kind: "const", + declarations: [{ + type: "VariableDeclarator", + id: node2.specifiers[0].type === "ImportNamespaceSpecifier" ? { type: "Identifier", name: node2.specifiers[0].local.name } : { + type: "ObjectPattern", + properties: node2.specifiers.map((s) => ({ + type: "Property", + method: false, + shorthand: false, + computed: false, + key: s.type === "ImportSpecifier" ? s.imported : { type: "Identifier", name: "default" }, + value: s.local, + kind: "init" + })) + }, + init + }] + }; + }); + const exports = module_exports.map((x2) => b`exports.${{ type: "Identifier", name: x2.as }} = ${{ type: "Identifier", name: x2.name }};`); + const user_exports_from = exports_from.map((node2) => { + const init = x`require("${edit_source(node2.source.value, sveltePath)}")`; + return node2.specifiers.map((specifier) => { + return b`exports.${specifier.exported} = ${init}.${specifier.local};`; + }); + }); + program.body = b` + /* ${banner} */ + + "use strict"; + ${internal_requires} + ${internal_globals} + ${user_requires} + ${user_exports_from} + + ${program.body} + + exports.default = ${name}; + ${exports} + `; + } + var Chunk = function Chunk2(start, end, content) { + this.start = start; + this.end = end; + this.original = content; + this.intro = ""; + this.outro = ""; + this.content = content; + this.storeName = false; + this.edited = false; + Object.defineProperties(this, { + previous: { writable: true, value: null }, + next: { writable: true, value: null } + }); + }; + Chunk.prototype.appendLeft = function appendLeft(content) { + this.outro += content; + }; + Chunk.prototype.appendRight = function appendRight(content) { + this.intro = this.intro + content; + }; + Chunk.prototype.clone = function clone2() { + var chunk = new Chunk(this.start, this.end, this.original); + chunk.intro = this.intro; + chunk.outro = this.outro; + chunk.content = this.content; + chunk.storeName = this.storeName; + chunk.edited = this.edited; + return chunk; + }; + Chunk.prototype.contains = function contains(index) { + return this.start < index && index < this.end; + }; + Chunk.prototype.eachNext = function eachNext(fn) { + var chunk = this; + while (chunk) { + fn(chunk); + chunk = chunk.next; + } + }; + Chunk.prototype.eachPrevious = function eachPrevious(fn) { + var chunk = this; + while (chunk) { + fn(chunk); + chunk = chunk.previous; + } + }; + Chunk.prototype.edit = function edit(content, storeName, contentOnly) { + this.content = content; + if (!contentOnly) { + this.intro = ""; + this.outro = ""; + } + this.storeName = storeName; + this.edited = true; + return this; + }; + Chunk.prototype.prependLeft = function prependLeft(content) { + this.outro = content + this.outro; + }; + Chunk.prototype.prependRight = function prependRight(content) { + this.intro = content + this.intro; + }; + Chunk.prototype.split = function split(index) { + var sliceIndex = index - this.start; + var originalBefore = this.original.slice(0, sliceIndex); + var originalAfter = this.original.slice(sliceIndex); + this.original = originalBefore; + var newChunk = new Chunk(index, this.end, originalAfter); + newChunk.outro = this.outro; + this.outro = ""; + this.end = index; + if (this.edited) { + newChunk.edit("", false); + this.content = ""; + } else { + this.content = originalBefore; + } + newChunk.next = this.next; + if (newChunk.next) { + newChunk.next.previous = newChunk; + } + newChunk.previous = this; + this.next = newChunk; + return newChunk; + }; + Chunk.prototype.toString = function toString2() { + return this.intro + this.content + this.outro; + }; + Chunk.prototype.trimEnd = function trimEnd(rx) { + this.outro = this.outro.replace(rx, ""); + if (this.outro.length) { + return true; + } + var trimmed = this.content.replace(rx, ""); + if (trimmed.length) { + if (trimmed !== this.content) { + this.split(this.start + trimmed.length).edit("", void 0, true); + } + return true; + } else { + this.edit("", void 0, true); + this.intro = this.intro.replace(rx, ""); + if (this.intro.length) { + return true; + } + } + }; + Chunk.prototype.trimStart = function trimStart(rx) { + this.intro = this.intro.replace(rx, ""); + if (this.intro.length) { + return true; + } + var trimmed = this.content.replace(rx, ""); + if (trimmed.length) { + if (trimmed !== this.content) { + this.split(this.end - trimmed.length); + this.edit("", void 0, true); + } + return true; + } else { + this.edit("", void 0, true); + this.outro = this.outro.replace(rx, ""); + if (this.outro.length) { + return true; + } + } + }; + var btoa$2 = function() { + throw new Error("Unsupported environment: `window.btoa` or `Buffer` should be supported."); + }; + if (typeof window !== "undefined" && typeof window.btoa === "function") { + btoa$2 = function(str) { + return window.btoa(unescape(encodeURIComponent(str))); + }; + } else if (typeof Buffer === "function") { + btoa$2 = function(str) { + return Buffer.from(str, "utf-8").toString("base64"); + }; + } + var SourceMap$1 = function SourceMap2(properties2) { + this.version = 3; + this.file = properties2.file; + this.sources = properties2.sources; + this.sourcesContent = properties2.sourcesContent; + this.names = properties2.names; + this.mappings = encode(properties2.mappings); + }; + SourceMap$1.prototype.toString = function toString3() { + return JSON.stringify(this); + }; + SourceMap$1.prototype.toUrl = function toUrl() { + return "data:application/json;charset=utf-8;base64," + btoa$2(this.toString()); + }; + function guessIndent(code) { + var lines = code.split("\n"); + var tabbed = lines.filter(function(line) { + return /^\t+/.test(line); + }); + var spaced = lines.filter(function(line) { + return /^ {2,}/.test(line); + }); + if (tabbed.length === 0 && spaced.length === 0) { + return null; + } + if (tabbed.length >= spaced.length) { + return " "; + } + var min = spaced.reduce(function(previous, current2) { + var numSpaces = /^ +/.exec(current2)[0].length; + return Math.min(numSpaces, previous); + }, Infinity); + return new Array(min + 1).join(" "); + } + function getRelativePath(from, to) { + var fromParts = from.split(/[/\\]/); + var toParts = to.split(/[/\\]/); + fromParts.pop(); + while (fromParts[0] === toParts[0]) { + fromParts.shift(); + toParts.shift(); + } + if (fromParts.length) { + var i = fromParts.length; + while (i--) { + fromParts[i] = ".."; + } + } + return fromParts.concat(toParts).join("/"); + } + var toString$2 = Object.prototype.toString; + function isObject(thing) { + return toString$2.call(thing) === "[object Object]"; + } + function getLocator$1(source) { + var originalLines = source.split("\n"); + var lineOffsets = []; + for (var i = 0, pos = 0; i < originalLines.length; i++) { + lineOffsets.push(pos); + pos += originalLines[i].length + 1; + } + return function locate2(index) { + var i2 = 0; + var j = lineOffsets.length; + while (i2 < j) { + var m = i2 + j >> 1; + if (index < lineOffsets[m]) { + j = m; + } else { + i2 = m + 1; + } + } + var line = i2 - 1; + var column = index - lineOffsets[line]; + return { line, column }; + }; + } + var Mappings = function Mappings2(hires) { + this.hires = hires; + this.generatedCodeLine = 0; + this.generatedCodeColumn = 0; + this.raw = []; + this.rawSegments = this.raw[this.generatedCodeLine] = []; + this.pending = null; + }; + Mappings.prototype.addEdit = function addEdit(sourceIndex, content, loc, nameIndex) { + if (content.length) { + var segment = [this.generatedCodeColumn, sourceIndex, loc.line, loc.column]; + if (nameIndex >= 0) { + segment.push(nameIndex); + } + this.rawSegments.push(segment); + } else if (this.pending) { + this.rawSegments.push(this.pending); + } + this.advance(content); + this.pending = null; + }; + Mappings.prototype.addUneditedChunk = function addUneditedChunk(sourceIndex, chunk, original, loc, sourcemapLocations) { + var originalCharIndex = chunk.start; + var first = true; + while (originalCharIndex < chunk.end) { + if (this.hires || first || sourcemapLocations[originalCharIndex]) { + this.rawSegments.push([this.generatedCodeColumn, sourceIndex, loc.line, loc.column]); + } + if (original[originalCharIndex] === "\n") { + loc.line += 1; + loc.column = 0; + this.generatedCodeLine += 1; + this.raw[this.generatedCodeLine] = this.rawSegments = []; + this.generatedCodeColumn = 0; + } else { + loc.column += 1; + this.generatedCodeColumn += 1; + } + originalCharIndex += 1; + first = false; + } + this.pending = [this.generatedCodeColumn, sourceIndex, loc.line, loc.column]; + }; + Mappings.prototype.advance = function advance2(str) { + if (!str) { + return; + } + var lines = str.split("\n"); + if (lines.length > 1) { + for (var i = 0; i < lines.length - 1; i++) { + this.generatedCodeLine++; + this.raw[this.generatedCodeLine] = this.rawSegments = []; + } + this.generatedCodeColumn = 0; + } + this.generatedCodeColumn += lines[lines.length - 1].length; + }; + var n = "\n"; + var warned = { + insertLeft: false, + insertRight: false, + storeName: false + }; + var MagicString = function MagicString2(string, options) { + if (options === void 0) + options = {}; + var chunk = new Chunk(0, string.length, string); + Object.defineProperties(this, { + original: { writable: true, value: string }, + outro: { writable: true, value: "" }, + intro: { writable: true, value: "" }, + firstChunk: { writable: true, value: chunk }, + lastChunk: { writable: true, value: chunk }, + lastSearchedChunk: { writable: true, value: chunk }, + byStart: { writable: true, value: {} }, + byEnd: { writable: true, value: {} }, + filename: { writable: true, value: options.filename }, + indentExclusionRanges: { writable: true, value: options.indentExclusionRanges }, + sourcemapLocations: { writable: true, value: {} }, + storedNames: { writable: true, value: {} }, + indentStr: { writable: true, value: guessIndent(string) } + }); + this.byStart[0] = chunk; + this.byEnd[string.length] = chunk; + }; + MagicString.prototype.addSourcemapLocation = function addSourcemapLocation(char) { + this.sourcemapLocations[char] = true; + }; + MagicString.prototype.append = function append(content) { + if (typeof content !== "string") { + throw new TypeError("outro content must be a string"); + } + this.outro += content; + return this; + }; + MagicString.prototype.appendLeft = function appendLeft2(index, content) { + if (typeof content !== "string") { + throw new TypeError("inserted content must be a string"); + } + this._split(index); + var chunk = this.byEnd[index]; + if (chunk) { + chunk.appendLeft(content); + } else { + this.intro += content; + } + return this; + }; + MagicString.prototype.appendRight = function appendRight2(index, content) { + if (typeof content !== "string") { + throw new TypeError("inserted content must be a string"); + } + this._split(index); + var chunk = this.byStart[index]; + if (chunk) { + chunk.appendRight(content); + } else { + this.outro += content; + } + return this; + }; + MagicString.prototype.clone = function clone3() { + var cloned = new MagicString(this.original, { filename: this.filename }); + var originalChunk = this.firstChunk; + var clonedChunk = cloned.firstChunk = cloned.lastSearchedChunk = originalChunk.clone(); + while (originalChunk) { + cloned.byStart[clonedChunk.start] = clonedChunk; + cloned.byEnd[clonedChunk.end] = clonedChunk; + var nextOriginalChunk = originalChunk.next; + var nextClonedChunk = nextOriginalChunk && nextOriginalChunk.clone(); + if (nextClonedChunk) { + clonedChunk.next = nextClonedChunk; + nextClonedChunk.previous = clonedChunk; + clonedChunk = nextClonedChunk; + } + originalChunk = nextOriginalChunk; + } + cloned.lastChunk = clonedChunk; + if (this.indentExclusionRanges) { + cloned.indentExclusionRanges = this.indentExclusionRanges.slice(); + } + Object.keys(this.sourcemapLocations).forEach(function(loc) { + cloned.sourcemapLocations[loc] = true; + }); + return cloned; + }; + MagicString.prototype.generateDecodedMap = function generateDecodedMap(options) { + var this$1 = this; + options = options || {}; + var sourceIndex = 0; + var names = Object.keys(this.storedNames); + var mappings = new Mappings(options.hires); + var locate2 = getLocator$1(this.original); + if (this.intro) { + mappings.advance(this.intro); + } + this.firstChunk.eachNext(function(chunk) { + var loc = locate2(chunk.start); + if (chunk.intro.length) { + mappings.advance(chunk.intro); + } + if (chunk.edited) { + mappings.addEdit( + sourceIndex, + chunk.content, + loc, + chunk.storeName ? names.indexOf(chunk.original) : -1 + ); + } else { + mappings.addUneditedChunk(sourceIndex, chunk, this$1.original, loc, this$1.sourcemapLocations); + } + if (chunk.outro.length) { + mappings.advance(chunk.outro); + } + }); + return { + file: options.file ? options.file.split(/[/\\]/).pop() : null, + sources: [options.source ? getRelativePath(options.file || "", options.source) : null], + sourcesContent: options.includeContent ? [this.original] : [null], + names, + mappings: mappings.raw + }; + }; + MagicString.prototype.generateMap = function generateMap(options) { + return new SourceMap$1(this.generateDecodedMap(options)); + }; + MagicString.prototype.getIndentString = function getIndentString() { + return this.indentStr === null ? " " : this.indentStr; + }; + MagicString.prototype.indent = function indent(indentStr, options) { + var pattern = /^[^\r\n]/gm; + if (isObject(indentStr)) { + options = indentStr; + indentStr = void 0; + } + indentStr = indentStr !== void 0 ? indentStr : this.indentStr || " "; + if (indentStr === "") { + return this; + } + options = options || {}; + var isExcluded = {}; + if (options.exclude) { + var exclusions = typeof options.exclude[0] === "number" ? [options.exclude] : options.exclude; + exclusions.forEach(function(exclusion) { + for (var i = exclusion[0]; i < exclusion[1]; i += 1) { + isExcluded[i] = true; + } + }); + } + var shouldIndentNextCharacter = options.indentStart !== false; + var replacer = function(match) { + if (shouldIndentNextCharacter) { + return "" + indentStr + match; + } + shouldIndentNextCharacter = true; + return match; + }; + this.intro = this.intro.replace(pattern, replacer); + var charIndex = 0; + var chunk = this.firstChunk; + while (chunk) { + var end = chunk.end; + if (chunk.edited) { + if (!isExcluded[charIndex]) { + chunk.content = chunk.content.replace(pattern, replacer); + if (chunk.content.length) { + shouldIndentNextCharacter = chunk.content[chunk.content.length - 1] === "\n"; + } + } + } else { + charIndex = chunk.start; + while (charIndex < end) { + if (!isExcluded[charIndex]) { + var char = this.original[charIndex]; + if (char === "\n") { + shouldIndentNextCharacter = true; + } else if (char !== "\r" && shouldIndentNextCharacter) { + shouldIndentNextCharacter = false; + if (charIndex === chunk.start) { + chunk.prependRight(indentStr); + } else { + this._splitChunk(chunk, charIndex); + chunk = chunk.next; + chunk.prependRight(indentStr); + } + } + } + charIndex += 1; + } + } + charIndex = chunk.end; + chunk = chunk.next; + } + this.outro = this.outro.replace(pattern, replacer); + return this; + }; + MagicString.prototype.insert = function insert() { + throw new Error("magicString.insert(...) is deprecated. Use prependRight(...) or appendLeft(...)"); + }; + MagicString.prototype.insertLeft = function insertLeft(index, content) { + if (!warned.insertLeft) { + console.warn("magicString.insertLeft(...) is deprecated. Use magicString.appendLeft(...) instead"); + warned.insertLeft = true; + } + return this.appendLeft(index, content); + }; + MagicString.prototype.insertRight = function insertRight(index, content) { + if (!warned.insertRight) { + console.warn("magicString.insertRight(...) is deprecated. Use magicString.prependRight(...) instead"); + warned.insertRight = true; + } + return this.prependRight(index, content); + }; + MagicString.prototype.move = function move(start, end, index) { + if (index >= start && index <= end) { + throw new Error("Cannot move a selection inside itself"); + } + this._split(start); + this._split(end); + this._split(index); + var first = this.byStart[start]; + var last = this.byEnd[end]; + var oldLeft = first.previous; + var oldRight = last.next; + var newRight = this.byStart[index]; + if (!newRight && last === this.lastChunk) { + return this; + } + var newLeft = newRight ? newRight.previous : this.lastChunk; + if (oldLeft) { + oldLeft.next = oldRight; + } + if (oldRight) { + oldRight.previous = oldLeft; + } + if (newLeft) { + newLeft.next = first; + } + if (newRight) { + newRight.previous = last; + } + if (!first.previous) { + this.firstChunk = last.next; + } + if (!last.next) { + this.lastChunk = first.previous; + this.lastChunk.next = null; + } + first.previous = newLeft; + last.next = newRight || null; + if (!newLeft) { + this.firstChunk = first; + } + if (!newRight) { + this.lastChunk = last; + } + return this; + }; + MagicString.prototype.overwrite = function overwrite(start, end, content, options) { + if (typeof content !== "string") { + throw new TypeError("replacement content must be a string"); + } + while (start < 0) { + start += this.original.length; + } + while (end < 0) { + end += this.original.length; + } + if (end > this.original.length) { + throw new Error("end is out of bounds"); + } + if (start === end) { + throw new Error("Cannot overwrite a zero-length range \u2013 use appendLeft or prependRight instead"); + } + this._split(start); + this._split(end); + if (options === true) { + if (!warned.storeName) { + console.warn("The final argument to magicString.overwrite(...) should be an options object. See https://github.com/rich-harris/magic-string"); + warned.storeName = true; + } + options = { storeName: true }; + } + var storeName = options !== void 0 ? options.storeName : false; + var contentOnly = options !== void 0 ? options.contentOnly : false; + if (storeName) { + var original = this.original.slice(start, end); + this.storedNames[original] = true; + } + var first = this.byStart[start]; + var last = this.byEnd[end]; + if (first) { + if (end > first.end && first.next !== this.byStart[first.end]) { + throw new Error("Cannot overwrite across a split point"); + } + first.edit(content, storeName, contentOnly); + if (first !== last) { + var chunk = first.next; + while (chunk !== last) { + chunk.edit("", false); + chunk = chunk.next; + } + chunk.edit("", false); + } + } else { + var newChunk = new Chunk(start, end, "").edit(content, storeName); + last.next = newChunk; + newChunk.previous = last; + } + return this; + }; + MagicString.prototype.prepend = function prepend(content) { + if (typeof content !== "string") { + throw new TypeError("outro content must be a string"); + } + this.intro = content + this.intro; + return this; + }; + MagicString.prototype.prependLeft = function prependLeft2(index, content) { + if (typeof content !== "string") { + throw new TypeError("inserted content must be a string"); + } + this._split(index); + var chunk = this.byEnd[index]; + if (chunk) { + chunk.prependLeft(content); + } else { + this.intro = content + this.intro; + } + return this; + }; + MagicString.prototype.prependRight = function prependRight2(index, content) { + if (typeof content !== "string") { + throw new TypeError("inserted content must be a string"); + } + this._split(index); + var chunk = this.byStart[index]; + if (chunk) { + chunk.prependRight(content); + } else { + this.outro = content + this.outro; + } + return this; + }; + MagicString.prototype.remove = function remove(start, end) { + while (start < 0) { + start += this.original.length; + } + while (end < 0) { + end += this.original.length; + } + if (start === end) { + return this; + } + if (start < 0 || end > this.original.length) { + throw new Error("Character is out of bounds"); + } + if (start > end) { + throw new Error("end must be greater than start"); + } + this._split(start); + this._split(end); + var chunk = this.byStart[start]; + while (chunk) { + chunk.intro = ""; + chunk.outro = ""; + chunk.edit(""); + chunk = end > chunk.end ? this.byStart[chunk.end] : null; + } + return this; + }; + MagicString.prototype.lastChar = function lastChar() { + if (this.outro.length) { + return this.outro[this.outro.length - 1]; + } + var chunk = this.lastChunk; + do { + if (chunk.outro.length) { + return chunk.outro[chunk.outro.length - 1]; + } + if (chunk.content.length) { + return chunk.content[chunk.content.length - 1]; + } + if (chunk.intro.length) { + return chunk.intro[chunk.intro.length - 1]; + } + } while (chunk = chunk.previous); + if (this.intro.length) { + return this.intro[this.intro.length - 1]; + } + return ""; + }; + MagicString.prototype.lastLine = function lastLine() { + var lineIndex = this.outro.lastIndexOf(n); + if (lineIndex !== -1) { + return this.outro.substr(lineIndex + 1); + } + var lineStr = this.outro; + var chunk = this.lastChunk; + do { + if (chunk.outro.length > 0) { + lineIndex = chunk.outro.lastIndexOf(n); + if (lineIndex !== -1) { + return chunk.outro.substr(lineIndex + 1) + lineStr; + } + lineStr = chunk.outro + lineStr; + } + if (chunk.content.length > 0) { + lineIndex = chunk.content.lastIndexOf(n); + if (lineIndex !== -1) { + return chunk.content.substr(lineIndex + 1) + lineStr; + } + lineStr = chunk.content + lineStr; + } + if (chunk.intro.length > 0) { + lineIndex = chunk.intro.lastIndexOf(n); + if (lineIndex !== -1) { + return chunk.intro.substr(lineIndex + 1) + lineStr; + } + lineStr = chunk.intro + lineStr; + } + } while (chunk = chunk.previous); + lineIndex = this.intro.lastIndexOf(n); + if (lineIndex !== -1) { + return this.intro.substr(lineIndex + 1) + lineStr; + } + return this.intro + lineStr; + }; + MagicString.prototype.slice = function slice2(start, end) { + if (start === void 0) + start = 0; + if (end === void 0) + end = this.original.length; + while (start < 0) { + start += this.original.length; + } + while (end < 0) { + end += this.original.length; + } + var result = ""; + var chunk = this.firstChunk; + while (chunk && (chunk.start > start || chunk.end <= start)) { + if (chunk.start < end && chunk.end >= end) { + return result; + } + chunk = chunk.next; + } + if (chunk && chunk.edited && chunk.start !== start) { + throw new Error("Cannot use replaced character " + start + " as slice start anchor."); + } + var startChunk = chunk; + while (chunk) { + if (chunk.intro && (startChunk !== chunk || chunk.start === start)) { + result += chunk.intro; + } + var containsEnd = chunk.start < end && chunk.end >= end; + if (containsEnd && chunk.edited && chunk.end !== end) { + throw new Error("Cannot use replaced character " + end + " as slice end anchor."); + } + var sliceStart = startChunk === chunk ? start - chunk.start : 0; + var sliceEnd = containsEnd ? chunk.content.length + end - chunk.end : chunk.content.length; + result += chunk.content.slice(sliceStart, sliceEnd); + if (chunk.outro && (!containsEnd || chunk.end === end)) { + result += chunk.outro; + } + if (containsEnd) { + break; + } + chunk = chunk.next; + } + return result; + }; + MagicString.prototype.snip = function snip(start, end) { + var clone4 = this.clone(); + clone4.remove(0, start); + clone4.remove(end, clone4.original.length); + return clone4; + }; + MagicString.prototype._split = function _split(index) { + if (this.byStart[index] || this.byEnd[index]) { + return; + } + var chunk = this.lastSearchedChunk; + var searchForward = index > chunk.end; + while (chunk) { + if (chunk.contains(index)) { + return this._splitChunk(chunk, index); + } + chunk = searchForward ? this.byStart[chunk.end] : this.byEnd[chunk.start]; + } + }; + MagicString.prototype._splitChunk = function _splitChunk(chunk, index) { + if (chunk.edited && chunk.content.length) { + var loc = getLocator$1(this.original)(index); + throw new Error( + "Cannot split a chunk that has already been edited (" + loc.line + ":" + loc.column + ' \u2013 "' + chunk.original + '")' + ); + } + var newChunk = chunk.split(index); + this.byEnd[index] = chunk; + this.byStart[index] = newChunk; + this.byEnd[newChunk.end] = newChunk; + if (chunk === this.lastChunk) { + this.lastChunk = newChunk; + } + this.lastSearchedChunk = chunk; + return true; + }; + MagicString.prototype.toString = function toString4() { + var str = this.intro; + var chunk = this.firstChunk; + while (chunk) { + str += chunk.toString(); + chunk = chunk.next; + } + return str + this.outro; + }; + MagicString.prototype.isEmpty = function isEmpty() { + var chunk = this.firstChunk; + do { + if (chunk.intro.length && chunk.intro.trim() || chunk.content.length && chunk.content.trim() || chunk.outro.length && chunk.outro.trim()) { + return false; + } + } while (chunk = chunk.next); + return true; + }; + MagicString.prototype.length = function length() { + var chunk = this.firstChunk; + var length2 = 0; + do { + length2 += chunk.intro.length + chunk.content.length + chunk.outro.length; + } while (chunk = chunk.next); + return length2; + }; + MagicString.prototype.trimLines = function trimLines() { + return this.trim("[\\r\\n]"); + }; + MagicString.prototype.trim = function trim2(charType) { + return this.trimStart(charType).trimEnd(charType); + }; + MagicString.prototype.trimEndAborted = function trimEndAborted(charType) { + var rx = new RegExp((charType || "\\s") + "+$"); + this.outro = this.outro.replace(rx, ""); + if (this.outro.length) { + return true; + } + var chunk = this.lastChunk; + do { + var end = chunk.end; + var aborted = chunk.trimEnd(rx); + if (chunk.end !== end) { + if (this.lastChunk === chunk) { + this.lastChunk = chunk.next; + } + this.byEnd[chunk.end] = chunk; + this.byStart[chunk.next.start] = chunk.next; + this.byEnd[chunk.next.end] = chunk.next; + } + if (aborted) { + return true; + } + chunk = chunk.previous; + } while (chunk); + return false; + }; + MagicString.prototype.trimEnd = function trimEnd2(charType) { + this.trimEndAborted(charType); + return this; + }; + MagicString.prototype.trimStartAborted = function trimStartAborted(charType) { + var rx = new RegExp("^" + (charType || "\\s") + "+"); + this.intro = this.intro.replace(rx, ""); + if (this.intro.length) { + return true; + } + var chunk = this.firstChunk; + do { + var end = chunk.end; + var aborted = chunk.trimStart(rx); + if (chunk.end !== end) { + if (chunk === this.lastChunk) { + this.lastChunk = chunk.next; + } + this.byEnd[chunk.end] = chunk; + this.byStart[chunk.next.start] = chunk.next; + this.byEnd[chunk.next.end] = chunk.next; + } + if (aborted) { + return true; + } + chunk = chunk.next; + } while (chunk); + return false; + }; + MagicString.prototype.trimStart = function trimStart2(charType) { + this.trimStartAborted(charType); + return this; + }; + var UNKNOWN = {}; + function gather_possible_values(node2, set) { + if (node2.type === "Literal") { + set.add(node2.value); + } else if (node2.type === "ConditionalExpression") { + gather_possible_values(node2.consequent, set); + gather_possible_values(node2.alternate, set); + } else { + set.add(UNKNOWN); + } + } + var BlockAppliesToNode; + (function(BlockAppliesToNode2) { + BlockAppliesToNode2[BlockAppliesToNode2["NotPossible"] = 0] = "NotPossible"; + BlockAppliesToNode2[BlockAppliesToNode2["Possible"] = 1] = "Possible"; + BlockAppliesToNode2[BlockAppliesToNode2["UnknownSelectorType"] = 2] = "UnknownSelectorType"; + })(BlockAppliesToNode || (BlockAppliesToNode = {})); + var NodeExist; + (function(NodeExist2) { + NodeExist2[NodeExist2["Probably"] = 1] = "Probably"; + NodeExist2[NodeExist2["Definitely"] = 2] = "Definitely"; + })(NodeExist || (NodeExist = {})); + var whitelist_attribute_selector = /* @__PURE__ */ new Map([ + ["details", /* @__PURE__ */ new Set(["open"])], + ["dialog", /* @__PURE__ */ new Set(["open"])] + ]); + var regex_is_single_css_selector = /[^\\],(?!([^([]+[^\\]|[^([\\])[)\]])/; + var Selector = class { + constructor(node2, stylesheet) { + this.node = node2; + this.stylesheet = stylesheet; + this.blocks = group_selectors(node2); + let i = this.blocks.length; + while (i > 0) { + if (!this.blocks[i - 1].global) + break; + i -= 1; + } + this.local_blocks = this.blocks.slice(0, i); + const host_only = this.blocks.length === 1 && this.blocks[0].host; + const root_only = this.blocks.length === 1 && this.blocks[0].root; + this.used = this.local_blocks.length === 0 || host_only || root_only; + } + apply(node2) { + const to_encapsulate = []; + apply_selector(this.local_blocks.slice(), node2, to_encapsulate); + if (to_encapsulate.length > 0) { + to_encapsulate.forEach(({ node: node3, block }) => { + this.stylesheet.nodes_with_css_class.add(node3); + block.should_encapsulate = true; + }); + this.used = true; + } + } + minify(code) { + let c2 = null; + this.blocks.forEach((block, i) => { + if (i > 0) { + if (block.start - c2 > 1) { + code.overwrite(c2, block.start, block.combinator.name || " "); + } + } + c2 = block.end; + }); + } + transform(code, attr, max_amount_class_specificity_increased) { + const amount_class_specificity_to_increase = max_amount_class_specificity_increased - this.blocks.filter((block) => block.should_encapsulate).length; + function remove_global_pseudo_class(selector2) { + const first = selector2.children[0]; + const last = selector2.children[selector2.children.length - 1]; + code.remove(selector2.start, first.start).remove(last.end, selector2.end); + } + function encapsulate_block(block, attr2) { + for (const selector2 of block.selectors) { + if (selector2.type === "PseudoClassSelector" && selector2.name === "global") { + remove_global_pseudo_class(selector2); + } + } + let i = block.selectors.length; + while (i--) { + const selector2 = block.selectors[i]; + if (selector2.type === "PseudoElementSelector" || selector2.type === "PseudoClassSelector") { + if (selector2.name !== "root" && selector2.name !== "host") { + if (i === 0) + code.prependRight(selector2.start, attr2); + } + continue; + } + if (selector2.type === "TypeSelector" && selector2.name === "*") { + code.overwrite(selector2.start, selector2.end, attr2); + } else { + code.appendLeft(selector2.end, attr2); + } + break; + } + } + this.blocks.forEach((block, index) => { + if (block.global) { + remove_global_pseudo_class(block.selectors[0]); + } + if (block.should_encapsulate) + encapsulate_block(block, index === this.blocks.length - 1 ? attr.repeat(amount_class_specificity_to_increase + 1) : attr); + }); + } + validate(component) { + let start = 0; + let end = this.blocks.length; + for (; start < end; start += 1) { + if (!this.blocks[start].global) + break; + } + for (; end > start; end -= 1) { + if (!this.blocks[end - 1].global) + break; + } + for (let i = start; i < end; i += 1) { + if (this.blocks[i].global) { + return component.error(this.blocks[i].selectors[0], compiler_errors.css_invalid_global); + } + } + this.validate_global_with_multiple_selectors(component); + this.validate_invalid_combinator_without_selector(component); + } + validate_global_with_multiple_selectors(component) { + if (this.blocks.length === 1 && this.blocks[0].selectors.length === 1) { + return; + } + for (const block of this.blocks) { + for (const selector2 of block.selectors) { + if (selector2.type === "PseudoClassSelector" && selector2.name === "global") { + if (regex_is_single_css_selector.test(selector2.children[0].value)) { + component.error(selector2, compiler_errors.css_invalid_global_selector); + } + } + } + } + } + validate_invalid_combinator_without_selector(component) { + for (let i = 0; i < this.blocks.length; i++) { + const block = this.blocks[i]; + if (block.combinator && block.selectors.length === 0) { + component.error(this.node, compiler_errors.css_invalid_selector(component.source.slice(this.node.start, this.node.end))); + } + if (!block.combinator && block.selectors.length === 0) { + component.error(this.node, compiler_errors.css_invalid_selector(component.source.slice(this.node.start, this.node.end))); + } + } + } + get_amount_class_specificity_increased() { + let count = 0; + for (const block of this.blocks) { + if (block.should_encapsulate) { + count++; + } + } + return count; + } + }; + function apply_selector(blocks, node2, to_encapsulate) { + const block = blocks.pop(); + if (!block) + return false; + if (!node2) { + return block.global && blocks.every((block2) => block2.global) || block.host && blocks.length === 0; + } + switch (block_might_apply_to_node(block, node2)) { + case BlockAppliesToNode.NotPossible: + return false; + case BlockAppliesToNode.UnknownSelectorType: + to_encapsulate.push({ node: node2, block }); + return true; + } + if (block.combinator) { + if (block.combinator.type === "Combinator" && block.combinator.name === " ") { + for (const ancestor_block of blocks) { + if (ancestor_block.global) { + continue; + } + if (ancestor_block.host) { + to_encapsulate.push({ node: node2, block }); + return true; + } + let parent = node2; + while (parent = get_element_parent(parent)) { + if (block_might_apply_to_node(ancestor_block, parent) !== BlockAppliesToNode.NotPossible) { + to_encapsulate.push({ node: parent, block: ancestor_block }); + } + } + if (to_encapsulate.length) { + to_encapsulate.push({ node: node2, block }); + return true; + } + } + if (blocks.every((block2) => block2.global)) { + to_encapsulate.push({ node: node2, block }); + return true; + } + return false; + } else if (block.combinator.name === ">") { + const has_global_parent = blocks.every((block2) => block2.global); + if (has_global_parent || apply_selector(blocks, get_element_parent(node2), to_encapsulate)) { + to_encapsulate.push({ node: node2, block }); + return true; + } + return false; + } else if (block.combinator.name === "+" || block.combinator.name === "~") { + const siblings = get_possible_element_siblings(node2, block.combinator.name === "+"); + let has_match = false; + const has_global = blocks.some((block2) => block2.global); + if (has_global) { + if (siblings.size === 0 && get_element_parent(node2) !== null) { + return false; + } + to_encapsulate.push({ node: node2, block }); + return true; + } + for (const possible_sibling of siblings.keys()) { + if (apply_selector(blocks.slice(), possible_sibling, to_encapsulate)) { + to_encapsulate.push({ node: node2, block }); + has_match = true; + } + } + return has_match; + } + to_encapsulate.push({ node: node2, block }); + return true; + } + to_encapsulate.push({ node: node2, block }); + return true; + } + var regex_backslash_and_following_character = /\\(.)/g; + function block_might_apply_to_node(block, node2) { + let i = block.selectors.length; + while (i--) { + const selector2 = block.selectors[i]; + const name = typeof selector2.name === "string" && selector2.name.replace(regex_backslash_and_following_character, "$1"); + if (selector2.type === "PseudoClassSelector" && (name === "host" || name === "root")) { + return BlockAppliesToNode.NotPossible; + } + if (block.selectors.length === 1 && selector2.type === "PseudoClassSelector" && name === "global") { + return BlockAppliesToNode.NotPossible; + } + if (selector2.type === "PseudoClassSelector" || selector2.type === "PseudoElementSelector") { + continue; + } + if (selector2.type === "ClassSelector") { + if (!attribute_matches(node2, "class", name, "~=", false) && !node2.classes.some((c2) => c2.name === name)) + return BlockAppliesToNode.NotPossible; + } else if (selector2.type === "IdSelector") { + if (!attribute_matches(node2, "id", name, "=", false)) + return BlockAppliesToNode.NotPossible; + } else if (selector2.type === "AttributeSelector") { + if (!(whitelist_attribute_selector.has(node2.name.toLowerCase()) && whitelist_attribute_selector.get(node2.name.toLowerCase()).has(selector2.name.name.toLowerCase())) && !attribute_matches(node2, selector2.name.name, selector2.value && unquote(selector2.value), selector2.matcher, selector2.flags)) { + return BlockAppliesToNode.NotPossible; + } + } else if (selector2.type === "TypeSelector") { + if (node2.name.toLowerCase() !== name.toLowerCase() && name !== "*" && !node2.is_dynamic_element) + return BlockAppliesToNode.NotPossible; + } else { + return BlockAppliesToNode.UnknownSelectorType; + } + } + return BlockAppliesToNode.Possible; + } + function test_attribute(operator, expected_value, case_insensitive, value2) { + if (case_insensitive) { + expected_value = expected_value.toLowerCase(); + value2 = value2.toLowerCase(); + } + switch (operator) { + case "=": + return value2 === expected_value; + case "~=": + return value2.split(/\s/).includes(expected_value); + case "|=": + return `${value2}-`.startsWith(`${expected_value}-`); + case "^=": + return value2.startsWith(expected_value); + case "$=": + return value2.endsWith(expected_value); + case "*=": + return value2.includes(expected_value); + default: + throw new Error("this shouldn't happen"); + } + } + function attribute_matches(node2, name, expected_value, operator, case_insensitive) { + const spread = node2.attributes.find((attr2) => attr2.type === "Spread"); + if (spread) + return true; + if (node2.bindings.some((binding) => binding.name === name)) + return true; + const attr = node2.attributes.find((attr2) => attr2.name === name); + if (!attr) + return false; + if (attr.is_true) + return operator === null; + if (!expected_value) + return true; + if (attr.chunks.length === 1) { + const value2 = attr.chunks[0]; + if (!value2) + return false; + if (value2.type === "Text") + return test_attribute(operator, expected_value, case_insensitive, value2.data); + } + const possible_values = /* @__PURE__ */ new Set(); + let prev_values = []; + for (const chunk of attr.chunks) { + const current_possible_values = /* @__PURE__ */ new Set(); + if (chunk.type === "Text") { + current_possible_values.add(chunk.data); + } else { + gather_possible_values(chunk.node, current_possible_values); + } + if (current_possible_values.has(UNKNOWN)) + return true; + if (prev_values.length > 0) { + const start_with_space = []; + const remaining = []; + current_possible_values.forEach((current_possible_value) => { + if (regex_starts_with_whitespace.test(current_possible_value)) { + start_with_space.push(current_possible_value); + } else { + remaining.push(current_possible_value); + } + }); + if (remaining.length > 0) { + if (start_with_space.length > 0) { + prev_values.forEach((prev_value) => possible_values.add(prev_value)); + } + const combined = []; + prev_values.forEach((prev_value) => { + remaining.forEach((value2) => { + combined.push(prev_value + value2); + }); + }); + prev_values = combined; + start_with_space.forEach((value2) => { + if (regex_ends_with_whitespace.test(value2)) { + possible_values.add(value2); + } else { + prev_values.push(value2); + } + }); + continue; + } else { + prev_values.forEach((prev_value) => possible_values.add(prev_value)); + prev_values = []; + } + } + current_possible_values.forEach((current_possible_value) => { + if (regex_ends_with_whitespace.test(current_possible_value)) { + possible_values.add(current_possible_value); + } else { + prev_values.push(current_possible_value); + } + }); + if (prev_values.length < current_possible_values.size) { + prev_values.push(" "); + } + if (prev_values.length > 20) { + return true; + } + } + prev_values.forEach((prev_value) => possible_values.add(prev_value)); + if (possible_values.has(UNKNOWN)) + return true; + for (const value2 of possible_values) { + if (test_attribute(operator, expected_value, case_insensitive, value2)) + return true; + } + return false; + } + function unquote(value2) { + if (value2.type === "Identifier") + return value2.name; + const str = value2.value; + if (str[0] === str[str.length - 1] && str[0] === "'" || str[0] === '"') { + return str.slice(1, str.length - 1); + } + return str; + } + function get_element_parent(node2) { + let parent = node2; + while ((parent = parent.parent) && parent.type !== "Element") + ; + return parent; + } + function get_possible_element_siblings(node2, adjacent_only) { + const result = /* @__PURE__ */ new Map(); + let prev = node2; + while (prev = prev.prev) { + if (prev.type === "Element") { + if (!prev.attributes.find((attr) => attr.type === "Attribute" && attr.name.toLowerCase() === "slot")) { + result.set(prev, NodeExist.Definitely); + } + if (adjacent_only) { + break; + } + } else if (prev.type === "EachBlock" || prev.type === "IfBlock" || prev.type === "AwaitBlock") { + const possible_last_child = get_possible_last_child(prev, adjacent_only); + add_to_map(possible_last_child, result); + if (adjacent_only && has_definite_elements(possible_last_child)) { + return result; + } + } + } + if (!prev || !adjacent_only) { + let parent = node2; + let skip_each_for_last_child = node2.type === "ElseBlock"; + while ((parent = parent.parent) && (parent.type === "EachBlock" || parent.type === "IfBlock" || parent.type === "ElseBlock" || parent.type === "AwaitBlock")) { + const possible_siblings = get_possible_element_siblings(parent, adjacent_only); + add_to_map(possible_siblings, result); + if (parent.type === "EachBlock") { + if (skip_each_for_last_child) { + skip_each_for_last_child = false; + } else { + add_to_map(get_possible_last_child(parent, adjacent_only), result); + } + } else if (parent.type === "ElseBlock") { + skip_each_for_last_child = true; + parent = parent.parent; + } + if (adjacent_only && has_definite_elements(possible_siblings)) { + break; + } + } + } + return result; + } + function get_possible_last_child(block, adjacent_only) { + const result = /* @__PURE__ */ new Map(); + if (block.type === "EachBlock") { + const each_result = loop_child(block.children, adjacent_only); + const else_result = block.else ? loop_child(block.else.children, adjacent_only) : /* @__PURE__ */ new Map(); + const not_exhaustive = !has_definite_elements(else_result); + if (not_exhaustive) { + mark_as_probably(each_result); + mark_as_probably(else_result); + } + add_to_map(each_result, result); + add_to_map(else_result, result); + } else if (block.type === "IfBlock") { + const if_result = loop_child(block.children, adjacent_only); + const else_result = block.else ? loop_child(block.else.children, adjacent_only) : /* @__PURE__ */ new Map(); + const not_exhaustive = !has_definite_elements(if_result) || !has_definite_elements(else_result); + if (not_exhaustive) { + mark_as_probably(if_result); + mark_as_probably(else_result); + } + add_to_map(if_result, result); + add_to_map(else_result, result); + } else if (block.type === "AwaitBlock") { + const pending_result = block.pending ? loop_child(block.pending.children, adjacent_only) : /* @__PURE__ */ new Map(); + const then_result = block.then ? loop_child(block.then.children, adjacent_only) : /* @__PURE__ */ new Map(); + const catch_result = block.catch ? loop_child(block.catch.children, adjacent_only) : /* @__PURE__ */ new Map(); + const not_exhaustive = !has_definite_elements(pending_result) || !has_definite_elements(then_result) || !has_definite_elements(catch_result); + if (not_exhaustive) { + mark_as_probably(pending_result); + mark_as_probably(then_result); + mark_as_probably(catch_result); + } + add_to_map(pending_result, result); + add_to_map(then_result, result); + add_to_map(catch_result, result); + } + return result; + } + function has_definite_elements(result) { + if (result.size === 0) + return false; + for (const exist of result.values()) { + if (exist === NodeExist.Definitely) { + return true; + } + } + return false; + } + function add_to_map(from, to) { + from.forEach((exist, element) => { + to.set(element, higher_existence(exist, to.get(element))); + }); + } + function higher_existence(exist1, exist2) { + if (exist1 === void 0 || exist2 === void 0) + return exist1 || exist2; + return exist1 > exist2 ? exist1 : exist2; + } + function mark_as_probably(result) { + for (const key of result.keys()) { + result.set(key, NodeExist.Probably); + } + } + function loop_child(children, adjacent_only) { + const result = /* @__PURE__ */ new Map(); + for (let i = children.length - 1; i >= 0; i--) { + const child = children[i]; + if (child.type === "Element") { + result.set(child, NodeExist.Definitely); + if (adjacent_only) { + break; + } + } else if (child.type === "EachBlock" || child.type === "IfBlock" || child.type === "AwaitBlock") { + const child_result = get_possible_last_child(child, adjacent_only); + add_to_map(child_result, result); + if (adjacent_only && has_definite_elements(child_result)) { + break; + } + } + } + return result; + } + var Block$1 = class { + constructor(combinator) { + this.combinator = combinator; + this.host = false; + this.root = false; + this.selectors = []; + this.start = null; + this.end = null; + this.should_encapsulate = false; + } + add(selector2) { + if (this.selectors.length === 0) { + this.start = selector2.start; + this.host = selector2.type === "PseudoClassSelector" && selector2.name === "host"; + } + this.root = this.root || selector2.type === "PseudoClassSelector" && selector2.name === "root"; + this.selectors.push(selector2); + this.end = selector2.end; + } + get global() { + return this.selectors.length >= 1 && this.selectors[0].type === "PseudoClassSelector" && this.selectors[0].name === "global" && this.selectors.every((selector2) => selector2.type === "PseudoClassSelector" || selector2.type === "PseudoElementSelector"); + } + }; + function group_selectors(selector2) { + let block = new Block$1(null); + const blocks = [block]; + selector2.children.forEach((child) => { + if (child.type === "WhiteSpace" || child.type === "Combinator") { + block = new Block$1(child); + blocks.push(block); + } else { + block.add(child); + } + }); + return blocks; + } + var regex_css_browser_prefix = /^-((webkit)|(moz)|(o)|(ms))-/; + function remove_css_prefix(name) { + return name.replace(regex_css_browser_prefix, ""); + } + var is_keyframes_node = (node2) => remove_css_prefix(node2.name) === "keyframes"; + var at_rule_has_declaration = ({ block }) => block && block.children && block.children.find((node2) => node2.type === "Declaration"); + function minify_declarations(code, start, declarations) { + let c2 = start; + declarations.forEach((declaration, i) => { + const separator = i > 0 ? ";" : ""; + if (declaration.node.start - c2 > separator.length) { + code.overwrite(c2, declaration.node.start, separator); + } + declaration.minify(code); + c2 = declaration.node.end; + }); + return c2; + } + var Rule = class { + constructor(node2, stylesheet, parent) { + this.node = node2; + this.parent = parent; + this.selectors = node2.prelude.children.map((node3) => new Selector(node3, stylesheet)); + this.declarations = node2.block.children.map((node3) => new Declaration(node3)); + } + apply(node2) { + this.selectors.forEach((selector2) => selector2.apply(node2)); + } + is_used(dev) { + if (this.parent && this.parent.node.type === "Atrule" && is_keyframes_node(this.parent.node)) + return true; + if (this.declarations.length === 0) + return dev; + return this.selectors.some((s) => s.used); + } + minify(code, _dev) { + let c2 = this.node.start; + let started = false; + this.selectors.forEach((selector2) => { + if (selector2.used) { + const separator = started ? "," : ""; + if (selector2.node.start - c2 > separator.length) { + code.overwrite(c2, selector2.node.start, separator); + } + selector2.minify(code); + c2 = selector2.node.end; + started = true; + } + }); + code.remove(c2, this.node.block.start); + c2 = this.node.block.start + 1; + c2 = minify_declarations(code, c2, this.declarations); + code.remove(c2, this.node.block.end - 1); + } + transform(code, id2, keyframes, max_amount_class_specificity_increased) { + if (this.parent && this.parent.node.type === "Atrule" && is_keyframes_node(this.parent.node)) + return true; + const attr = `.${id2}`; + this.selectors.forEach((selector2) => selector2.transform(code, attr, max_amount_class_specificity_increased)); + this.declarations.forEach((declaration) => declaration.transform(code, keyframes)); + } + validate(component) { + this.selectors.forEach((selector2) => { + selector2.validate(component); + }); + } + warn_on_unused_selector(handler) { + this.selectors.forEach((selector2) => { + if (!selector2.used) + handler(selector2); + }); + } + get_max_amount_class_specificity_increased() { + return Math.max(...this.selectors.map((selector2) => selector2.get_amount_class_specificity_increased())); + } + }; + var Declaration = class { + constructor(node2) { + this.node = node2; + } + transform(code, keyframes) { + const property = this.node.property && remove_css_prefix(this.node.property.toLowerCase()); + if (property === "animation" || property === "animation-name") { + this.node.value.children.forEach((block) => { + if (block.type === "Identifier") { + const name = block.name; + if (keyframes.has(name)) { + code.overwrite(block.start, block.end, keyframes.get(name)); + } + } + }); + } + } + minify(code) { + if (!this.node.property) + return; + const c2 = this.node.start + this.node.property.length; + const first = this.node.value.children ? this.node.value.children[0] : this.node.value; + if (first.type === "Raw" && regex_only_whitespaces.test(first.value)) + return; + let start = first.start; + while (regex_whitespace.test(code.original[start])) + start += 1; + if (start - c2 > 1) { + code.overwrite(c2, start, ":"); + } + } + }; + var Atrule = class { + constructor(node2) { + this.node = node2; + this.children = []; + this.declarations = []; + } + apply(node2) { + if (this.node.name === "media" || this.node.name === "supports" || this.node.name === "layer") { + this.children.forEach((child) => { + child.apply(node2); + }); + } else if (is_keyframes_node(this.node)) { + this.children.forEach((rule) => { + rule.selectors.forEach((selector2) => { + selector2.used = true; + }); + }); + } + } + is_used(_dev) { + return true; + } + minify(code, dev) { + if (this.node.name === "media") { + const expression_char = code.original[this.node.prelude.start]; + let c2 = this.node.start + (expression_char === "(" ? 6 : 7); + if (this.node.prelude.start > c2) + code.remove(c2, this.node.prelude.start); + this.node.prelude.children.forEach((query) => { + c2 = query.end; + }); + code.remove(c2, this.node.block.start); + } else if (this.node.name === "supports") { + let c2 = this.node.start + 9; + if (this.node.prelude.start - c2 > 1) + code.overwrite(c2, this.node.prelude.start, " "); + this.node.prelude.children.forEach((query) => { + c2 = query.end; + }); + code.remove(c2, this.node.block.start); + } else { + let c2 = this.node.start + this.node.name.length + 1; + if (this.node.prelude) { + if (this.node.prelude.start - c2 > 1) + code.overwrite(c2, this.node.prelude.start, " "); + c2 = this.node.prelude.end; + } + if (this.node.block && this.node.block.start - c2 > 0) { + code.remove(c2, this.node.block.start); + } + } + if (this.node.block) { + let c2 = this.node.block.start + 1; + if (this.declarations.length) { + c2 = minify_declarations(code, c2, this.declarations); + if (this.children.length) + c2++; + } + this.children.forEach((child) => { + if (child.is_used(dev)) { + code.remove(c2, child.node.start); + child.minify(code, dev); + c2 = child.node.end; + } + }); + code.remove(c2, this.node.block.end - 1); + } + } + transform(code, id2, keyframes, max_amount_class_specificity_increased) { + if (is_keyframes_node(this.node)) { + this.node.prelude.children.forEach(({ type, name, start, end }) => { + if (type === "Identifier") { + if (name.startsWith("-global-")) { + code.remove(start, start + 8); + this.children.forEach((rule) => { + rule.selectors.forEach((selector2) => { + selector2.used = true; + }); + }); + } else { + code.overwrite(start, end, keyframes.get(name)); + } + } + }); + } + this.children.forEach((child) => { + child.transform(code, id2, keyframes, max_amount_class_specificity_increased); + }); + } + validate(component) { + this.children.forEach((child) => { + child.validate(component); + }); + } + warn_on_unused_selector(handler) { + if (this.node.name !== "media") + return; + this.children.forEach((child) => { + child.warn_on_unused_selector(handler); + }); + } + get_max_amount_class_specificity_increased() { + return Math.max(...this.children.map((rule) => rule.get_max_amount_class_specificity_increased())); + } + }; + var get_default_css_hash = ({ css, hash: hash2 }) => { + return `svelte-${hash2(css)}`; + }; + var Stylesheet = class { + constructor({ source, ast, component_name, filename, dev, get_css_hash = get_default_css_hash }) { + this.children = []; + this.keyframes = /* @__PURE__ */ new Map(); + this.nodes_with_css_class = /* @__PURE__ */ new Set(); + this.source = source; + this.ast = ast; + this.filename = filename; + this.dev = dev; + if (ast.css && ast.css.children.length) { + this.id = get_css_hash({ + filename, + name: component_name, + css: ast.css.content.styles, + hash + }); + this.has_styles = true; + const stack = []; + let depth = 0; + let current_atrule = null; + walk(ast.css, { + enter: (node2) => { + if (node2.type === "Atrule") { + const atrule2 = new Atrule(node2); + stack.push(atrule2); + if (current_atrule) { + current_atrule.children.push(atrule2); + } else if (depth <= 1) { + this.children.push(atrule2); + } + if (is_keyframes_node(node2)) { + node2.prelude.children.forEach((expression) => { + if (expression.type === "Identifier" && !expression.name.startsWith("-global-")) { + this.keyframes.set(expression.name, `${this.id}-${expression.name}`); + } + }); + } else if (at_rule_has_declaration(node2)) { + const at_rule_declarations = node2.block.children.filter((node3) => node3.type === "Declaration").map((node3) => new Declaration(node3)); + push_array$1(atrule2.declarations, at_rule_declarations); + } + current_atrule = atrule2; + } + if (node2.type === "Rule") { + const rule = new Rule(node2, this, current_atrule); + if (current_atrule) { + current_atrule.children.push(rule); + } else if (depth <= 1) { + this.children.push(rule); + } + } + depth += 1; + }, + leave: (node2) => { + if (node2.type === "Atrule") { + stack.pop(); + current_atrule = stack[stack.length - 1]; + } + depth -= 1; + } + }); + } else { + this.has_styles = false; + } + } + apply(node2) { + if (!this.has_styles) + return; + for (let i = 0; i < this.children.length; i += 1) { + const child = this.children[i]; + child.apply(node2); + } + } + reify() { + this.nodes_with_css_class.forEach((node2) => { + node2.add_css_class(); + }); + } + render(file, should_transform_selectors) { + if (!this.has_styles) { + return { code: null, map: null }; + } + const code = new MagicString(this.source); + walk(this.ast.css, { + enter: (node2) => { + code.addSourcemapLocation(node2.start); + code.addSourcemapLocation(node2.end); + } + }); + if (should_transform_selectors) { + const max = Math.max(...this.children.map((rule) => rule.get_max_amount_class_specificity_increased())); + this.children.forEach((child) => { + child.transform(code, this.id, this.keyframes, max); + }); + } + let c2 = 0; + this.children.forEach((child) => { + if (child.is_used(this.dev)) { + code.remove(c2, child.node.start); + child.minify(code, this.dev); + c2 = child.node.end; + } + }); + code.remove(c2, this.source.length); + return { + code: code.toString(), + map: code.generateMap({ + includeContent: true, + source: this.filename, + file + }) + }; + } + validate(component) { + this.children.forEach((child) => { + child.validate(component); + }); + } + warn_on_unused_selectors(component) { + const ignores = !this.ast.css ? [] : extract_ignores_above_position(this.ast.css.start, this.ast.html.children); + component.push_ignores(ignores); + this.children.forEach((child) => { + child.warn_on_unused_selector((selector2) => { + component.warn(selector2.node, compiler_warnings.css_unused_selector(this.source.slice(selector2.node.start, selector2.node.end))); + }); + }); + component.pop_ignores(); + } + }; + var test = typeof process !== "undefined" && process.env.TEST; + var TemplateScope = class { + constructor(parent) { + this.owners = /* @__PURE__ */ new Map(); + this.parent = parent; + this.names = new Set(parent ? parent.names : []); + this.dependencies_for_name = new Map(parent ? parent.dependencies_for_name : []); + } + add(name, dependencies, owner) { + this.names.add(name); + this.dependencies_for_name.set(name, dependencies); + this.owners.set(name, owner); + return this; + } + child() { + const child = new TemplateScope(this); + return child; + } + is_top_level(name) { + return !this.parent || !this.names.has(name) && this.parent.is_top_level(name); + } + get_owner(name) { + return this.owners.get(name) || this.parent && this.parent.get_owner(name); + } + is_let(name) { + const owner = this.get_owner(name); + return owner && (owner.type === "Element" || owner.type === "InlineComponent" || owner.type === "SlotTemplate"); + } + is_await(name) { + const owner = this.get_owner(name); + return owner && (owner.type === "ThenBlock" || owner.type === "CatchBlock"); + } + is_const(name) { + const owner = this.get_owner(name); + return owner && owner.type === "ConstTag"; + } + }; + var Fragment = class extends Node$1 { + constructor(component, info) { + const scope2 = new TemplateScope(); + super(component, null, scope2, info); + this.scope = scope2; + this.children = map_children(component, this, scope2, info.children); + } + }; + var internal_exports = /* @__PURE__ */ new Set(["HtmlTag", "HtmlTagHydration", "SvelteComponent", "SvelteComponentDev", "SvelteComponentTyped", "SvelteElement", "action_destroyer", "add_attribute", "add_classes", "add_flush_callback", "add_location", "add_render_callback", "add_resize_listener", "add_styles", "add_transform", "afterUpdate", "append", "append_dev", "append_empty_stylesheet", "append_hydration", "append_hydration_dev", "append_styles", "assign", "attr", "attr_dev", "attribute_to_object", "beforeUpdate", "bind", "binding_callbacks", "blank_object", "bubble", "check_outros", "children", "claim_component", "claim_element", "claim_html_tag", "claim_space", "claim_svg_element", "claim_text", "clear_loops", "component_subscribe", "compute_rest_props", "compute_slots", "construct_svelte_component", "construct_svelte_component_dev", "createEventDispatcher", "create_animation", "create_bidirectional_transition", "create_component", "create_in_transition", "create_out_transition", "create_slot", "create_ssr_component", "current_component", "custom_event", "dataset_dev", "debug", "destroy_block", "destroy_component", "destroy_each", "detach", "detach_after_dev", "detach_before_dev", "detach_between_dev", "detach_dev", "dirty_components", "dispatch_dev", "each", "element", "element_is", "empty", "end_hydrating", "escape", "escape_attribute_value", "escape_object", "exclude_internal_props", "fix_and_destroy_block", "fix_and_outro_and_destroy_block", "fix_position", "flush", "getAllContexts", "getContext", "get_all_dirty_from_scope", "get_binding_group_value", "get_current_component", "get_custom_elements_slots", "get_root_for_style", "get_slot_changes", "get_spread_object", "get_spread_update", "get_store_value", "globals", "group_outros", "handle_promise", "hasContext", "has_prop", "head_selector", "identity", "init", "insert", "insert_dev", "insert_hydration", "insert_hydration_dev", "intros", "invalid_attribute_name_character", "is_client", "is_crossorigin", "is_empty", "is_function", "is_promise", "is_void", "listen", "listen_dev", "loop", "loop_guard", "merge_ssr_styles", "missing_component", "mount_component", "noop", "not_equal", "now", "null_to_empty", "object_without_properties", "onDestroy", "onMount", "once", "outro_and_destroy_block", "prevent_default", "prop_dev", "query_selector_all", "raf", "run", "run_all", "safe_not_equal", "schedule_update", "select_multiple_value", "select_option", "select_options", "select_value", "self", "setContext", "set_attributes", "set_current_component", "set_custom_element_data", "set_custom_element_data_map", "set_data", "set_data_dev", "set_input_type", "set_input_value", "set_now", "set_raf", "set_store_value", "set_style", "set_svg_attributes", "space", "spread", "src_url_equal", "start_hydrating", "stop_propagation", "subscribe", "svg_element", "text", "tick", "time_ranges_to_array", "to_number", "toggle_class", "transition_in", "transition_out", "trusted", "update_await_block_branch", "update_keyed_each", "update_slot", "update_slot_base", "validate_component", "validate_dynamic_element", "validate_each_argument", "validate_each_keys", "validate_slots", "validate_store", "validate_void_dynamic_element", "xlink_attr"]); + function is_used_as_reference(node2, parent) { + if (!is_reference(node2, parent)) { + return false; + } + if (!parent) { + return true; + } + switch (parent.type) { + case "VariableDeclarator": + return node2 !== parent.id; + case "FunctionDeclaration": + case "ImportSpecifier": + case "ImportDefaultSpecifier": + case "ImportNamespaceSpecifier": + case "ExportSpecifier": + return false; + default: + return true; + } + } + var regex_leading_directory_separator = /^[/\\]/; + var regex_starts_with_term_export = /^Export/; + var regex_contains_term_function = /Function/; + var Component = class { + constructor(ast, source, name, compile_options, stats, warnings) { + this.ignore_stack = []; + this.vars = []; + this.var_lookup = /* @__PURE__ */ new Map(); + this.imports = []; + this.exports_from = []; + this.instance_exports_from = []; + this.hoistable_nodes = /* @__PURE__ */ new Set(); + this.node_for_declaration = /* @__PURE__ */ new Map(); + this.partly_hoisted = []; + this.fully_hoisted = []; + this.reactive_declarations = []; + this.reactive_declaration_nodes = /* @__PURE__ */ new Set(); + this.has_reactive_assignments = false; + this.injected_reactive_declaration_vars = /* @__PURE__ */ new Set(); + this.helpers = /* @__PURE__ */ new Map(); + this.globals = /* @__PURE__ */ new Map(); + this.indirect_dependencies = /* @__PURE__ */ new Map(); + this.elements = []; + this.aliases = /* @__PURE__ */ new Map(); + this.used_names = /* @__PURE__ */ new Set(); + this.globally_used_names = /* @__PURE__ */ new Set(); + this.slots = /* @__PURE__ */ new Map(); + this.slot_outlets = /* @__PURE__ */ new Set(); + this.name = { type: "Identifier", name }; + this.stats = stats; + this.warnings = warnings; + this.ast = ast; + this.source = source; + this.compile_options = compile_options; + this.original_ast = clone({ + html: ast.html, + css: ast.css, + instance: ast.instance, + module: ast.module + }); + this.file = compile_options.filename && (typeof process !== "undefined" ? compile_options.filename.replace(process.cwd(), "").replace(regex_leading_directory_separator, "") : compile_options.filename); + this.locate = getLocator(this.source, { offsetLine: 1 }); + this.stylesheet = new Stylesheet({ + source, + ast, + filename: compile_options.filename, + component_name: name, + dev: compile_options.dev, + get_css_hash: compile_options.cssHash + }); + this.stylesheet.validate(this); + this.component_options = process_component_options(this, this.ast.html.children); + this.namespace = namespaces[this.component_options.namespace] || this.component_options.namespace; + if (compile_options.customElement) { + if (this.component_options.tag === void 0 && compile_options.tag === void 0) { + const svelteOptions = ast.html.children.find((child) => child.name === "svelte:options") || { start: 0, end: 0 }; + this.warn(svelteOptions, compiler_warnings.custom_element_no_tag); + } + this.tag = this.component_options.tag || compile_options.tag; + } else { + this.tag = this.name.name; + } + this.walk_module_js(); + this.push_ignores(this.ast.instance ? extract_ignores_above_position(this.ast.instance.start, this.ast.html.children) : []); + this.walk_instance_js_pre_template(); + this.pop_ignores(); + this.fragment = new Fragment(this, ast.html); + this.name = this.get_unique_name(name); + this.push_ignores(this.ast.instance ? extract_ignores_above_position(this.ast.instance.start, this.ast.html.children) : []); + this.walk_instance_js_post_template(); + this.pop_ignores(); + this.elements.forEach((element) => this.stylesheet.apply(element)); + if (!compile_options.customElement) + this.stylesheet.reify(); + this.stylesheet.warn_on_unused_selectors(this); + } + add_var(node2, variable, add_to_lookup = true) { + this.vars.push(variable); + if (add_to_lookup) { + if (this.var_lookup.has(variable.name)) { + const exists_var = this.var_lookup.get(variable.name); + if (exists_var.module && exists_var.imported) { + this.error(node2, compiler_errors.illegal_variable_declaration); + } + } + this.var_lookup.set(variable.name, variable); + } + } + add_reference(node2, name) { + const variable = this.var_lookup.get(name); + if (variable) { + variable.referenced = true; + } else if (is_reserved_keyword(name)) { + this.add_var(node2, { + name, + injected: true, + referenced: true + }); + } else if (name[0] === "$") { + this.add_var(node2, { + name, + injected: true, + referenced: true, + mutated: true, + writable: true + }); + const subscribable_name = name.slice(1); + const variable2 = this.var_lookup.get(subscribable_name); + if (variable2) { + variable2.referenced = true; + variable2.subscribable = true; + } + } else { + if (this.compile_options.varsReport === "full") { + this.add_var(node2, { name, referenced: true }, false); + } + this.used_names.add(name); + } + } + alias(name) { + if (!this.aliases.has(name)) { + this.aliases.set(name, this.get_unique_name(name)); + } + return this.aliases.get(name); + } + apply_stylesheet(element) { + this.elements.push(element); + } + global(name) { + const alias = this.alias(name); + this.globals.set(name, alias); + return alias; + } + generate(result) { + let js = null; + let css = null; + if (result) { + const { compile_options, name } = this; + const { format = "esm" } = compile_options; + const banner = `${this.file ? `${this.file} ` : ""}generated by Svelte v${"3.55.1"}`; + const program = { type: "Program", body: result.js }; + walk(program, { + enter: (node2, parent, key) => { + if (node2.type === "Identifier") { + if (node2.name[0] === "@") { + if (node2.name[1] === "_") { + const alias = this.global(node2.name.slice(2)); + node2.name = alias.name; + } else { + let name2 = node2.name.slice(1); + if (compile_options.hydratable) { + if (internal_exports.has(`${name2}_hydration`)) { + name2 += "_hydration"; + } else if (internal_exports.has(`${name2}Hydration`)) { + name2 += "Hydration"; + } + } + if (compile_options.dev) { + if (internal_exports.has(`${name2}_dev`)) { + name2 += "_dev"; + } else if (internal_exports.has(`${name2}Dev`)) { + name2 += "Dev"; + } + } + const alias = this.alias(name2); + this.helpers.set(name2, alias); + node2.name = alias.name; + } + } else if (node2.name[0] !== "#" && !is_valid(node2.name)) { + const literal2 = { type: "Literal", value: node2.name }; + if (parent.type === "Property" && key === "key") { + parent.key = literal2; + } else if (parent.type === "MemberExpression" && key === "property") { + parent.property = literal2; + parent.computed = true; + } + } + } + } + }); + const referenced_globals = Array.from(this.globals, ([name2, alias]) => name2 !== alias.name && { name: name2, alias }).filter(Boolean); + if (referenced_globals.length) { + this.helpers.set("globals", this.alias("globals")); + } + const imported_helpers = Array.from(this.helpers, ([name2, alias]) => ({ + name: name2, + alias + })); + create_module(program, format, name, banner, compile_options.sveltePath, imported_helpers, referenced_globals, this.imports, this.vars.filter((variable) => variable.module && variable.export_name).map((variable) => ({ + name: variable.name, + as: variable.export_name + })), this.exports_from); + css = compile_options.customElement ? { code: null, map: null } : result.css; + const js_sourcemap_enabled = check_enable_sourcemap(compile_options.enableSourcemap, "js"); + if (!js_sourcemap_enabled) { + js = print(program); + js.map = null; + } else { + const sourcemap_source_filename = get_sourcemap_source_filename(compile_options); + js = print(program, { + sourceMapSource: sourcemap_source_filename + }); + js.map.sources = [ + sourcemap_source_filename + ]; + js.map.sourcesContent = [ + this.source + ]; + js.map = apply_preprocessor_sourcemap(sourcemap_source_filename, js.map, compile_options.sourcemap); + } + } + return { + js, + css, + ast: this.original_ast, + warnings: this.warnings, + vars: this.get_vars_report(), + stats: this.stats.render() + }; + } + get_unique_name(name, scope2) { + if (test) + name = `${name}$`; + let alias = name; + for (let i = 1; reserved.has(alias) || this.var_lookup.has(alias) || this.used_names.has(alias) || this.globally_used_names.has(alias) || scope2 && scope2.has(alias); alias = `${name}_${i++}`) + ; + this.used_names.add(alias); + return { type: "Identifier", name: alias }; + } + get_unique_name_maker() { + const local_used_names = /* @__PURE__ */ new Set(); + function add(name) { + local_used_names.add(name); + } + reserved.forEach(add); + internal_exports.forEach(add); + this.var_lookup.forEach((_value, key) => add(key)); + return (name) => { + if (test) + name = `${name}$`; + let alias = name; + for (let i = 1; this.used_names.has(alias) || local_used_names.has(alias); alias = `${name}_${i++}`) + ; + local_used_names.add(alias); + this.globally_used_names.add(alias); + return { + type: "Identifier", + name: alias + }; + }; + } + get_vars_report() { + const { compile_options, vars } = this; + const vars_report = compile_options.varsReport === false ? [] : compile_options.varsReport === "full" ? vars : vars.filter((v) => !v.global && !v.internal); + return vars_report.map((v) => ({ + name: v.name, + export_name: v.export_name || null, + injected: v.injected || false, + module: v.module || false, + mutated: v.mutated || false, + reassigned: v.reassigned || false, + referenced: v.referenced || false, + writable: v.writable || false, + referenced_from_script: v.referenced_from_script || false + })); + } + error(pos, e) { + if (this.compile_options.errorMode === "warn") { + this.warn(pos, e); + } else { + error(e.message, { + name: "ValidationError", + code: e.code, + source: this.source, + start: pos.start, + end: pos.end, + filename: this.compile_options.filename + }); + } + } + warn(pos, warning) { + if (this.ignores && this.ignores.has(warning.code)) { + return; + } + const start = this.locate(pos.start); + const end = this.locate(pos.end); + const frame = get_code_frame(this.source, start.line - 1, start.column); + this.warnings.push({ + code: warning.code, + message: warning.message, + frame, + start, + end, + pos: pos.start, + filename: this.compile_options.filename, + toString: () => `${warning.message} (${start.line}:${start.column}) +${frame}` + }); + } + extract_imports(node2) { + this.imports.push(node2); + } + extract_exports(node2, module_script = false) { + const ignores = extract_svelte_ignore_from_comments(node2); + if (ignores.length) + this.push_ignores(ignores); + const result = this._extract_exports(node2, module_script); + if (ignores.length) + this.pop_ignores(); + return result; + } + _extract_exports(node2, module_script) { + if (node2.type === "ExportDefaultDeclaration") { + return this.error(node2, compiler_errors.default_export); + } + if (node2.type === "ExportNamedDeclaration") { + if (node2.source) { + if (module_script) { + this.exports_from.push(node2); + } else { + this.instance_exports_from.push(node2); + } + return null; + } + if (node2.declaration) { + if (node2.declaration.type === "VariableDeclaration") { + node2.declaration.declarations.forEach((declarator) => { + extract_names(declarator.id).forEach((name) => { + const variable = this.var_lookup.get(name); + variable.export_name = name; + if (!module_script && variable.writable && !(variable.referenced || variable.referenced_from_script || variable.subscribable)) { + this.warn(declarator, compiler_warnings.unused_export_let(this.name.name, name)); + } + }); + }); + } else { + const { name } = node2.declaration.id; + const variable = this.var_lookup.get(name); + variable.export_name = name; + } + return node2.declaration; + } else { + node2.specifiers.forEach((specifier) => { + const variable = this.var_lookup.get(specifier.local.name); + if (variable) { + variable.export_name = specifier.exported.name; + if (!module_script && variable.writable && !(variable.referenced || variable.referenced_from_script || variable.subscribable)) { + this.warn(specifier, compiler_warnings.unused_export_let(this.name.name, specifier.exported.name)); + } + } + }); + return null; + } + } + } + extract_javascript(script) { + if (!script) + return null; + return script.content.body.filter((node2) => { + if (!node2) + return false; + if (this.hoistable_nodes.has(node2)) + return false; + if (this.reactive_declaration_nodes.has(node2)) + return false; + if (node2.type === "ImportDeclaration") + return false; + if (node2.type === "ExportDeclaration" && node2.specifiers.length > 0) + return false; + return true; + }); + } + walk_module_js() { + const component = this; + const script = this.ast.module; + if (!script) + return; + walk(script.content, { + enter(node2) { + if (node2.type === "LabeledStatement" && node2.label.name === "$") { + component.warn(node2, compiler_warnings.module_script_reactive_declaration); + } + } + }); + const { scope: scope2, globals: globals2 } = create_scopes(script.content); + this.module_scope = scope2; + scope2.declarations.forEach((node2, name) => { + if (name[0] === "$") { + return this.error(node2, compiler_errors.illegal_declaration); + } + const writable = node2.type === "VariableDeclaration" && (node2.kind === "var" || node2.kind === "let"); + const imported = node2.type.startsWith("Import"); + this.add_var(node2, { + name, + module: true, + hoistable: true, + writable, + imported + }); + }); + globals2.forEach((node2, name) => { + if (name[0] === "$") { + return this.error(node2, compiler_errors.illegal_subscription); + } else { + this.add_var(node2, { + name, + global: true, + hoistable: true + }); + } + }); + const { body } = script.content; + let i = body.length; + while (--i >= 0) { + const node2 = body[i]; + if (node2.type === "ImportDeclaration") { + this.extract_imports(node2); + body.splice(i, 1); + } + if (regex_starts_with_term_export.test(node2.type)) { + const replacement = this.extract_exports(node2, true); + if (replacement) { + body[i] = replacement; + } else { + body.splice(i, 1); + } + } + } + } + walk_instance_js_pre_template() { + const script = this.ast.instance; + if (!script) + return; + script.content.body.forEach((node2) => { + if (node2.type !== "LabeledStatement") + return; + if (node2.body.type !== "ExpressionStatement") + return; + const { expression } = node2.body; + if (expression.type !== "AssignmentExpression") + return; + if (expression.left.type === "MemberExpression") + return; + extract_names(expression.left).forEach((name) => { + if (!this.var_lookup.has(name) && name[0] !== "$") { + this.injected_reactive_declaration_vars.add(name); + } + }); + }); + const { scope: instance_scope, map, globals: globals2 } = create_scopes(script.content); + this.instance_scope = instance_scope; + this.instance_scope_map = map; + instance_scope.declarations.forEach((node2, name) => { + if (name[0] === "$") { + return this.error(node2, compiler_errors.illegal_declaration); + } + const writable = node2.type === "VariableDeclaration" && (node2.kind === "var" || node2.kind === "let"); + const imported = node2.type.startsWith("Import"); + this.add_var(node2, { + name, + initialised: instance_scope.initialised_declarations.has(name), + writable, + imported + }); + this.node_for_declaration.set(name, node2); + }); + const global_keys = Array.from(globals2.keys()); + const sorted_globals = [ + ...global_keys.filter((key) => key[0] !== "$"), + ...global_keys.filter((key) => key[0] === "$") + ]; + sorted_globals.forEach((name) => { + if (this.var_lookup.has(name)) + return; + const node2 = globals2.get(name); + if (this.injected_reactive_declaration_vars.has(name)) { + this.add_var(node2, { + name, + injected: true, + writable: true, + reassigned: true, + initialised: true + }); + } else if (is_reserved_keyword(name)) { + this.add_var(node2, { + name, + injected: true + }); + } else if (name[0] === "$") { + if (name === "$" || name[1] === "$") { + return this.error(node2, compiler_errors.illegal_global(name)); + } + this.add_var(node2, { + name, + injected: true, + mutated: true, + writable: true + }); + this.add_reference(node2, name.slice(1)); + const variable = this.var_lookup.get(name.slice(1)); + if (variable) { + variable.subscribable = true; + variable.referenced_from_script = true; + } + } else { + this.add_var(node2, { + name, + global: true, + hoistable: true + }); + } + }); + this.track_references_and_mutations(); + } + walk_instance_js_post_template() { + const script = this.ast.instance; + if (!script) + return; + this.post_template_walk(); + this.hoist_instance_declarations(); + this.extract_reactive_declarations(); + } + post_template_walk() { + const script = this.ast.instance; + if (!script) + return; + const component = this; + const { content } = script; + const { instance_scope, instance_scope_map: map } = this; + let scope2 = instance_scope; + const to_remove = []; + const remove2 = (parent, prop, index) => { + to_remove.unshift([parent, prop, index]); + }; + let scope_updated = false; + const current_function_stack = []; + let current_function = null; + walk(content, { + enter(node2, parent, prop, index) { + if (node2.type === "FunctionDeclaration" || node2.type === "FunctionExpression") { + current_function_stack.push(current_function = node2); + } + if (map.has(node2)) { + scope2 = map.get(node2); + } + let deep = false; + let names; + if (node2.type === "AssignmentExpression") { + deep = node2.left.type === "MemberExpression"; + names = deep ? [get_object(node2.left).name] : extract_names(node2.left); + } else if (node2.type === "UpdateExpression") { + deep = node2.argument.type === "MemberExpression"; + const { name } = get_object(node2.argument); + names = [name]; + } + if (names) { + names.forEach((name) => { + let current_scope = scope2; + let declaration; + while (current_scope) { + if (current_scope.declarations.has(name)) { + declaration = current_scope.declarations.get(name); + break; + } + current_scope = current_scope.parent; + } + if (declaration && declaration.kind === "const" && !deep) { + component.error(node2, { + code: "assignment-to-const", + message: "You are assigning to a const" + }); + } + }); + } + if (node2.type === "ImportDeclaration") { + component.extract_imports(node2); + remove2(parent, prop, index); + return this.skip(); + } + if (regex_starts_with_term_export.test(node2.type)) { + const replacement = component.extract_exports(node2); + if (replacement) { + this.replace(replacement); + } else { + remove2(parent, prop, index); + } + return this.skip(); + } + component.warn_on_undefined_store_value_references(node2, parent, prop, scope2); + }, + leave(node2) { + if (node2.type === "FunctionDeclaration" || node2.type === "FunctionExpression") { + current_function_stack.pop(); + current_function = current_function_stack[current_function_stack.length - 1]; + } + if (component.compile_options.dev && component.compile_options.loopGuardTimeout > 0 && (!current_function || !current_function.generator && !current_function.async)) { + const to_replace_for_loop_protect = component.loop_protect(node2, scope2, component.compile_options.loopGuardTimeout); + if (to_replace_for_loop_protect) { + this.replace(to_replace_for_loop_protect); + scope_updated = true; + } + } + if (map.has(node2)) { + scope2 = scope2.parent; + } + } + }); + for (const [parent, prop, index] of to_remove) { + if (parent) { + if (index !== null) { + parent[prop].splice(index, 1); + } else { + delete parent[prop]; + } + } + } + if (scope_updated) { + const { scope: scope3, map: map2 } = create_scopes(script.content); + this.instance_scope = scope3; + this.instance_scope_map = map2; + } + } + track_references_and_mutations() { + const script = this.ast.instance; + if (!script) + return; + const component = this; + const { content } = script; + const { instance_scope, module_scope, instance_scope_map: map } = this; + let scope2 = instance_scope; + walk(content, { + enter(node2, parent) { + if (map.has(node2)) { + scope2 = map.get(node2); + } + if (node2.type === "AssignmentExpression" || node2.type === "UpdateExpression") { + const assignee = node2.type === "AssignmentExpression" ? node2.left : node2.argument; + const names = extract_names(assignee); + const deep = assignee.type === "MemberExpression"; + names.forEach((name) => { + const scope_owner = scope2.find_owner(name); + if (scope_owner !== null ? scope_owner === instance_scope : module_scope && module_scope.has(name)) { + const variable = component.var_lookup.get(name); + variable[deep ? "mutated" : "reassigned"] = true; + } + }); + } + if (is_used_as_reference(node2, parent)) { + const object = get_object(node2); + if (scope2.find_owner(object.name) === instance_scope) { + const variable = component.var_lookup.get(object.name); + variable.referenced_from_script = true; + } + } + }, + leave(node2) { + if (map.has(node2)) { + scope2 = scope2.parent; + } + } + }); + } + warn_on_undefined_store_value_references(node2, parent, prop, scope2) { + if (node2.type === "LabeledStatement" && node2.label.name === "$" && parent.type !== "Program") { + this.warn(node2, compiler_warnings.non_top_level_reactive_declaration); + } + if (is_reference(node2, parent)) { + const object = get_object(node2); + const { name } = object; + if (name[0] === "$") { + if (!scope2.has(name)) { + this.warn_if_undefined(name, object, null); + } + if (name[1] !== "$" && scope2.has(name.slice(1)) && scope2.find_owner(name.slice(1)) !== this.instance_scope) { + if (!(regex_contains_term_function.test(parent.type) && prop === "params" || parent.type === "VariableDeclarator" && prop === "id")) { + return this.error(node2, compiler_errors.contextual_store); + } + } + } + } + } + loop_protect(node2, scope2, timeout) { + if (node2.type === "WhileStatement" || node2.type === "ForStatement" || node2.type === "DoWhileStatement") { + const guard = this.get_unique_name("guard", scope2); + this.used_names.add(guard.name); + const before = b`const ${guard} = @loop_guard(${timeout})`; + const inside = b`${guard}();`; + if (node2.body.type !== "BlockStatement") { + node2.body = { + type: "BlockStatement", + body: [node2.body] + }; + } + node2.body.body.push(inside[0]); + return { + type: "BlockStatement", + body: [ + before[0], + node2 + ] + }; + } + return null; + } + rewrite_props(get_insert) { + if (!this.ast.instance) + return; + const component = this; + const { instance_scope, instance_scope_map: map } = this; + let scope2 = instance_scope; + walk(this.ast.instance.content, { + enter(node2) { + if (regex_contains_term_function.test(node2.type)) { + return this.skip(); + } + if (map.has(node2)) { + scope2 = map.get(node2); + } + if (node2.type === "ExportNamedDeclaration" && node2.declaration) { + return this.replace(node2.declaration); + } + if (node2.type === "VariableDeclaration") { + if (node2.kind === "var" || scope2 === instance_scope) { + let add_new_props = function(exported2, local, default_value) { + props.push({ + type: "Property", + method: false, + shorthand: false, + computed: false, + kind: "init", + key: exported2, + value: default_value ? { + type: "AssignmentPattern", + left: local, + right: default_value + } : local + }); + }; + const inserts = []; + const props = []; + for (let index = 0; index < node2.declarations.length; index++) { + const declarator = node2.declarations[index]; + if (declarator.id.type !== "Identifier") { + let get_new_name = function(local) { + const variable = component.var_lookup.get(local.name); + if (variable.subscribable) { + inserts.push(get_insert(variable)); + } + if (variable.export_name && variable.writable) { + const alias_name = component.get_unique_name(local.name); + add_new_props({ type: "Identifier", name: variable.export_name }, local, alias_name); + return alias_name; + } + return local; + }, rename_identifiers = function(param) { + switch (param.type) { + case "ObjectPattern": { + const handle_prop = (prop) => { + if (prop.type === "RestElement") { + rename_identifiers(prop); + } else if (prop.value.type === "Identifier") { + prop.value = get_new_name(prop.value); + } else { + rename_identifiers(prop.value); + } + }; + param.properties.forEach(handle_prop); + break; + } + case "ArrayPattern": { + const handle_element = (element, index2, array) => { + if (element) { + if (element.type === "Identifier") { + array[index2] = get_new_name(element); + } else { + rename_identifiers(element); + } + } + }; + param.elements.forEach(handle_element); + break; + } + case "RestElement": + param.argument = get_new_name(param.argument); + break; + case "AssignmentPattern": + if (param.left.type === "Identifier") { + param.left = get_new_name(param.left); + } else { + rename_identifiers(param.left); + } + break; + } + }; + rename_identifiers(declarator.id); + } else { + const { name } = declarator.id; + const variable = component.var_lookup.get(name); + const is_props = variable.export_name && variable.writable; + if (is_props) { + add_new_props({ type: "Identifier", name: variable.export_name }, declarator.id, declarator.init); + node2.declarations.splice(index--, 1); + } + if (variable.subscribable && (is_props || declarator.init)) { + inserts.push(get_insert(variable)); + } + } + } + this.replace(b` + ${node2.declarations.length ? node2 : null} + ${props.length > 0 && b`let { ${props} } = $$props;`} + ${inserts} + `); + return this.skip(); + } + } + }, + leave(node2) { + if (map.has(node2)) { + scope2 = scope2.parent; + } + } + }); + } + hoist_instance_declarations() { + const { hoistable_nodes, var_lookup, injected_reactive_declaration_vars, imports } = this; + const top_level_function_declarations = /* @__PURE__ */ new Map(); + const { body } = this.ast.instance.content; + for (let i = 0; i < body.length; i += 1) { + const node2 = body[i]; + if (node2.type === "VariableDeclaration") { + const all_hoistable = node2.declarations.every((d) => { + if (!d.init) + return false; + if (d.init.type !== "Literal") + return false; + if (node2.kind !== "const" && this.compile_options.dev) + return false; + const { name } = d.id; + const v = this.var_lookup.get(name); + if (v.reassigned) + return false; + if (v.export_name) + return false; + if (this.var_lookup.get(name).reassigned) + return false; + if (this.vars.find((variable) => variable.name === name && variable.module)) { + return false; + } + return true; + }); + if (all_hoistable) { + node2.declarations.forEach((d) => { + const variable = this.var_lookup.get(d.id.name); + variable.hoistable = true; + }); + hoistable_nodes.add(node2); + body.splice(i--, 1); + this.fully_hoisted.push(node2); + } + } + if (node2.type === "ExportNamedDeclaration" && node2.declaration && node2.declaration.type === "FunctionDeclaration") { + top_level_function_declarations.set(node2.declaration.id.name, node2); + } + if (node2.type === "FunctionDeclaration") { + top_level_function_declarations.set(node2.id.name, node2); + } + } + const checked = /* @__PURE__ */ new Set(); + const walking = /* @__PURE__ */ new Set(); + const is_hoistable = (fn_declaration) => { + if (fn_declaration.type === "ExportNamedDeclaration") { + fn_declaration = fn_declaration.declaration; + } + const instance_scope = this.instance_scope; + let scope2 = this.instance_scope; + const map = this.instance_scope_map; + let hoistable = true; + walking.add(fn_declaration); + walk(fn_declaration, { + enter(node2, parent) { + if (!hoistable) + return this.skip(); + if (map.has(node2)) { + scope2 = map.get(node2); + } + if (is_reference(node2, parent)) { + const { name } = flatten_reference(node2); + const owner = scope2.find_owner(name); + if (injected_reactive_declaration_vars.has(name)) { + hoistable = false; + } else if (name[0] === "$" && !owner) { + hoistable = false; + } else if (owner === instance_scope) { + const variable = var_lookup.get(name); + if (variable.reassigned || variable.mutated) + hoistable = false; + if (name === fn_declaration.id.name) + return; + if (variable.hoistable) + return; + if (top_level_function_declarations.has(name)) { + const other_declaration = top_level_function_declarations.get(name); + if (walking.has(other_declaration)) { + hoistable = false; + } else if (other_declaration.type === "ExportNamedDeclaration" && walking.has(other_declaration.declaration)) { + hoistable = false; + } else if (!is_hoistable(other_declaration)) { + hoistable = false; + } + } else { + hoistable = false; + } + } + this.skip(); + } + }, + leave(node2) { + if (map.has(node2)) { + scope2 = scope2.parent; + } + } + }); + checked.add(fn_declaration); + walking.delete(fn_declaration); + return hoistable; + }; + for (const [name, node2] of top_level_function_declarations) { + if (is_hoistable(node2)) { + const variable = this.var_lookup.get(name); + variable.hoistable = true; + hoistable_nodes.add(node2); + const i = body.indexOf(node2); + body.splice(i, 1); + this.fully_hoisted.push(node2); + } + } + for (const { specifiers } of imports) { + for (const specifier of specifiers) { + const variable = var_lookup.get(specifier.local.name); + if (!variable.mutated || variable.subscribable) { + variable.hoistable = true; + } + } + } + } + extract_reactive_declarations() { + const component = this; + const unsorted_reactive_declarations = []; + this.ast.instance.content.body.forEach((node2) => { + const ignores = extract_svelte_ignore_from_comments(node2); + if (ignores.length) + this.push_ignores(ignores); + if (node2.type === "LabeledStatement" && node2.label.name === "$") { + this.reactive_declaration_nodes.add(node2); + const assignees = /* @__PURE__ */ new Set(); + const assignee_nodes = /* @__PURE__ */ new Set(); + const dependencies = /* @__PURE__ */ new Set(); + const module_dependencies = /* @__PURE__ */ new Set(); + let scope2 = this.instance_scope; + const map = this.instance_scope_map; + walk(node2.body, { + enter(node3, parent) { + if (map.has(node3)) { + scope2 = map.get(node3); + } + if (node3.type === "AssignmentExpression") { + const left = get_object(node3.left); + extract_identifiers(left).forEach((node4) => { + assignee_nodes.add(node4); + assignees.add(node4.name); + }); + if (node3.operator !== "=") { + dependencies.add(left.name); + } + } else if (node3.type === "UpdateExpression") { + const identifier = get_object(node3.argument); + assignees.add(identifier.name); + } else if (is_reference(node3, parent)) { + const identifier = get_object(node3); + if (!assignee_nodes.has(identifier)) { + const { name } = identifier; + const owner = scope2.find_owner(name); + const variable = component.var_lookup.get(name); + let should_add_as_dependency = true; + if (variable) { + variable.is_reactive_dependency = true; + if (variable.module && variable.writable) { + should_add_as_dependency = false; + module_dependencies.add(name); + } + } + const is_writable_or_mutated = variable && (variable.writable || variable.mutated); + if (should_add_as_dependency && (!owner || owner === component.instance_scope) && (name[0] === "$" || is_writable_or_mutated)) { + dependencies.add(name); + } + } + this.skip(); + } + }, + leave(node3) { + if (map.has(node3)) { + scope2 = scope2.parent; + } + } + }); + if (module_dependencies.size > 0 && dependencies.size === 0) { + component.warn(node2.body, compiler_warnings.module_script_variable_reactive_declaration(Array.from(module_dependencies))); + } + const { expression } = node2.body; + const declaration = expression && expression.left; + unsorted_reactive_declarations.push({ + assignees, + dependencies, + node: node2, + declaration + }); + } + if (ignores.length) + this.pop_ignores(); + }); + const lookup = /* @__PURE__ */ new Map(); + unsorted_reactive_declarations.forEach((declaration) => { + declaration.assignees.forEach((name) => { + if (!lookup.has(name)) { + lookup.set(name, []); + } + lookup.get(name).push(declaration); + }); + }); + const cycle = check_graph_for_cycles(unsorted_reactive_declarations.reduce((acc, declaration) => { + declaration.assignees.forEach((v) => { + declaration.dependencies.forEach((w) => { + if (!declaration.assignees.has(w)) { + acc.push([v, w]); + } + }); + }); + return acc; + }, [])); + if (cycle && cycle.length) { + const declarationList = lookup.get(cycle[0]); + const declaration = declarationList[0]; + return this.error(declaration.node, compiler_errors.cyclical_reactive_declaration(cycle)); + } + const add_declaration = (declaration) => { + if (this.reactive_declarations.includes(declaration)) + return; + declaration.dependencies.forEach((name) => { + if (declaration.assignees.has(name)) + return; + const earlier_declarations = lookup.get(name); + if (earlier_declarations) { + earlier_declarations.forEach(add_declaration); + } + }); + this.reactive_declarations.push(declaration); + }; + unsorted_reactive_declarations.forEach(add_declaration); + } + warn_if_undefined(name, node2, template_scope) { + if (name[0] === "$") { + if (name === "$" || name[1] === "$" && !is_reserved_keyword(name)) { + return this.error(node2, compiler_errors.illegal_global(name)); + } + this.has_reactive_assignments = true; + if (is_reserved_keyword(name)) + return; + name = name.slice(1); + } + if (this.var_lookup.has(name) && !this.var_lookup.get(name).global) + return; + if (template_scope && template_scope.names.has(name)) + return; + if (globals.has(name) && node2.type !== "InlineComponent") + return; + this.warn(node2, compiler_warnings.missing_declaration(name, !!this.ast.instance)); + } + push_ignores(ignores) { + this.ignores = new Set(this.ignores || []); + add_to_set(this.ignores, ignores); + this.ignore_stack.push(this.ignores); + } + pop_ignores() { + this.ignore_stack.pop(); + this.ignores = this.ignore_stack[this.ignore_stack.length - 1]; + } + }; + var regex_valid_tag_name = /^[a-zA-Z][a-zA-Z0-9]*-[a-zA-Z0-9-]+$/; + function process_component_options(component, nodes) { + const component_options = { + immutable: component.compile_options.immutable || false, + accessors: "accessors" in component.compile_options ? component.compile_options.accessors : !!component.compile_options.customElement, + preserveWhitespace: !!component.compile_options.preserveWhitespace, + namespace: component.compile_options.namespace + }; + const node2 = nodes.find((node3) => node3.name === "svelte:options"); + function get_value2(attribute, { code, message }) { + const { value: value2 } = attribute; + const chunk = value2[0]; + if (!chunk) + return true; + if (value2.length > 1) { + return component.error(attribute, { code, message }); + } + if (chunk.type === "Text") + return chunk.data; + if (chunk.expression.type !== "Literal") { + return component.error(attribute, { code, message }); + } + return chunk.expression.value; + } + if (node2) { + node2.attributes.forEach((attribute) => { + if (attribute.type === "Attribute") { + const { name } = attribute; + switch (name) { + case "tag": { + const tag2 = get_value2(attribute, compiler_errors.invalid_tag_attribute); + if (typeof tag2 !== "string" && tag2 !== null) { + return component.error(attribute, compiler_errors.invalid_tag_attribute); + } + if (tag2 && !regex_valid_tag_name.test(tag2)) { + return component.error(attribute, compiler_errors.invalid_tag_property); + } + if (tag2 && !component.compile_options.customElement) { + component.warn(attribute, compiler_warnings.missing_custom_element_compile_options); + } + component_options.tag = tag2; + break; + } + case "namespace": { + const ns = get_value2(attribute, compiler_errors.invalid_namespace_attribute); + if (typeof ns !== "string") { + return component.error(attribute, compiler_errors.invalid_namespace_attribute); + } + if (valid_namespaces.indexOf(ns) === -1) { + const match = fuzzymatch(ns, valid_namespaces); + return component.error(attribute, compiler_errors.invalid_namespace_property(ns, match)); + } + component_options.namespace = ns; + break; + } + case "accessors": + case "immutable": + case "preserveWhitespace": { + const value2 = get_value2(attribute, compiler_errors.invalid_attribute_value(name)); + if (typeof value2 !== "boolean") { + return component.error(attribute, compiler_errors.invalid_attribute_value(name)); + } + component_options[name] = value2; + break; + } + default: + return component.error(attribute, compiler_errors.invalid_options_attribute_unknown); + } + } else { + return component.error(attribute, compiler_errors.invalid_options_attribute); + } + }); + } + return component_options; + } + function get_relative_path(from, to) { + const from_parts = from.split(/[/\\]/); + const to_parts = to.split(/[/\\]/); + from_parts.pop(); + while (from_parts[0] === to_parts[0]) { + from_parts.shift(); + to_parts.shift(); + } + if (from_parts.length) { + let i = from_parts.length; + while (i--) + from_parts[i] = ".."; + } + return from_parts.concat(to_parts).join("/"); + } + function get_basename(filename) { + return filename.split(/[/\\]/).pop(); + } + function get_sourcemap_source_filename(compile_options) { + if (!compile_options.filename) + return null; + return compile_options.outputFilename ? get_relative_path(compile_options.outputFilename, compile_options.filename) : get_basename(compile_options.filename); + } + var regex_percentage_characters = /%/g; + var regex_file_ending = /\.[^.]+$/; + var regex_repeated_invalid_variable_identifier_characters = /[^a-zA-Z_$0-9]+/g; + var regex_starts_with_digit = /^(\d)/; + function get_name_from_filename(filename) { + if (!filename) + return null; + const parts = filename.split(/[/\\]/).map(encodeURI); + if (parts.length > 1) { + const index_match = parts[parts.length - 1].match(/^index(\.\w+)/); + if (index_match) { + parts.pop(); + parts[parts.length - 1] += index_match[1]; + } + } + const base = parts.pop().replace(regex_percentage_characters, "u").replace(regex_file_ending, "").replace(regex_repeated_invalid_variable_identifier_characters, "_").replace(regex_starts_with_underscore, "").replace(regex_ends_with_underscore, "").replace(regex_starts_with_digit, "_$1"); + if (!base) { + throw new Error(`Could not derive component name from file ${filename}`); + } + return base[0].toUpperCase() + base.slice(1); + } + var valid_options = [ + "format", + "name", + "filename", + "sourcemap", + "enableSourcemap", + "generate", + "errorMode", + "varsReport", + "outputFilename", + "cssOutputFilename", + "sveltePath", + "dev", + "accessors", + "immutable", + "hydratable", + "legacy", + "customElement", + "namespace", + "tag", + "css", + "loopGuardTimeout", + "preserveComments", + "preserveWhitespace", + "cssHash" + ]; + var valid_css_values = [ + true, + false, + "injected", + "external", + "none" + ]; + var regex_valid_identifier = /^[a-zA-Z_$][a-zA-Z_$0-9]*$/; + var regex_starts_with_lowercase_character = /^[a-z]/; + function validate_options(options, warnings) { + const { name, filename, loopGuardTimeout, dev, namespace, css } = options; + Object.keys(options).forEach((key) => { + if (!valid_options.includes(key)) { + const match = fuzzymatch(key, valid_options); + let message = `Unrecognized option '${key}'`; + if (match) + message += ` (did you mean '${match}'?)`; + throw new Error(message); + } + }); + if (name && !regex_valid_identifier.test(name)) { + throw new Error(`options.name must be a valid identifier (got '${name}')`); + } + if (name && regex_starts_with_lowercase_character.test(name)) { + const message = "options.name should be capitalised"; + warnings.push({ + code: "options-lowercase-name", + message, + filename, + toString: () => message + }); + } + if (loopGuardTimeout && !dev) { + const message = "options.loopGuardTimeout is for options.dev = true only"; + warnings.push({ + code: "options-loop-guard-timeout", + message, + filename, + toString: () => message + }); + } + if (valid_css_values.indexOf(css) === -1) { + throw new Error(`options.css must be true, false, 'injected', 'external', or 'none' (got '${css}')`); + } + if (css === true || css === false) { + options.css = css === true ? "injected" : "external"; + } + if (namespace && valid_namespaces.indexOf(namespace) === -1) { + const match = fuzzymatch(namespace, valid_namespaces); + if (match) { + throw new Error(`Invalid namespace '${namespace}' (did you mean '${match}'?)`); + } else { + throw new Error(`Invalid namespace '${namespace}'`); + } + } + } + function compile(source, options = {}) { + options = Object.assign({ generate: "dom", dev: false, enableSourcemap: true, css: "injected" }, options); + const stats = new Stats(); + const warnings = []; + validate_options(options, warnings); + stats.start("parse"); + const ast = parse$I(source, options); + stats.stop("parse"); + stats.start("create component"); + const component = new Component(ast, source, options.name || get_name_from_filename(options.filename) || "Component", options, stats, warnings); + stats.stop("create component"); + const result = options.generate === false ? null : options.generate === "ssr" ? ssr(component, options) : dom(component, options); + return component.generate(result); + } + + // compiler.ts + function compile2(input) { + const { code, path, target, dev, css } = input; + const svelte = compile(code, { + filename: path, + generate: target, + hydratable: true, + format: "esm", + dev, + css + }); + return JSON.stringify({ + CSS: svelte.css.code, + JS: svelte.js.code + }); + } + return __toCommonJS(compiler_exports); +})(); diff --git a/package/viewer/svelte/compiler.ts b/package/viewer/svelte/compiler.ts new file mode 100644 index 000000000..14165259f --- /dev/null +++ b/package/viewer/svelte/compiler.ts @@ -0,0 +1,41 @@ +import { compile as compileSvelte } from "svelte/compiler" + +type Input = { + code: string + path: string + target: "ssr" | "dom" + dev: boolean + css: boolean +} + +// Capitalized for Go +type Output = + | { + JS: string + CSS: string + } + | { + Error: { + Path: string + Name: string + Message: string + Stack?: string + } + } + +// Compile svelte code +export function compile(input: Input): string { + const { code, path, target, dev, css } = input + const svelte = compileSvelte(code, { + filename: path, + generate: target, + hydratable: true, + format: "esm", + dev: dev, + css: css, + }) + return JSON.stringify({ + CSS: svelte.css.code, + JS: svelte.js.code, + } as Output) +} diff --git a/package/viewer/svelte/compiler_shim.ts b/package/viewer/svelte/compiler_shim.ts new file mode 100644 index 000000000..52c4e8e85 --- /dev/null +++ b/package/viewer/svelte/compiler_shim.ts @@ -0,0 +1,30 @@ +/** + * Shim for getting the svelte compiler to run in a V8 isolate. + */ + +// URL shim for the browser +// TODO: properly shim URL +export class URL { + constructor(url: string) { + console.log(url) + } +} + +// TODO: properly shim performance.now() +export const self = { + performance: { + now(): number { + return 0 + }, + }, +} + +// In development mode when compiling for the browser we hit this codepath: +// https://github.com/Rich-Harris/magic-string/blob/8f666889136ac2580356e48610b3ac95c276191e/src/SourceMap.js#L3-L10 +// Since we're running in a V8 isolate, we don't have a window or a Buffer. +// TODO: shim btoa properly +export const window = { + btoa: (data: string): string => { + return "" + }, +} diff --git a/package/viewer/svelte/compiler_test.go b/package/viewer/svelte/compiler_test.go new file mode 100644 index 000000000..d6436778c --- /dev/null +++ b/package/viewer/svelte/compiler_test.go @@ -0,0 +1,93 @@ +package svelte_test + +import ( + "context" + "os" + "strings" + "testing" + + "github.com/livebud/bud/internal/is" + "github.com/livebud/bud/package/viewer/svelte" + "github.com/livebud/js" + v8 "github.com/livebud/js/v8" +) + +func TestSSR(t *testing.T) { + is := is.New(t) + js, err := v8.Load(&js.Console{ + Log: os.Stdout, + Error: os.Stderr, + }) + is.NoErr(err) + ctx := context.Background() + compiler, err := svelte.Load(ctx, js) + is.NoErr(err) + ssr, err := compiler.SSR(ctx, "test.svelte", []byte(`

hi world!

`)) + is.NoErr(err) + is.True(strings.Contains(ssr.JS, `import { create_ssr_component } from "svelte/internal";`)) + is.True(strings.Contains(ssr.JS, `

hi world!

`)) +} + +func TestSSRRecovery(t *testing.T) { + is := is.New(t) + js, err := v8.Load(&js.Console{ + Log: os.Stdout, + Error: os.Stderr, + }) + is.NoErr(err) + ctx := context.Background() + compiler, err := svelte.Load(ctx, js) + is.NoErr(err) + ssr, err := compiler.SSR(ctx, "test.svelte", []byte(`

hi world!

`)) + is.True(err != nil) + is.True(strings.Contains(err.Error(), ` attempted to close an element that was not open`)) + is.True(strings.Contains(err.Error(), `

hi world!

hi world!`)) + is.NoErr(err) + is.True(strings.Contains(ssr.JS, `import { create_ssr_component } from "svelte/internal";`)) + is.True(strings.Contains(ssr.JS, `

hi world!

`)) +} + +func TestDOM(t *testing.T) { + is := is.New(t) + js, err := v8.Load(&js.Console{ + Log: os.Stdout, + Error: os.Stderr, + }) + is.NoErr(err) + ctx := context.Background() + compiler, err := svelte.Load(ctx, js) + is.NoErr(err) + dom, err := compiler.DOM(ctx, "test.svelte", []byte(`

hi world!

`)) + is.NoErr(err) + is.True(strings.Contains(dom.JS, `from "svelte/internal"`)) + is.True(strings.Contains(dom.JS, `function create_fragment`)) + is.True(strings.Contains(dom.JS, `element("h1")`)) + is.True(strings.Contains(dom.JS, `text("hi world!")`)) +} + +func TestDOMRecovery(t *testing.T) { + is := is.New(t) + js, err := v8.Load(&js.Console{ + Log: os.Stdout, + Error: os.Stderr, + }) + is.NoErr(err) + ctx := context.Background() + compiler, err := svelte.Load(ctx, js) + is.NoErr(err) + dom, err := compiler.DOM(ctx, "test.svelte", []byte(`

hi world!

`)) + is.True(err != nil) + is.True(strings.Contains(err.Error(), ` attempted to close an element that was not open`)) + is.True(strings.Contains(err.Error(), `

hi world!

hi world!`)) + is.NoErr(err) + is.True(strings.Contains(dom.JS, `from "svelte/internal"`)) + is.True(strings.Contains(dom.JS, `function create_fragment`)) + is.True(strings.Contains(dom.JS, `element("h1")`)) + is.True(strings.Contains(dom.JS, `text("hi world!")`)) +} + +// TODO: test compiler.Dev = false diff --git a/package/viewer/svelte/ssr_entry.gotext b/package/viewer/svelte/ssr_entry.gotext new file mode 100644 index 000000000..d0d9b91eb --- /dev/null +++ b/package/viewer/svelte/ssr_entry.gotext @@ -0,0 +1,43 @@ +{{/* ssr_entry.gotext is the entrypoint for server-pages */}} + +{{- range $import := $.Imports }} +import {{ $import.Name }} from "./{{ $import.Path }}" +{{- end }} + +import { Page, Viewer } from "ssrSvelteRuntime"; + +const pages = { + {{- range $page := $.Pages }} + "{{ $page.Key }}": new Page({ + key: "{{ $page.Key }}", + Component: {{ $page.Component }}, + {{- if $page.Layout }} + layout: { + key: "{{ $page.Layout.Key }}", + Component: {{ $page.Layout.Component }}, + }, + {{- end }} + frames: [ + {{- range $i, $frame := $page.Frames }} + { + key: "{{ $frame.Key }}", + Component: {{ $frame.Component }}, + }, + {{- end }} + ], + {{- if $page.Error }} + error: { + key: "{{ $page.Error.Key }}", + Component: {{ $page.Error.Component }}, + }, + {{- end }} + }) + {{- end }} +} + +const viewer = new Viewer(pages) + +// Render the page +export function render(key, props) { + return viewer.render(key, props) +}; diff --git a/package/viewer/svelte/ssr_runtime.ts b/package/viewer/svelte/ssr_runtime.ts new file mode 100644 index 000000000..9aaab2db7 --- /dev/null +++ b/package/viewer/svelte/ssr_runtime.ts @@ -0,0 +1,91 @@ +import type { create_ssr_component } from 'svelte/internal' +type Component = ReturnType + +type View = { + Component: Component + key: string +} + + +type Pages = { + [key: string]: Page +} + +type Props = { + [key: string]: unknown +} + + +type State = View & { + layout?: View + frames: View[] + error?: View +} + + +export class Page { + constructor(private readonly state: State) { } + + render(props: Props | null) { + props = props === null ? {} : props + const { Component, key, frames, layout } = this.state + + // Load the page component + const styles: string[] = [] + let heads: string[] = [] + const { head, css, html: pageHTML } = Component.render(props[key] || {}, { + // context: new Map(Object.entries(page.context || {})) + }) + if (head.length > 0) { + heads.push(head) + } + if (css.code.length > 0) { + styles.push(css.code) + } + let html = pageHTML + + // Render the frames + for (let frame of frames) { + const { head, css, html: frameHTML } = frame.Component.render(props[frame.key] || {}, { + // context: new Map(Object.entries(frame.context || {})), + '$$slots': { default: () => html } + }) + if (head.length > 0) { + heads.push(head) + } + if (css.code.length > 0) { + styles.push(css.code) + } + html = frameHTML + } + + // Render the layout + if (layout) { + const { html: layoutHTML } = layout.Component.render(props[layout.key] || {}, { + // context: new Map(Object.entries(page.layout?.context || {})), + '$$slots': { + default: () => `
${html}
`, + head: () => heads.join("\n"), + style: () => ``, + } + }) + html = layoutHTML + } + + return html + } +} + + +export class Viewer { + constructor(private readonly pages: Pages) { } + + render(key: string, props: Props | null) { + const page = this.pages[key] + if (!page) { + throw new Error(`svelte: unknown page ${key}`) + } + return page.render(props) + } +} + diff --git a/package/viewer/svelte/viewer.go b/package/viewer/svelte/viewer.go new file mode 100644 index 000000000..75367ede4 --- /dev/null +++ b/package/viewer/svelte/viewer.go @@ -0,0 +1,220 @@ +package svelte + +import ( + "bytes" + "context" + _ "embed" + "encoding/json" + "fmt" + "html/template" + "io/fs" + "path/filepath" + + "github.com/livebud/bud/internal/imports" + "github.com/matthewmueller/gotext" + + esbuild "github.com/evanw/esbuild/pkg/api" + "github.com/livebud/bud/internal/es" + "github.com/livebud/bud/package/viewer" + "github.com/livebud/bud/runtime/transpiler" + "github.com/livebud/js" +) + +func New(esbuilder *es.Builder, fsys fs.FS, js js.VM, transpiler transpiler.Interface, pages viewer.Pages) *Viewer { + return &Viewer{esbuilder, fsys, js, pages, transpiler} +} + +type Viewer struct { + esbuilder *es.Builder + fsys fs.FS + js js.VM + pages viewer.Pages + transpiler transpiler.Interface +} + +var _ viewer.Viewer = (*Viewer)(nil) + +func (v *Viewer) Render(ctx context.Context, key string, props viewer.Props) ([]byte, error) { + page, ok := v.pages[key] + if !ok { + return nil, fmt.Errorf("svelte: %q. %w", key, viewer.ErrPageNotFound) + } + ssrCode, err := v.esbuilder.Build(&es.Build{ + Entrypoint: page.Path + ".js", + Plugins: []es.Plugin{ + v.ssrEntryPlugin(page), + v.ssrRuntimePlugin(), + v.ssrTranspile(), + }, + }) + if err != nil { + return nil, err + } + propBytes, err := json.Marshal(props) + if err != nil { + return nil, err + } + expr := fmt.Sprintf(`%s; bud.render(%q, %s)`, ssrCode, key, propBytes) + html, err := v.js.Evaluate(ctx, page.Path, expr) + if err != nil { + return nil, err + } + return []byte(html), nil +} + +func (v *Viewer) RenderError(ctx context.Context, key string, err error, props viewer.Props) []byte { + return []byte("RenderError not implemented yet") +} + +func (v *Viewer) Register(router viewer.Router) { + fmt.Println("register called") +} + +func (v *Viewer) Bundle(ctx context.Context, out viewer.FS) error { + for _, page := range v.pages { + fmt.Println("bundling", page.Path) + } + return nil +} + +//go:embed ssr_entry.gotext +var ssrEntryCode string + +var ssrEntryTemplate = template.Must(template.New("ssr_entry.gotext").Parse(ssrEntryCode)) + +type State struct { + // Note: we're slightly abusing imports.Import here, since those are meant + // for Go imports, not JS imports. But it works out for this use case. + Imports []*imports.Import + Pages []*Page +} + +type Page struct { + *View + Layout *View + Error *View + Frames []*View +} + +type View struct { + Path string + Key string + Component string +} + +func newState(pages ...*viewer.Page) *State { + state := new(State) + imports := imports.New() + for _, p := range pages { + page := new(Page) + page.View = &View{ + Path: p.Path, + Key: p.Key, + Component: imports.AddNamed(gotext.Pascal(p.Key), p.Path), + } + if p.Error != nil { + page.Error = &View{ + Path: p.Error.Path, + Key: p.Error.Key, + Component: imports.AddNamed(gotext.Pascal(p.Error.Key), p.Error.Path), + } + } + if p.Layout != nil { + page.Layout = &View{ + Path: p.Layout.Path, + Key: p.Layout.Key, + Component: imports.AddNamed(gotext.Pascal(p.Layout.Key), p.Layout.Path), + } + } + for _, frame := range p.Frames { + page.Frames = append(page.Frames, &View{ + Path: frame.Path, + Key: frame.Key, + Component: imports.AddNamed(gotext.Pascal(frame.Key), frame.Path), + }) + } + state.Pages = append(state.Pages, page) + } + state.Imports = imports.List() + return state +} + +func (v *Viewer) ssrEntryPlugin(page *viewer.Page) es.Plugin { + return es.Plugin{ + Name: "svelte_ssr_entry", + Setup: func(epb esbuild.PluginBuild) { + epb.OnResolve(esbuild.OnResolveOptions{Filter: `^` + page.Path + `\.js$`}, func(args esbuild.OnResolveArgs) (result esbuild.OnResolveResult, err error) { + result.Namespace = page.Path + `.js` + result.Path = args.Path + return result, nil + }) + epb.OnLoad(esbuild.OnLoadOptions{Filter: `.*`, Namespace: page.Path + `.js`}, func(args esbuild.OnLoadArgs) (result esbuild.OnLoadResult, err error) { + code := new(bytes.Buffer) + state := newState(page) + if err := ssrEntryTemplate.Execute(code, state); err != nil { + return result, err + } + if err != nil { + return result, err + } + contents := code.String() + result.ResolveDir = v.esbuilder.Directory() + result.Contents = &contents + result.Loader = esbuild.LoaderJS + return result, nil + }) + }, + } +} + +//go:embed ssr_runtime.ts +var ssrRuntimeCode string + +func (v *Viewer) ssrRuntimePlugin() esbuild.Plugin { + return esbuild.Plugin{ + Name: "svelte_ssr_runtime", + Setup: func(epb esbuild.PluginBuild) { + epb.OnResolve(esbuild.OnResolveOptions{Filter: `^ssrSvelteRuntime$`}, func(args esbuild.OnResolveArgs) (result esbuild.OnResolveResult, err error) { + result.Namespace = "ssrSvelteRuntime" + result.Path = args.Path + return result, nil + }) + epb.OnLoad(esbuild.OnLoadOptions{Filter: `.*`, Namespace: `ssrSvelteRuntime`}, func(args esbuild.OnLoadArgs) (result esbuild.OnLoadResult, err error) { + result.ResolveDir = v.esbuilder.Directory() + result.Contents = &ssrRuntimeCode + result.Loader = esbuild.LoaderTS + return result, nil + }) + }, + } +} + +// Svelte plugin transforms Svelte imports to server-side JS +func (v *Viewer) ssrTranspile() esbuild.Plugin { + return esbuild.Plugin{ + Name: "ssr_transpile", + Setup: func(epb esbuild.PluginBuild) { + epb.OnResolve(esbuild.OnResolveOptions{Filter: `\.svelte$`}, func(args esbuild.OnResolveArgs) (result esbuild.OnResolveResult, err error) { + result.Namespace = "svelte" + result.Path = args.Path + return result, nil + }) + epb.OnLoad(esbuild.OnLoadOptions{Filter: `.*`, Namespace: `svelte`}, func(args esbuild.OnLoadArgs) (result esbuild.OnLoadResult, err error) { + filePath := filepath.Clean(args.Path) + svelteCode, err := fs.ReadFile(v.fsys, filePath) + if err != nil { + return result, err + } + ssrJSCode, err := v.transpiler.Transpile(filePath, ".ssr.js", svelteCode) + if err != nil { + return result, err + } + contents := string(ssrJSCode) + result.ResolveDir = v.esbuilder.Directory() + result.Contents = &contents + result.Loader = esbuild.LoaderJS + return result, nil + }) + }, + } +} diff --git a/package/viewer/svelte/viewer_test.go b/package/viewer/svelte/viewer_test.go new file mode 100644 index 000000000..fd30e5516 --- /dev/null +++ b/package/viewer/svelte/viewer_test.go @@ -0,0 +1,341 @@ +package svelte_test + +import ( + "context" + "io/fs" + "os" + "strings" + "testing" + "testing/fstest" + + "github.com/livebud/bud/internal/es" + "github.com/livebud/bud/internal/is" + "github.com/livebud/bud/package/viewer" + "github.com/livebud/bud/package/viewer/svelte" + "github.com/livebud/bud/package/virtual" + "github.com/livebud/bud/runtime/transpiler" + "github.com/livebud/js" + v8 "github.com/livebud/js/v8" +) + +func loadViewer(dir string, fsys fs.FS) (*svelte.Viewer, error) { + esbuilder := es.New(dir) + js, err := v8.Load(&js.Console{ + Log: os.Stdout, + Error: os.Stderr, + }) + if err != nil { + return nil, err + } + ctx := context.Background() + compiler, err := svelte.Load(ctx, js) + if err != nil { + return nil, err + } + tr := transpiler.New() + tr.Add(".svelte", ".ssr.js", func(file *transpiler.File) error { + ssr, err := compiler.SSR(ctx, file.Path(), file.Data) + if err != nil { + return err + } + file.Data = []byte(ssr.JS) + return nil + }) + pages, err := viewer.Find(fsys) + if err != nil { + return nil, err + } + viewer := svelte.New(esbuilder, fsys, js, tr, pages) + return viewer, nil +} + +func TestEntryNoProps(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", nil) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Hello Earth!

`)) +} + +func TestEntryProps(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", map[string]interface{}{ + "index": map[string]interface{}{ + "planet": "Mars", + }, + }) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Hello Mars!

`)) +} + +func TestFrameProps(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "frame.svelte": &fstest.MapFile{Data: []byte(` + +
+ `)}, + "index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", map[string]interface{}{ + "index": map[string]interface{}{ + "planet": "Mars", + }, + "frame": map[string]interface{}{ + "id": 456, + }, + }) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Hello Mars!

`)) +} + +func TestLayoutFrameNoProps(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "layout.svelte": &fstest.MapFile{Data: []byte(` + + + + My App + + +
+ + + `)}, + "frame.svelte": &fstest.MapFile{Data: []byte(` + +
+ `)}, + "index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", map[string]interface{}{ + "index": map[string]interface{}{ + "planet": "Mars", + }, + "frame": map[string]interface{}{ + "id": 456, + }, + }) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Hello Mars!

`)) +} + +func TestLayoutFrameProps(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "layout.svelte": &fstest.MapFile{Data: []byte(` + + + + My App + + +
+ + + `)}, + "frame.svelte": &fstest.MapFile{Data: []byte(` + +
+ `)}, + "index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "index", map[string]interface{}{ + "index": map[string]interface{}{ + "planet": "Mars", + }, + "frame": map[string]interface{}{ + "id": 456, + }, + "layout": map[string]interface{}{ + "theme": "dark", + }, + }) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Hello Mars!

`)) +} + +func TestMultipleFrames(t *testing.T) { + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "layout.svelte": &fstest.MapFile{Data: []byte(` + + + + My App + + +
+ + + `)}, + "frame.svelte": &fstest.MapFile{Data: []byte(` + +

{title}

+ `)}, + "posts/frame.svelte": &fstest.MapFile{Data: []byte(` + +
+ `)}, + "posts/index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "posts/index": svelte, + } + ctx := context.Background() + html, err := viewers.Render(ctx, "posts/index", map[string]interface{}{ + "posts/index": map[string]interface{}{ + "planet": "Mars", + }, + "posts/frame": map[string]interface{}{ + "id": 456, + }, + "frame": map[string]interface{}{ + "title": "Matt's Blog", + }, + "layout": map[string]interface{}{ + "theme": "navy", + }, + }) + is.NoErr(err) + is.True(strings.Contains(string(html), `

Matt's Blog

Hello Mars!

`)) +} + +func TestBundle(t *testing.T) { + t.Skip("TODO: add bundling") + is := is.New(t) + dir := t.TempDir() + fsys := fstest.MapFS{ + "layout.svelte": &fstest.MapFile{Data: []byte(` + + + + My App + + +
+ + + `)}, + "frame.svelte": &fstest.MapFile{Data: []byte(` + +

{title}

+ `)}, + "posts/frame.svelte": &fstest.MapFile{Data: []byte(` + +
+ `)}, + "posts/index.svelte": &fstest.MapFile{Data: []byte(` + +

Hello {planet}!

+ `)}, + } + svelte, err := loadViewer(dir, fsys) + is.NoErr(err) + viewers := viewer.Viewers{ + "posts/index": svelte, + } + ctx := context.Background() + outfs := virtual.Map{} + err = viewers.Bundle(ctx, outfs) + is.NoErr(err) + is.True(outfs["posts/index.js"] != nil) +} diff --git a/package/viewer/viewer.go b/package/viewer/viewer.go new file mode 100644 index 000000000..b17da17f6 --- /dev/null +++ b/package/viewer/viewer.go @@ -0,0 +1,83 @@ +package viewer + +import ( + "context" + "errors" + "fmt" + "io/fs" + "net/http" +) + +var ErrViewerNotFound = errors.New("viewer not found") +var ErrPageNotFound = errors.New("page not found") + +type FS interface { + MkdirAll(path string, perm fs.FileMode) error + WriteFile(name string, data []byte, perm fs.FileMode) error +} + +type Router interface { + Get(path string, handler http.Handler) error +} + +type Props = map[string]interface{} + +type Key = string + +type Page struct { + *View // Entry + Frames []*View + Layout *View + Error *View +} + +type View struct { + Key Key + Path string +} + +type Viewer interface { + Register(router Router) + Render(ctx context.Context, key string, props Props) ([]byte, error) + RenderError(ctx context.Context, key string, err error, props Props) []byte + Bundle(ctx context.Context, out FS) error +} + +// Viewers group multiple viewers into one viewer. +// +// Note: viewers get mapped by key (e.g. posts/index), not by +// extension (e.g. .gohtml) +type Viewers map[Key]Viewer + +var _ Viewer = (Viewers)(nil) + +func (viewers Viewers) Register(router Router) { + for _, viewer := range viewers { + viewer.Register(router) + } +} + +func (viewers Viewers) Render(ctx context.Context, key string, props Props) ([]byte, error) { + viewer, ok := viewers[key] + if !ok { + return nil, fmt.Errorf("%w %q", ErrViewerNotFound, key) + } + return viewer.Render(ctx, key, props) +} + +func (viewers Viewers) RenderError(ctx context.Context, key string, err error, props Props) []byte { + viewer, ok := viewers[key] + if !ok { + return []byte(fmt.Sprintf("%q %v. %v\n", key, ErrViewerNotFound, err)) + } + return viewer.RenderError(ctx, key, err, props) +} + +func (viewers Viewers) Bundle(ctx context.Context, out FS) error { + for _, viewer := range viewers { + if err := viewer.Bundle(ctx, out); err != nil { + return err + } + } + return nil +}