Introduce ESLint to svelte sources ()

* introduce eslint

* add lint npm script

* first eslint run

* use tsc stronger checks for unused vars

* fix strict typescript unused checks

* reintroduce unicode oddities

* revert ordering changes

* revert whitespace changes

* set indent lint rule as error and ignore outliers

* revert some more unicode

* reintroduce scissors unicode again
pull/2990/head
James Garbutt 6 years ago committed by Rich Harris
parent 0dde4f51e0
commit caebe0deb8

@ -1,7 +1,3 @@
src/shared
shared.js
store.js
test/test.js
test/setup.js
**/_actual.js **/_actual.js
**/expected.js **/expected.js
test/*/samples/*/output.js

@ -1,43 +1,76 @@
{ {
"root": true, "root": true,
"rules": { "rules": {
"indent": [2, "tab", { "SwitchCase": 1 }], "indent": "off",
"semi": [2, "always"], "no-unused-vars": "off",
"keyword-spacing": [2, { "before": true, "after": true }], "semi": [2, "always"],
"space-before-blocks": [2, "always"], "keyword-spacing": [2, { "before": true, "after": true }],
"no-mixed-spaces-and-tabs": [2, "smart-tabs"], "space-before-blocks": [2, "always"],
"no-cond-assign": 0, "no-mixed-spaces-and-tabs": [2, "smart-tabs"],
"no-unused-vars": 2, "no-cond-assign": 0,
"object-shorthand": [2, "always"], "object-shorthand": [2, "always"],
"no-const-assign": 2, "no-const-assign": 2,
"no-class-assign": 2, "no-class-assign": 2,
"no-this-before-super": 2, "no-this-before-super": 2,
"no-var": 2, "no-var": 2,
"no-unreachable": 2, "no-unreachable": 2,
"valid-typeof": 2, "valid-typeof": 2,
"quote-props": [2, "as-needed"], "quote-props": [2, "as-needed"],
"one-var": [2, "never"], "one-var": [2, "never"],
"prefer-arrow-callback": 2, "prefer-arrow-callback": 2,
"prefer-const": [2, { "destructuring": "all" }], "prefer-const": [2, { "destructuring": "all" }],
"arrow-spacing": 2, "arrow-spacing": 2,
"no-inner-declarations": 0 "no-inner-declarations": 0,
}, "@typescript-eslint/indent": ["error", "tab", {
"env": { "SwitchCase": 1,
"es6": true, "ignoredNodes": ["TemplateLiteral"]
"browser": true, }],
"node": true, "@typescript-eslint/camelcase": "off",
"mocha": true "@typescript-eslint/no-use-before-define": "off",
}, "@typescript-eslint/array-type": ["error", "array-simple"],
"extends": [ "@typescript-eslint/explicit-function-return-type": "off",
"eslint:recommended", "@typescript-eslint/no-explicit-any": "off",
"plugin:import/errors", "@typescript-eslint/explicit-member-accessibility": "off",
"plugin:import/warnings" "@typescript-eslint/no-unused-vars": ["error", {
], "argsIgnorePattern": "^_"
"parserOptions": { }],
"ecmaVersion": 9, "@typescript-eslint/no-object-literal-type-assertion": ["error", {
"sourceType": "module" "allowAsParameter": true
}, }],
"settings": { "@typescript-eslint/no-unused-vars": "off"
"import/core-modules": ["svelte"] },
} "env": {
"es6": true,
"browser": true,
"node": true,
"mocha": true
},
"extends": [
"eslint:recommended",
"plugin:import/errors",
"plugin:import/warnings",
"plugin:import/typescript",
"plugin:@typescript-eslint/recommended"
],
"parserOptions": {
"ecmaVersion": 9,
"sourceType": "module"
},
"settings": {
"import/core-modules": [
"svelte",
"svelte/internal",
"svelte/store",
"svelte/easing",
"estree"
]
},
"overrides": [
{
"files": ["*.js"],
"rules": {
"@typescript-eslint/no-var-requires": "off"
}
}
]
} }

941
package-lock.json generated

File diff suppressed because it is too large Load Diff

@ -38,7 +38,8 @@
"prepublishOnly": "export PUBLISH=true && npm test && npm run create-stubs", "prepublishOnly": "export PUBLISH=true && npm test && npm run create-stubs",
"create-stubs": "node scripts/create-stubs.js", "create-stubs": "node scripts/create-stubs.js",
"tsd": "tsc -p . --emitDeclarationOnly", "tsd": "tsc -p . --emitDeclarationOnly",
"typecheck": "tsc -p . --noEmit" "typecheck": "tsc -p . --noEmit",
"lint": "eslint \"{src,test}/**/*.{ts,js}\""
}, },
"repository": { "repository": {
"type": "git", "type": "git",
@ -60,12 +61,16 @@
"@sveltejs/svelte-repl": "0.0.5", "@sveltejs/svelte-repl": "0.0.5",
"@types/mocha": "^5.2.0", "@types/mocha": "^5.2.0",
"@types/node": "^10.5.5", "@types/node": "^10.5.5",
"@typescript-eslint/eslint-plugin": "^1.9.0",
"@typescript-eslint/parser": "^1.9.0",
"acorn": "^6.1.1", "acorn": "^6.1.1",
"acorn-dynamic-import": "^4.0.0", "acorn-dynamic-import": "^4.0.0",
"agadoo": "^1.0.1", "agadoo": "^1.0.1",
"c8": "^3.4.0", "c8": "^3.4.0",
"codecov": "^3.0.0", "codecov": "^3.0.0",
"css-tree": "1.0.0-alpha22", "css-tree": "1.0.0-alpha22",
"eslint": "^5.16.0",
"eslint-plugin-import": "^2.17.3",
"estree-walker": "^0.6.1", "estree-walker": "^0.6.1",
"is-reference": "^1.1.1", "is-reference": "^1.1.1",
"jsdom": "^12.2.0", "jsdom": "^12.2.0",

@ -5,7 +5,7 @@ const now = (typeof process !== 'undefined' && process.hrtime)
} }
: () => self.performance.now(); : () => self.performance.now();
type Timing = { interface Timing {
label: string; label: string;
start: number; start: number;
end: number; end: number;

@ -24,13 +24,13 @@ import unwrap_parens from './utils/unwrap_parens';
import Slot from './nodes/Slot'; import Slot from './nodes/Slot';
import { Node as ESTreeNode } from 'estree'; import { Node as ESTreeNode } from 'estree';
type ComponentOptions = { interface ComponentOptions {
namespace?: string; namespace?: string;
tag?: string; tag?: string;
immutable?: boolean; immutable?: boolean;
accessors?: boolean; accessors?: boolean;
preserveWhitespace?: boolean; preserveWhitespace?: boolean;
}; }
// We need to tell estree-walker that it should always // We need to tell estree-walker that it should always
// look for an `else` block, otherwise it might get // look for an `else` block, otherwise it might get
@ -97,7 +97,7 @@ export default class Component {
node_for_declaration: Map<string, Node> = new Map(); node_for_declaration: Map<string, Node> = new Map();
partly_hoisted: string[] = []; partly_hoisted: string[] = [];
fully_hoisted: string[] = []; fully_hoisted: string[] = [];
reactive_declarations: Array<{ assignees: Set<string>, dependencies: Set<string>, node: Node, declaration: Node }> = []; reactive_declarations: Array<{ assignees: Set<string>; dependencies: Set<string>; node: Node; declaration: Node }> = [];
reactive_declaration_nodes: Set<Node> = new Set(); reactive_declaration_nodes: Set<Node> = new Set();
has_reactive_assignments = false; has_reactive_assignments = false;
injected_reactive_declaration_vars: Set<string> = new Set(); injected_reactive_declaration_vars: Set<string> = new Set();
@ -106,12 +106,12 @@ export default class Component {
indirect_dependencies: Map<string, Set<string>> = new Map(); indirect_dependencies: Map<string, Set<string>> = new Map();
file: string; file: string;
locate: (c: number) => { line: number, column: number }; locate: (c: number) => { line: number; column: number };
// TODO this does the same as component.locate! remove one or the other // TODO this does the same as component.locate! remove one or the other
locator: (search: number, startIndex?: number) => { locator: (search: number, startIndex?: number) => {
line: number, line: number;
column: number column: number;
}; };
stylesheet: Stylesheet; stylesheet: Stylesheet;
@ -140,6 +140,7 @@ export default class Component {
this.compile_options = compile_options; this.compile_options = compile_options;
this.file = compile_options.filename && ( this.file = compile_options.filename && (
// eslint-disable-next-line no-useless-escape
typeof process !== 'undefined' ? compile_options.filename.replace(process.cwd(), '').replace(/^[\/\\]/, '') : compile_options.filename typeof process !== 'undefined' ? compile_options.filename.replace(process.cwd(), '').replace(/^[\/\\]/, '') : compile_options.filename
); );
this.locate = getLocator(this.source); this.locate = getLocator(this.source);
@ -248,7 +249,7 @@ export default class Component {
result = result result = result
.replace(/__svelte:self__/g, this.name) .replace(/__svelte:self__/g, this.name)
.replace(compile_options.generate === 'ssr' ? /(@+|#+)(\w*(?:-\w*)?)/g : /(@+)(\w*(?:-\w*)?)/g, (match: string, sigil: string, name: string) => { .replace(compile_options.generate === 'ssr' ? /(@+|#+)(\w*(?:-\w*)?)/g : /(@+)(\w*(?:-\w*)?)/g, (_match: string, sigil: string, name: string) => {
if (sigil === '@') { if (sigil === '@') {
if (internal_exports.has(name)) { if (internal_exports.has(name)) {
if (compile_options.dev && internal_exports.has(`${name}Dev`)) name = `${name}Dev`; if (compile_options.dev && internal_exports.has(`${name}Dev`)) name = `${name}Dev`;
@ -379,7 +380,7 @@ export default class Component {
reserved.forEach(add); reserved.forEach(add);
internal_exports.forEach(add); internal_exports.forEach(add);
this.var_lookup.forEach((value, key) => add(key)); this.var_lookup.forEach((_value, key) => add(key));
return (name: string) => { return (name: string) => {
if (test) name = `${name}$`; if (test) name = `${name}$`;
@ -398,12 +399,12 @@ export default class Component {
error( error(
pos: { pos: {
start: number, start: number;
end: number end: number;
}, },
e : { e: {
code: string, code: string;
message: string message: string;
} }
) { ) {
error(e.message, { error(e.message, {
@ -418,12 +419,12 @@ export default class Component {
warn( warn(
pos: { pos: {
start: number, start: number;
end: number end: number;
}, },
warning: { warning: {
code: string, code: string;
message: string message: string;
} }
) { ) {
if (!this.locator) { if (!this.locator) {
@ -527,7 +528,7 @@ export default class Component {
let result = ''; let result = '';
script.content.body.forEach((node, i) => { script.content.body.forEach((node) => {
if (this.hoistable_nodes.has(node) || this.reactive_declaration_nodes.has(node)) { if (this.hoistable_nodes.has(node) || this.reactive_declaration_nodes.has(node)) {
if (a !== b) result += `[✂${a}-${b}✂]`; if (a !== b) result += `[✂${a}-${b}✂]`;
a = node.end; a = node.end;
@ -564,7 +565,7 @@ export default class Component {
this.add_sourcemap_locations(script.content); this.add_sourcemap_locations(script.content);
let { scope, globals } = create_scopes(script.content); const { scope, globals } = create_scopes(script.content);
this.module_scope = scope; this.module_scope = scope;
scope.declarations.forEach((node, name) => { scope.declarations.forEach((node, name) => {
@ -588,7 +589,7 @@ export default class Component {
this.error(node, { this.error(node, {
code: 'illegal-subscription', code: 'illegal-subscription',
message: `Cannot reference store value inside <script context="module">` message: `Cannot reference store value inside <script context="module">`
}) });
} else { } else {
this.add_var({ this.add_var({
name, name,
@ -624,7 +625,7 @@ export default class Component {
}); });
}); });
let { scope: instance_scope, map, globals } = create_scopes(script.content); const { scope: instance_scope, map, globals } = create_scopes(script.content);
this.instance_scope = instance_scope; this.instance_scope = instance_scope;
this.instance_scope_map = map; this.instance_scope_map = map;
@ -646,7 +647,7 @@ export default class Component {
this.node_for_declaration.set(name, node); this.node_for_declaration.set(name, node);
}); });
globals.forEach((node, name) => { globals.forEach((_node, name) => {
if (this.var_lookup.has(name)) return; if (this.var_lookup.has(name)) return;
if (this.injected_reactive_declaration_vars.has(name)) { if (this.injected_reactive_declaration_vars.has(name)) {
@ -705,7 +706,7 @@ export default class Component {
let scope = instance_scope; let scope = instance_scope;
walk(this.ast.instance.content, { walk(this.ast.instance.content, {
enter(node, parent) { enter(node) {
if (map.has(node)) { if (map.has(node)) {
scope = map.get(node); scope = map.get(node);
} }
@ -738,7 +739,7 @@ export default class Component {
scope = scope.parent; scope = scope.parent;
} }
} }
}) });
} }
extract_reactive_store_references() { extract_reactive_store_references() {
@ -786,7 +787,7 @@ export default class Component {
} }
if (name[0] === '$' && name[1] !== '$') { if (name[0] === '$' && name[1] !== '$') {
return `${name.slice(1)}.set(${name})` return `${name.slice(1)}.set(${name})`;
} }
if (variable && !variable.referenced && !variable.is_reactive_dependency && !variable.export_name && !name.startsWith('$$')) { if (variable && !variable.referenced && !variable.is_reactive_dependency && !variable.export_name && !name.startsWith('$$')) {
@ -888,13 +889,13 @@ export default class Component {
} }
if (variable.writable && variable.name !== variable.export_name) { if (variable.writable && variable.name !== variable.export_name) {
code.prependRight(declarator.id.start, `${variable.export_name}: `) code.prependRight(declarator.id.start, `${variable.export_name}: `);
} }
if (next) { if (next) {
const next_variable = component.var_lookup.get(next.id.name) const next_variable = component.var_lookup.get(next.id.name);
const new_declaration = !next_variable.export_name const new_declaration = !next_variable.export_name
|| (current_group.insert && next_variable.subscribable) || (current_group.insert && next_variable.subscribable);
if (new_declaration) { if (new_declaration) {
code.overwrite(declarator.end, next.start, ` ${node.kind} `); code.overwrite(declarator.end, next.start, ` ${node.kind} `);
@ -904,7 +905,7 @@ export default class Component {
current_group = null; current_group = null;
if (variable.subscribable) { if (variable.subscribable) {
let insert = get_insert(variable); const insert = get_insert(variable);
if (next) { if (next) {
code.overwrite(declarator.end, next.start, `; ${insert}; ${node.kind} `); code.overwrite(declarator.end, next.start, `; ${insert}; ${node.kind} `);
@ -975,9 +976,9 @@ export default class Component {
if (!d.init) return false; if (!d.init) return false;
if (d.init.type !== 'Literal') return false; if (d.init.type !== 'Literal') return false;
const v = this.var_lookup.get(d.id.name) const v = this.var_lookup.get(d.id.name);
if (v.reassigned) return false if (v.reassigned) return false;
if (v.export_name) return false if (v.export_name) return false;
if (this.var_lookup.get(d.id.name).reassigned) return false; if (this.var_lookup.get(d.id.name).reassigned) return false;
if (this.vars.find(variable => variable.name === d.id.name && variable.module)) return false; if (this.vars.find(variable => variable.name === d.id.name && variable.module)) return false;
@ -1006,7 +1007,7 @@ export default class Component {
}); });
const checked = new Set(); const checked = new Set();
let walking = new Set(); const walking = new Set();
const is_hoistable = fn_declaration => { const is_hoistable = fn_declaration => {
if (fn_declaration.type === 'ExportNamedDeclaration') { if (fn_declaration.type === 'ExportNamedDeclaration') {
@ -1015,7 +1016,7 @@ export default class Component {
const instance_scope = this.instance_scope; const instance_scope = this.instance_scope;
let scope = this.instance_scope; let scope = this.instance_scope;
let map = this.instance_scope_map; const map = this.instance_scope_map;
let hoistable = true; let hoistable = true;
@ -1051,7 +1052,7 @@ export default class Component {
hoistable = false; hoistable = false;
} else if (!is_hoistable(other_declaration)) { } else if (!is_hoistable(other_declaration)) {
hoistable = false; hoistable = false;
} }
} }
else { else {
@ -1103,7 +1104,7 @@ export default class Component {
const dependencies = new Set(); const dependencies = new Set();
let scope = this.instance_scope; let scope = this.instance_scope;
let map = this.instance_scope_map; const map = this.instance_scope_map;
walk(node.body, { walk(node.body, {
enter(node, parent) { enter(node, parent) {
@ -1320,14 +1321,16 @@ function process_component_options(component: Component, nodes) {
case 'accessors': case 'accessors':
case 'immutable': case 'immutable':
case 'preserveWhitespace': case 'preserveWhitespace':
{
const code = `invalid-${name}-value`; const code = `invalid-${name}-value`;
const message = `${name} attribute must be true or false` const message = `${name} attribute must be true or false`;
const value = get_value(attribute, code, message); const value = get_value(attribute, code, message);
if (typeof value !== 'boolean') component.error(attribute, { code, message }); if (typeof value !== 'boolean') component.error(attribute, { code, message });
component_options[name] = value; component_options[name] = value;
break; break;
}
default: default:
component.error(attribute, { component.error(attribute, {

@ -5,10 +5,10 @@ import { stringify_props } from './utils/stringify_props';
const wrappers = { esm, cjs }; const wrappers = { esm, cjs };
type Export = { interface Export {
name: string; name: string;
as: string; as: string;
}; }
export default function create_module( export default function create_module(
code: string, code: string,
@ -16,7 +16,7 @@ export default function create_module(
name: string, name: string,
banner: string, banner: string,
sveltePath = 'svelte', sveltePath = 'svelte',
helpers: { name: string, alias: string }[], helpers: Array<{ name: string; alias: string }>,
imports: Node[], imports: Node[],
module_exports: Export[], module_exports: Export[],
source: string source: string
@ -44,7 +44,7 @@ function esm(
banner: string, banner: string,
sveltePath: string, sveltePath: string,
internal_path: string, internal_path: string,
helpers: { name: string, alias: string }[], helpers: Array<{ name: string; alias: string }>,
imports: Node[], imports: Node[],
module_exports: Export[], module_exports: Export[],
source: string source: string
@ -84,7 +84,7 @@ function cjs(
banner: string, banner: string,
sveltePath: string, sveltePath: string,
internal_path: string, internal_path: string,
helpers: { name: string, alias: string }[], helpers: Array<{ name: string; alias: string }>,
imports: Node[], imports: Node[],
module_exports: Export[] module_exports: Export[]
) { ) {
@ -115,7 +115,7 @@ function cjs(
const source = edit_source(node.source.value, sveltePath); const source = edit_source(node.source.value, sveltePath);
return `const ${lhs} = require("${source}");` return `const ${lhs} = require("${source}");`;
}); });
const exports = [`exports.default = ${name};`].concat( const exports = [`exports.default = ${name};`].concat(
@ -131,5 +131,5 @@ function cjs(
${code} ${code}
${exports}` ${exports}`;
} }

@ -73,7 +73,7 @@ export default class Selector {
} }
} }
this.blocks.forEach((block, i) => { this.blocks.forEach((block) => {
if (block.global) { if (block.global) {
const selector = block.selectors[0]; const selector = block.selectors[0];
const first = selector.children[0]; const first = selector.children[0];
@ -238,7 +238,7 @@ function attribute_matches(node: Node, name: string, expected_value: string, ope
} }
function class_matches(node, name: string) { function class_matches(node, name: string) {
return node.classes.some(function(class_directive) { return node.classes.some((class_directive) => {
return new RegExp(`\\b${name}\\b`).test(class_directive.name); return new RegExp(`\\b${name}\\b`).test(class_directive.name);
}); });
} }
@ -287,7 +287,7 @@ function group_selectors(selector: Node) {
const blocks = [block]; const blocks = [block];
selector.children.forEach((child: Node, i: number) => { selector.children.forEach((child: Node) => {
if (child.type === 'WhiteSpace' || child.type === 'Combinator') { if (child.type === 'WhiteSpace' || child.type === 'Combinator') {
block = new Block(child); block = new Block(child);
blocks.push(block); blocks.push(block);

@ -43,11 +43,11 @@ class Rule {
return this.selectors.some(s => s.used); return this.selectors.some(s => s.used);
} }
minify(code: MagicString, dev: boolean) { minify(code: MagicString, _dev: boolean) {
let c = this.node.start; let c = this.node.start;
let started = false; let started = false;
this.selectors.forEach((selector, i) => { this.selectors.forEach((selector) => {
if (selector.used) { if (selector.used) {
const separator = started ? ',' : ''; const separator = started ? ',' : '';
if ((selector.node.start - c) > separator.length) { if ((selector.node.start - c) > separator.length) {
@ -140,7 +140,7 @@ class Declaration {
class Atrule { class Atrule {
node: Node; node: Node;
children: (Atrule|Rule)[]; children: Array<Atrule|Rule>;
constructor(node: Node) { constructor(node: Node) {
this.node = node; this.node = node;
@ -163,7 +163,7 @@ class Atrule {
} }
} }
is_used(dev: boolean) { is_used(_dev: boolean) {
return true; // TODO return true; // TODO
} }
@ -253,7 +253,7 @@ export default class Stylesheet {
has_styles: boolean; has_styles: boolean;
id: string; id: string;
children: (Rule|Atrule)[] = []; children: Array<Rule|Atrule> = [];
keyframes: Map<string, string> = new Map(); keyframes: Map<string, string> = new Map();
nodes_with_css_class: Set<Node> = new Set(); nodes_with_css_class: Set<Node> = new Set();
@ -269,7 +269,7 @@ export default class Stylesheet {
this.has_styles = true; this.has_styles = true;
const stack: (Rule | Atrule)[] = []; const stack: Array<Rule | Atrule> = [];
let current_atrule: Atrule = null; let current_atrule: Atrule = null;
walk(ast.css, { walk(ast.css, {

@ -3,7 +3,7 @@ import Stats from '../Stats';
import parse from '../parse/index'; import parse from '../parse/index';
import render_dom from './render-dom/index'; import render_dom from './render-dom/index';
import render_ssr from './render-ssr/index'; import render_ssr from './render-ssr/index';
import { CompileOptions, Ast, Warning } from '../interfaces'; import { CompileOptions, Warning } from '../interfaces';
import Component from './Component'; import Component from './Component';
import fuzzymatch from '../utils/fuzzymatch'; import fuzzymatch from '../utils/fuzzymatch';
@ -57,6 +57,7 @@ function validate_options(options: CompileOptions, warnings: Warning[]) {
function get_name(filename: string) { function get_name(filename: string) {
if (!filename) return null; if (!filename) return null;
// eslint-disable-next-line no-useless-escape
const parts = filename.split(/[\/\\]/); const parts = filename.split(/[\/\\]/);
if (parts.length > 1 && /^index\.\w+/.test(parts[parts.length - 1])) { if (parts.length > 1 && /^index\.\w+/.test(parts[parts.length - 1])) {
@ -79,12 +80,10 @@ export default function compile(source: string, options: CompileOptions = {}) {
const stats = new Stats(); const stats = new Stats();
const warnings = []; const warnings = [];
let ast: Ast;
validate_options(options, warnings); validate_options(options, warnings);
stats.start('parse'); stats.start('parse');
ast = parse(source, options); const ast = parse(source, options);
stats.stop('parse'); stats.stop('parse');
stats.start('create component'); stats.start('create component');

@ -21,7 +21,7 @@ export default class Attribute extends Node {
is_synthetic: boolean; is_synthetic: boolean;
should_cache: boolean; should_cache: boolean;
expression?: Expression; expression?: Expression;
chunks: (Text | Expression)[]; chunks: Array<Text | Expression>;
dependencies: Set<string>; dependencies: Set<string>;
constructor(component, parent, scope, info) { constructor(component, parent, scope, info) {

@ -8,13 +8,13 @@ import { Node as INode } from '../../interfaces';
import { new_tail } from '../utils/tail'; import { new_tail } from '../utils/tail';
import Element from './Element'; import Element from './Element';
type Context = { interface Context {
key: INode, key: INode;
name?: string, name?: string;
tail: string tail: string;
}; }
function unpack_destructuring(contexts: Array<Context>, node: INode, tail: string) { function unpack_destructuring(contexts: Context[], node: INode, tail: string) {
if (!node) return; if (!node) return;
if (node.type === 'Identifier' || node.type === 'RestIdentifier') { if (node.type === 'Identifier' || node.type === 'RestIdentifier') {
@ -25,7 +25,7 @@ function unpack_destructuring(contexts: Array<Context>, node: INode, tail: strin
} else if (node.type === 'ArrayPattern') { } else if (node.type === 'ArrayPattern') {
node.elements.forEach((element, i) => { node.elements.forEach((element, i) => {
if (element && element.type === 'RestIdentifier') { if (element && element.type === 'RestIdentifier') {
unpack_destructuring(contexts, element, `${tail}.slice(${i})`) unpack_destructuring(contexts, element, `${tail}.slice(${i})`);
} else { } else {
unpack_destructuring(contexts, element, `${tail}[${i}]`); unpack_destructuring(contexts, element, `${tail}[${i}]`);
} }
@ -60,7 +60,7 @@ export default class EachBlock extends AbstractBlock {
context: string; context: string;
key: Expression; key: Expression;
scope: TemplateScope; scope: TemplateScope;
contexts: Array<Context>; contexts: Context[];
has_animation: boolean; has_animation: boolean;
has_binding = false; has_binding = false;

@ -54,7 +54,7 @@ const a11y_required_content = new Set([
'h4', 'h4',
'h5', 'h5',
'h6' 'h6'
]) ]);
const invisible_elements = new Set(['meta', 'html', 'script', 'style']); const invisible_elements = new Set(['meta', 'html', 'script', 'style']);
@ -180,10 +180,12 @@ export default class Element extends Node {
break; break;
case 'Transition': case 'Transition':
{
const transition = new Transition(component, this, scope, node); const transition = new Transition(component, this, scope, node);
if (node.intro) this.intro = transition; if (node.intro) this.intro = transition;
if (node.outro) this.outro = transition; if (node.outro) this.outro = transition;
break; break;
}
case 'Animation': case 'Animation':
this.animation = new Animation(component, this, scope, node); this.animation = new Animation(component, this, scope, node);
@ -687,7 +689,7 @@ export default class Element extends Node {
if (class_attribute.chunks.length === 1 && class_attribute.chunks[0].type === 'Text') { if (class_attribute.chunks.length === 1 && class_attribute.chunks[0].type === 'Text') {
(class_attribute.chunks[0] as Text).data += ` ${class_name}`; (class_attribute.chunks[0] as Text).data += ` ${class_name}`;
} else { } else {
(<Node[]>class_attribute.chunks).push( (class_attribute.chunks as Node[]).push(
new Text(this.component, this, this.scope, { new Text(this.component, this, this.scope, {
type: 'Text', type: 'Text',
data: ` ${class_name}` data: ` ${class_name}`

@ -36,6 +36,7 @@ export default class InlineComponent extends Node {
: null; : null;
info.attributes.forEach(node => { info.attributes.forEach(node => {
/* eslint-disable no-fallthrough */
switch (node.type) { switch (node.type) {
case 'Action': case 'Action':
component.error(node, { component.error(node, {
@ -82,6 +83,7 @@ export default class InlineComponent extends Node {
default: default:
throw new Error(`Not implemented: ${node.type}`); throw new Error(`Not implemented: ${node.type}`);
} }
/* eslint-enable no-fallthrough */
}); });
if (this.lets.length > 0) { if (this.lets.length > 0) {

@ -2,7 +2,7 @@ import map_children from './shared/map_children';
import AbstractBlock from './shared/AbstractBlock'; import AbstractBlock from './shared/AbstractBlock';
export default class PendingBlock extends AbstractBlock { export default class PendingBlock extends AbstractBlock {
type: 'PendingBlock'; type: 'PendingBlock';
constructor(component, parent, scope, info) { constructor(component, parent, scope, info) {
super(component, parent, scope, info); super(component, parent, scope, info);
this.children = map_children(component, parent, scope, info.children); this.children = map_children(component, parent, scope, info.children);

@ -44,8 +44,8 @@ export default class Window extends Node {
if (!~valid_bindings.indexOf(node.name)) { if (!~valid_bindings.indexOf(node.name)) {
const match = ( const match = (
node.name === 'width' ? 'innerWidth' : node.name === 'width' ? 'innerWidth' :
node.name === 'height' ? 'innerHeight' : node.name === 'height' ? 'innerHeight' :
fuzzymatch(node.name, valid_bindings) fuzzymatch(node.name, valid_bindings)
); );
const message = `'${node.name}' is not a valid binding on <svelte:window>`; const message = `'${node.name}' is not a valid binding on <svelte:window>`;

@ -33,32 +33,32 @@ import Window from './Window';
// note: to write less types each of types in union below should have type defined as literal // note: to write less types each of types in union below should have type defined as literal
// https://www.typescriptlang.org/docs/handbook/advanced-types.html#discriminated-unions // https://www.typescriptlang.org/docs/handbook/advanced-types.html#discriminated-unions
export type INode = Action export type INode = Action
| Animation | Animation
| Attribute | Attribute
| AwaitBlock | AwaitBlock
| Binding | Binding
| Body | Body
| CatchBlock | CatchBlock
| Class | Class
| Comment | Comment
| DebugTag | DebugTag
| EachBlock | EachBlock
| Element | Element
| ElseBlock | ElseBlock
| EventHandler | EventHandler
| Fragment | Fragment
| Head | Head
| IfBlock | IfBlock
| InlineComponent | InlineComponent
| Let | Let
| MustacheTag | MustacheTag
| Options | Options
| PendingBlock | PendingBlock
| RawMustacheTag | RawMustacheTag
| Slot | Slot
| Tag | Tag
| Text | Text
| ThenBlock | ThenBlock
| Title | Title
| Transition | Transition
| Window; | Window;

@ -4,10 +4,10 @@ import is_reference from 'is-reference';
import flatten_reference from '../../utils/flatten_reference'; import flatten_reference from '../../utils/flatten_reference';
import { create_scopes, Scope, extract_names } from '../../utils/scope'; import { create_scopes, Scope, extract_names } from '../../utils/scope';
import { Node } from '../../../interfaces'; import { Node } from '../../../interfaces';
import { globals } from '../../../utils/names'; import { globals , sanitize } from '../../../utils/names';
import deindent from '../../utils/deindent'; import deindent from '../../utils/deindent';
import Wrapper from '../../render-dom/wrappers/shared/Wrapper'; import Wrapper from '../../render-dom/wrappers/shared/Wrapper';
import { sanitize } from '../../../utils/names';
import TemplateScope from './TemplateScope'; import TemplateScope from './TemplateScope';
import get_object from '../../utils/get_object'; import get_object from '../../utils/get_object';
import { nodes_match } from '../../../utils/nodes_match'; import { nodes_match } from '../../../utils/nodes_match';
@ -28,8 +28,8 @@ const binary_operators: Record<string, number> = {
'<=': 11, '<=': 11,
'>': 11, '>': 11,
'>=': 11, '>=': 11,
'in': 11, in: 11,
'instanceof': 11, instanceof: 11,
'==': 10, '==': 10,
'!=': 10, '!=': 10,
'===': 10, '===': 10,
@ -490,7 +490,7 @@ export default class Expression {
} }
} }
function get_function_name(node, parent) { function get_function_name(_node, parent) {
if (parent.type === 'EventHandler') { if (parent.type === 'EventHandler') {
return `${parent.name}_handler`; return `${parent.name}_handler`;
} }

@ -17,7 +17,7 @@ export default class Node {
var: string; var: string;
attributes: Attribute[]; attributes: Attribute[];
constructor(component: Component, parent, scope, info: any) { constructor(component: Component, parent, _scope, info: any) {
this.start = info.start; this.start = info.start;
this.end = info.end; this.end = info.end;
this.type = info.type; this.type = info.type;

@ -9,7 +9,7 @@ export interface BlockOptions {
renderer?: Renderer; renderer?: Renderer;
comment?: string; comment?: string;
key?: string; key?: string;
bindings?: Map<string, { object: string, property: string, snippet: string }>; bindings?: Map<string, { object: string; property: string; snippet: string }>;
dependencies?: Set<string>; dependencies?: Set<string>;
} }
@ -26,7 +26,7 @@ export default class Block {
dependencies: Set<string>; dependencies: Set<string>;
bindings: Map<string, { object: string, property: string, snippet: string }>; bindings: Map<string, { object: string; property: string; snippet: string }>;
builders: { builders: {
init: CodeBuilder; init: CodeBuilder;
@ -357,6 +357,7 @@ export default class Block {
`); `);
} }
/* eslint-disable @typescript-eslint/indent,indent */
return deindent` return deindent`
${this.variables.size > 0 && ${this.variables.size > 0 &&
`var ${Array.from(this.variables.keys()) `var ${Array.from(this.variables.keys())
@ -371,9 +372,10 @@ export default class Block {
return { return {
${properties} ${properties}
}; };
`.replace(/(#+)(\w*)/g, (match: string, sigil: string, name: string) => { `.replace(/(#+)(\w*)/g, (_match: string, sigil: string, name: string) => {
return sigil === '#' ? this.alias(name) : sigil.slice(1) + name; return sigil === '#' ? this.alias(name) : sigil.slice(1) + name;
}); });
/* eslint-enable @typescript-eslint/indent,indent */
} }
render_listeners(chunk: string = '') { render_listeners(chunk: string = '') {
@ -387,7 +389,7 @@ export default class Block {
this.builders.destroy.add_line( this.builders.destroy.add_line(
`#dispose${chunk}();` `#dispose${chunk}();`
) );
} else { } else {
this.builders.hydrate.add_block(deindent` this.builders.hydrate.add_block(deindent`
#dispose${chunk} = [ #dispose${chunk} = [

@ -8,7 +8,7 @@ export default class Renderer {
component: Component; // TODO Maybe Renderer shouldn't know about Component? component: Component; // TODO Maybe Renderer shouldn't know about Component?
options: CompileOptions; options: CompileOptions;
blocks: (Block | string)[] = []; blocks: Array<Block | string> = [];
readonly: Set<string> = new Set(); readonly: Set<string> = new Set();
meta_bindings: CodeBuilder = new CodeBuilder(); // initial values for e.g. window.innerWidth, if there's a <svelte:window> meta tag meta_bindings: CodeBuilder = new CodeBuilder(); // initial values for e.g. window.innerWidth, if there's a <svelte:window> meta tag
binding_groups: string[] = []; binding_groups: string[] = [];
@ -17,7 +17,7 @@ export default class Renderer {
fragment: FragmentWrapper; fragment: FragmentWrapper;
file_var: string; file_var: string;
locate: (c: number) => { line: number; column: number; }; locate: (c: number) => { line: number; column: number };
constructor(component: Component, options: CompileOptions) { constructor(component: Component, options: CompileOptions) {
this.component = component; this.component = component;

@ -74,18 +74,20 @@ export default function dom(
const props = component.vars.filter(variable => !variable.module && variable.export_name); const props = component.vars.filter(variable => !variable.module && variable.export_name);
const writable_props = props.filter(variable => variable.writable); const writable_props = props.filter(variable => variable.writable);
/* eslint-disable @typescript-eslint/indent,indent */
const set = (uses_props || writable_props.length > 0 || component.slots.size > 0) const set = (uses_props || writable_props.length > 0 || component.slots.size > 0)
? deindent` ? deindent`
${$$props} => { ${$$props} => {
${uses_props && component.invalidate('$$props', `$$props = @assign(@assign({}, $$props), $$new_props)`)} ${uses_props && component.invalidate('$$props', `$$props = @assign(@assign({}, $$props), $$new_props)`)}
${writable_props.map(prop => ${writable_props.map(prop =>
`if ('${prop.export_name}' in $$props) ${component.invalidate(prop.name, `${prop.name} = $$props.${prop.export_name}`)};` `if ('${prop.export_name}' in $$props) ${component.invalidate(prop.name, `${prop.name} = $$props.${prop.export_name}`)};`
)} )}
${component.slots.size > 0 && ${component.slots.size > 0 &&
`if ('$$scope' in ${$$props}) ${component.invalidate('$$scope', `$$scope = ${$$props}.$$scope`)};`} `if ('$$scope' in ${$$props}) ${component.invalidate('$$scope', `$$scope = ${$$props}.$$scope`)};`}
} }
` `
: null; : null;
/* eslint-enable @typescript-eslint/indent,indent */
const body = []; const body = [];
@ -152,12 +154,12 @@ export default function dom(
// instrument assignments // instrument assignments
if (component.ast.instance) { if (component.ast.instance) {
let scope = component.instance_scope; let scope = component.instance_scope;
let map = component.instance_scope_map; const map = component.instance_scope_map;
let pending_assignments = new Set(); let pending_assignments = new Set();
walk(component.ast.instance.content, { walk(component.ast.instance.content, {
enter: (node, parent) => { enter: (node) => {
if (map.has(node)) { if (map.has(node)) {
scope = map.get(node); scope = map.get(node);
} }
@ -390,7 +392,7 @@ export default function dom(
const store = component.var_lookup.get(name); const store = component.var_lookup.get(name);
if (store && store.reassigned) { if (store && store.reassigned) {
return `${$name}, $$unsubscribe_${name} = @noop, $$subscribe_${name} = () => { $$unsubscribe_${name}(); $$unsubscribe_${name} = ${name}.subscribe($$value => { ${$name} = $$value; $$invalidate('${$name}', ${$name}); }) }` return `${$name}, $$unsubscribe_${name} = @noop, $$subscribe_${name} = () => { $$unsubscribe_${name}(); $$unsubscribe_${name} = ${name}.subscribe($$value => { ${$name} = $$value; $$invalidate('${$name}', ${$name}); }) }`;
} }
return $name; return $name;

@ -6,7 +6,7 @@ import Body from '../../nodes/Body';
export default class BodyWrapper extends Wrapper { export default class BodyWrapper extends Wrapper {
node: Body; node: Body;
render(block: Block, parent_node: string, parent_nodes: string) { render(block: Block, _parent_node: string, _parent_nodes: string) {
this.node.handlers.forEach(handler => { this.node.handlers.forEach(handler => {
const snippet = handler.render(block); const snippet = handler.render(block);

@ -13,13 +13,13 @@ export default class DebugTagWrapper extends Wrapper {
block: Block, block: Block,
parent: Wrapper, parent: Wrapper,
node: DebugTag, node: DebugTag,
strip_whitespace: boolean, _strip_whitespace: boolean,
next_sibling: Wrapper _next_sibling: Wrapper
) { ) {
super(renderer, block, parent, node); super(renderer, block, parent, node);
} }
render(block: Block, parent_node: string, parent_nodes: string) { render(block: Block, _parent_node: string, _parent_nodes: string) {
const { renderer } = this; const { renderer } = this;
const { component } = renderer; const { component } = renderer;

@ -425,7 +425,7 @@ export default class EachBlockWrapper extends Wrapper {
all_dependencies.add(dependency); all_dependencies.add(dependency);
}); });
const outro_block = this.block.has_outros && block.get_unique_name('outro_block') const outro_block = this.block.has_outros && block.get_unique_name('outro_block');
if (outro_block) { if (outro_block) {
block.builders.init.add_block(deindent` block.builders.init.add_block(deindent`
function ${outro_block}(i, detaching, local) { function ${outro_block}(i, detaching, local) {

@ -52,7 +52,7 @@ export default class AttributeWrapper {
element.node.bindings.find( element.node.bindings.find(
(binding) => (binding) =>
/checked|group/.test(binding.name) /checked|group/.test(binding.name)
))); )));
const property_name = is_indirectly_bound_value const property_name = is_indirectly_bound_value
? '__value' ? '__value'
@ -70,7 +70,7 @@ export default class AttributeWrapper {
const is_legacy_input_type = element.renderer.component.compile_options.legacy && name === 'type' && this.parent.node.name === 'input'; const is_legacy_input_type = element.renderer.component.compile_options.legacy && name === 'type' && this.parent.node.name === 'input';
const is_dataset = /^data-/.test(name) && !element.renderer.component.compile_options.legacy && !element.node.namespace; const is_dataset = /^data-/.test(name) && !element.renderer.component.compile_options.legacy && !element.node.namespace;
const camel_case_name = is_dataset ? name.replace('data-', '').replace(/(-\w)/g, function (m) { const camel_case_name = is_dataset ? name.replace('data-', '').replace(/(-\w)/g, (m) => {
return m[1].toUpperCase(); return m[1].toUpperCase();
}) : name; }) : name;
@ -219,7 +219,7 @@ export default class AttributeWrapper {
return `="${value.map(chunk => { return `="${value.map(chunk => {
return chunk.type === 'Text' return chunk.type === 'Text'
? chunk.data.replace(/"/g, '\\"') ? chunk.data.replace(/"/g, '\\"')
: `\${${chunk.render()}}` : `\${${chunk.render()}}`;
})}"`; })}"`;
} }
} }

@ -1,6 +1,5 @@
import Binding from '../../../nodes/Binding'; import Binding from '../../../nodes/Binding';
import ElementWrapper from '../Element'; import ElementWrapper from '../Element';
import { dimensions } from '../../../../utils/patterns';
import get_object from '../../../utils/get_object'; import get_object from '../../../utils/get_object';
import Block from '../../Block'; import Block from '../../Block';
import Node from '../../../nodes/shared/Node'; import Node from '../../../nodes/shared/Node';
@ -23,8 +22,8 @@ export default class BindingWrapper {
handler: { handler: {
uses_context: boolean; uses_context: boolean;
mutation: string; mutation: string;
contextual_dependencies: Set<string>, contextual_dependencies: Set<string>;
snippet?: string snippet?: string;
}; };
snippet: string; snippet: string;
is_readonly: boolean; is_readonly: boolean;
@ -87,7 +86,7 @@ export default class BindingWrapper {
} }
is_readonly_media_attribute() { is_readonly_media_attribute() {
return this.node.is_readonly_media_attribute() return this.node.is_readonly_media_attribute();
} }
render(block: Block, lock: string) { render(block: Block, lock: string) {
@ -95,23 +94,23 @@ export default class BindingWrapper {
const { parent } = this; const { parent } = this;
let update_conditions: string[] = this.needs_lock ? [`!${lock}`] : []; const update_conditions: string[] = this.needs_lock ? [`!${lock}`] : [];
const dependency_array = [...this.node.expression.dependencies]; const dependency_array = [...this.node.expression.dependencies];
if (dependency_array.length === 1) { if (dependency_array.length === 1) {
update_conditions.push(`changed.${dependency_array[0]}`) update_conditions.push(`changed.${dependency_array[0]}`);
} else if (dependency_array.length > 1) { } else if (dependency_array.length > 1) {
update_conditions.push( update_conditions.push(
`(${dependency_array.map(prop => `changed.${prop}`).join(' || ')})` `(${dependency_array.map(prop => `changed.${prop}`).join(' || ')})`
) );
} }
if (parent.node.name === 'input') { if (parent.node.name === 'input') {
const type = parent.node.get_static_attribute_value('type'); const type = parent.node.get_static_attribute_value('type');
if (type === null || type === "" || type === "text") { if (type === null || type === "" || type === "text") {
update_conditions.push(`(${parent.var}.${this.node.name} !== ${this.snippet})`) update_conditions.push(`(${parent.var}.${this.node.name} !== ${this.snippet})`);
} }
} }
@ -121,6 +120,7 @@ export default class BindingWrapper {
// special cases // special cases
switch (this.node.name) { switch (this.node.name) {
case 'group': case 'group':
{
const binding_group = get_binding_group(parent.renderer, this.node.expression.node); const binding_group = get_binding_group(parent.renderer, this.node.expression.node);
block.builders.hydrate.add_line( block.builders.hydrate.add_line(
@ -131,6 +131,7 @@ export default class BindingWrapper {
`ctx.$$binding_groups[${binding_group}].splice(ctx.$$binding_groups[${binding_group}].indexOf(${parent.var}), 1);` `ctx.$$binding_groups[${binding_group}].splice(ctx.$$binding_groups[${binding_group}].indexOf(${parent.var}), 1);`
); );
break; break;
}
case 'currentTime': case 'currentTime':
case 'playbackRate': case 'playbackRate':
@ -139,6 +140,7 @@ export default class BindingWrapper {
break; break;
case 'paused': case 'paused':
{
// this is necessary to prevent audio restarting by itself // this is necessary to prevent audio restarting by itself
const last = block.get_unique_name(`${parent.var}_is_paused`); const last = block.get_unique_name(`${parent.var}_is_paused`);
block.add_variable(last, 'true'); block.add_variable(last, 'true');
@ -146,6 +148,7 @@ export default class BindingWrapper {
update_conditions.push(`${last} !== (${last} = ${this.snippet})`); update_conditions.push(`${last} !== (${last} = ${this.snippet})`);
update_dom = `${parent.var}[${last} ? "pause" : "play"]();`; update_dom = `${parent.var}[${last} ? "pause" : "play"]();`;
break; break;
}
case 'value': case 'value':
if (parent.node.get_static_attribute_value('type') === 'file') { if (parent.node.get_static_attribute_value('type') === 'file') {
@ -192,7 +195,7 @@ function get_dom_updater(
? `~${binding.snippet}.indexOf(${element.var}.__value)` ? `~${binding.snippet}.indexOf(${element.var}.__value)`
: `${element.var}.__value === ${binding.snippet}`; : `${element.var}.__value === ${binding.snippet}`;
return `${element.var}.checked = ${condition};` return `${element.var}.checked = ${condition};`;
} }
return `${element.var}.${binding.node.name} = ${binding.snippet};`; return `${element.var}.${binding.node.name} = ${binding.snippet};`;
@ -304,7 +307,7 @@ function get_value_from_dom(
} }
if ((name === 'buffered' || name === 'seekable' || name === 'played')) { if ((name === 'buffered' || name === 'seekable' || name === 'played')) {
return `@time_ranges_to_array(this.${name})` return `@time_ranges_to_array(this.${name})`;
} }
// everything else // everything else

@ -9,7 +9,7 @@ import Text from '../../../nodes/Text';
export interface StyleProp { export interface StyleProp {
key: string; key: string;
value: (Text|Expression)[]; value: Array<Text|Expression>;
} }
export default class StyleAttributeWrapper extends AttributeWrapper { export default class StyleAttributeWrapper extends AttributeWrapper {
@ -65,7 +65,7 @@ export default class StyleAttributeWrapper extends AttributeWrapper {
} }
} }
function optimize_style(value: (Text|Expression)[]) { function optimize_style(value: Array<Text|Expression>) {
const props: StyleProp[] = []; const props: StyleProp[] = [];
let chunks = value.slice(); let chunks = value.slice();
@ -83,12 +83,14 @@ function optimize_style(value: (Text|Expression)[]) {
const remaining_data = chunk.data.slice(offset); const remaining_data = chunk.data.slice(offset);
if (remaining_data) { if (remaining_data) {
/* eslint-disable @typescript-eslint/no-object-literal-type-assertion */
chunks[0] = { chunks[0] = {
start: chunk.start + offset, start: chunk.start + offset,
end: chunk.end, end: chunk.end,
type: 'Text', type: 'Text',
data: remaining_data data: remaining_data
} as Text; } as Text;
/* eslint-enable @typescript-eslint/no-object-literal-type-assertion */
} else { } else {
chunks.shift(); chunks.shift();
} }
@ -102,8 +104,8 @@ function optimize_style(value: (Text|Expression)[]) {
return props; return props;
} }
function get_style_value(chunks: (Text | Expression)[]) { function get_style_value(chunks: Array<Text | Expression>) {
const value: (Text|Expression)[] = []; const value: Array<Text|Expression> = [];
let in_url = false; let in_url = false;
let quote_mark = null; let quote_mark = null;
@ -171,6 +173,6 @@ function get_style_value(chunks: (Text | Expression)[]) {
}; };
} }
function is_dynamic(value: (Text|Expression)[]) { function is_dynamic(value: Array<Text|Expression>) {
return value.length > 1 || value[0].type !== 'Text'; return value.length > 1 || value[0].type !== 'Text';
} }

@ -2,7 +2,6 @@ import Renderer from '../../Renderer';
import Element from '../../../nodes/Element'; import Element from '../../../nodes/Element';
import Wrapper from '../shared/Wrapper'; import Wrapper from '../shared/Wrapper';
import Block from '../../Block'; import Block from '../../Block';
import Node from '../../../nodes/shared/Node';
import { is_void, quote_prop_if_necessary, quote_name_if_necessary, sanitize } from '../../../../utils/names'; import { is_void, quote_prop_if_necessary, quote_name_if_necessary, sanitize } from '../../../../utils/names';
import FragmentWrapper from '../Fragment'; import FragmentWrapper from '../Fragment';
import { stringify, escape_html, escape } from '../../../utils/stringify'; import { stringify, escape_html, escape } from '../../../utils/stringify';
@ -24,25 +23,25 @@ import { get_context_merger } from '../shared/get_context_merger';
const events = [ const events = [
{ {
event_names: ['input'], event_names: ['input'],
filter: (node: Element, name: string) => filter: (node: Element, _name: string) =>
node.name === 'textarea' || node.name === 'textarea' ||
node.name === 'input' && !/radio|checkbox|range/.test(node.get_static_attribute_value('type') as string) node.name === 'input' && !/radio|checkbox|range/.test(node.get_static_attribute_value('type') as string)
}, },
{ {
event_names: ['change'], event_names: ['change'],
filter: (node: Element, name: string) => filter: (node: Element, _name: string) =>
node.name === 'select' || node.name === 'select' ||
node.name === 'input' && /radio|checkbox/.test(node.get_static_attribute_value('type') as string) node.name === 'input' && /radio|checkbox/.test(node.get_static_attribute_value('type') as string)
}, },
{ {
event_names: ['change', 'input'], event_names: ['change', 'input'],
filter: (node: Element, name: string) => filter: (node: Element, _name: string) =>
node.name === 'input' && node.get_static_attribute_value('type') === 'range' node.name === 'input' && node.get_static_attribute_value('type') === 'range'
}, },
{ {
event_names: ['resize'], event_names: ['resize'],
filter: (node: Element, name: string) => filter: (_node: Element, name: string) =>
dimensions.test(name) dimensions.test(name)
}, },
@ -93,7 +92,7 @@ const events = [
// details event // details event
{ {
event_names: ['toggle'], event_names: ['toggle'],
filter: (node: Element, name: string) => filter: (node: Element, _name: string) =>
node.name === 'details' node.name === 'details'
}, },
]; ];
@ -119,7 +118,7 @@ export default class ElementWrapper extends Wrapper {
next_sibling: Wrapper next_sibling: Wrapper
) { ) {
super(renderer, block, parent, node); super(renderer, block, parent, node);
this.var = node.name.replace(/[^a-zA-Z0-9_$]/g, '_') this.var = node.name.replace(/[^a-zA-Z0-9_$]/g, '_');
this.class_dependencies = []; this.class_dependencies = [];
@ -239,7 +238,7 @@ export default class ElementWrapper extends Wrapper {
} }
const node = this.var; const node = this.var;
const nodes = parent_nodes && block.get_unique_name(`${this.var}_nodes`) // if we're in unclaimable territory, i.e. <head>, parent_nodes is null const nodes = parent_nodes && block.get_unique_name(`${this.var}_nodes`); // if we're in unclaimable territory, i.e. <head>, parent_nodes is null
block.add_variable(node); block.add_variable(node);
const render_statement = this.get_render_statement(); const render_statement = this.get_render_statement();
@ -350,7 +349,7 @@ export default class ElementWrapper extends Wrapper {
let open = `<${wrapper.node.name}`; let open = `<${wrapper.node.name}`;
(wrapper as ElementWrapper).attributes.forEach((attr: AttributeWrapper) => { (wrapper as ElementWrapper).attributes.forEach((attr: AttributeWrapper) => {
open += ` ${fix_attribute_casing(attr.node.name)}${attr.stringify()}` open += ` ${fix_attribute_casing(attr.node.name)}${attr.stringify()}`;
}); });
if (is_void(wrapper.node.name)) return open + '>'; if (is_void(wrapper.node.name)) return open + '>';
@ -798,7 +797,8 @@ export default class ElementWrapper extends Wrapper {
add_classes(block: Block) { add_classes(block: Block) {
this.node.classes.forEach(class_directive => { this.node.classes.forEach(class_directive => {
const { expression, name } = class_directive; const { expression, name } = class_directive;
let snippet, dependencies; let snippet;
let dependencies;
if (expression) { if (expression) {
snippet = expression.render(block); snippet = expression.render(block);
dependencies = expression.dependencies; dependencies = expression.dependencies;

@ -14,7 +14,6 @@ import Text from './Text';
import Title from './Title'; import Title from './Title';
import Window from './Window'; import Window from './Window';
import { INode } from '../../nodes/interfaces'; import { INode } from '../../nodes/interfaces';
import TextWrapper from './Text';
import Renderer from '../Renderer'; import Renderer from '../Renderer';
import Block from '../Block'; import Block from '../Block';
import { trim_start, trim_end } from '../../../utils/trim'; import { trim_start, trim_end } from '../../../utils/trim';
@ -64,7 +63,7 @@ export default class FragmentWrapper {
const child = nodes[i]; const child = nodes[i];
if (!child.type) { if (!child.type) {
throw new Error(`missing type`) throw new Error(`missing type`);
} }
if (!(child.type in wrappers)) { if (!(child.type in wrappers)) {
@ -102,7 +101,7 @@ export default class FragmentWrapper {
continue; continue;
} }
const wrapper = new TextWrapper(renderer, block, parent, child, data); const wrapper = new Text(renderer, block, parent, child, data);
if (wrapper.skip) continue; if (wrapper.skip) continue;
this.nodes.unshift(wrapper); this.nodes.unshift(wrapper);
@ -120,7 +119,7 @@ export default class FragmentWrapper {
} }
if (strip_whitespace) { if (strip_whitespace) {
const first = this.nodes[0] as TextWrapper; const first = this.nodes[0] as Text;
if (first && first.node.type === 'Text') { if (first && first.node.type === 'Text') {
first.data = trim_start(first.data); first.data = trim_start(first.data);

@ -29,7 +29,7 @@ export default class HeadWrapper extends Wrapper {
); );
} }
render(block: Block, parent_node: string, parent_nodes: string) { render(block: Block, _parent_node: string, _parent_nodes: string) {
this.fragment.render(block, 'document.head', 'nodes'); this.fragment.render(block, 'document.head', 'nodes');
} }
} }

@ -201,7 +201,7 @@ export default class IfBlockWrapper extends Wrapper {
render_compound( render_compound(
block: Block, block: Block,
parent_node: string, parent_node: string,
parent_nodes: string, _parent_nodes: string,
dynamic, dynamic,
{ name, anchor, has_else, if_name, has_transitions }, { name, anchor, has_else, if_name, has_transitions },
detaching detaching
@ -210,6 +210,7 @@ export default class IfBlockWrapper extends Wrapper {
const current_block_type = block.get_unique_name(`current_block_type`); const current_block_type = block.get_unique_name(`current_block_type`);
const current_block_type_and = has_else ? '' : `${current_block_type} && `; const current_block_type_and = has_else ? '' : `${current_block_type} && `;
/* eslint-disable @typescript-eslint/indent,indent */
block.builders.init.add_block(deindent` block.builders.init.add_block(deindent`
function ${select_block_type}(ctx) { function ${select_block_type}(ctx) {
${this.branches ${this.branches
@ -217,6 +218,7 @@ export default class IfBlockWrapper extends Wrapper {
.join('\n')} .join('\n')}
} }
`); `);
/* eslint-enable @typescript-eslint/indent,indent */
block.builders.init.add_block(deindent` block.builders.init.add_block(deindent`
var ${current_block_type} = ${select_block_type}(ctx); var ${current_block_type} = ${select_block_type}(ctx);
@ -265,7 +267,7 @@ export default class IfBlockWrapper extends Wrapper {
render_compound_with_outros( render_compound_with_outros(
block: Block, block: Block,
parent_node: string, parent_node: string,
parent_nodes: string, _parent_nodes: string,
dynamic, dynamic,
{ name, anchor, has_else, has_transitions }, { name, anchor, has_else, has_transitions },
detaching detaching
@ -283,6 +285,7 @@ export default class IfBlockWrapper extends Wrapper {
block.add_variable(current_block_type_index); block.add_variable(current_block_type_index);
block.add_variable(name); block.add_variable(name);
/* eslint-disable @typescript-eslint/indent,indent */
block.builders.init.add_block(deindent` block.builders.init.add_block(deindent`
var ${if_block_creators} = [ var ${if_block_creators} = [
${this.branches.map(branch => branch.block.name).join(',\n')} ${this.branches.map(branch => branch.block.name).join(',\n')}
@ -297,6 +300,7 @@ export default class IfBlockWrapper extends Wrapper {
${!has_else && `return -1;`} ${!has_else && `return -1;`}
} }
`); `);
/* eslint-enable @typescript-eslint/indent,indent */
if (has_else) { if (has_else) {
block.builders.init.add_block(deindent` block.builders.init.add_block(deindent`
@ -386,7 +390,7 @@ export default class IfBlockWrapper extends Wrapper {
render_simple( render_simple(
block: Block, block: Block,
parent_node: string, parent_node: string,
parent_nodes: string, _parent_nodes: string,
dynamic, dynamic,
{ name, anchor, if_name, has_transitions }, { name, anchor, if_name, has_transitions },
detaching detaching

@ -17,7 +17,7 @@ import TemplateScope from '../../../nodes/shared/TemplateScope';
export default class InlineComponentWrapper extends Wrapper { export default class InlineComponentWrapper extends Wrapper {
var: string; var: string;
slots: Map<string, { block: Block, scope: TemplateScope, fn?: string }> = new Map(); slots: Map<string, { block: Block; scope: TemplateScope; fn?: string }> = new Map();
node: InlineComponent; node: InlineComponent;
fragment: FragmentWrapper; fragment: FragmentWrapper;
@ -62,8 +62,8 @@ export default class InlineComponentWrapper extends Wrapper {
this.var = ( this.var = (
this.node.name === 'svelte:self' ? renderer.component.name : this.node.name === 'svelte:self' ? renderer.component.name :
this.node.name === 'svelte:component' ? 'switch_instance' : this.node.name === 'svelte:component' ? 'switch_instance' :
sanitize(this.node.name) sanitize(this.node.name)
).toLowerCase(); ).toLowerCase();
if (this.node.children.length) { if (this.node.children.length) {
@ -232,14 +232,16 @@ export default class InlineComponentWrapper extends Wrapper {
.filter((attribute: Attribute) => attribute.is_dynamic) .filter((attribute: Attribute) => attribute.is_dynamic)
.forEach((attribute: Attribute) => { .forEach((attribute: Attribute) => {
if (attribute.dependencies.size > 0) { if (attribute.dependencies.size > 0) {
/* eslint-disable @typescript-eslint/indent,indent */
updates.push(deindent` updates.push(deindent`
if (${[...attribute.dependencies] if (${[...attribute.dependencies]
.map(dependency => `changed.${dependency}`) .map(dependency => `changed.${dependency}`)
.join(' || ')}) ${name_changes}${quote_prop_if_necessary(attribute.name)} = ${attribute.get_value(block)}; .join(' || ')}) ${name_changes}${quote_prop_if_necessary(attribute.name)} = ${attribute.get_value(block)};
`); `);
/* eslint-enable @typescript-eslint/indent,indent */
} }
}); });
} }
} }
if (non_let_dependencies.length > 0) { if (non_let_dependencies.length > 0) {
@ -265,7 +267,7 @@ export default class InlineComponentWrapper extends Wrapper {
// bind:x={y} — we can't just do `y = x`, we need to // bind:x={y} — we can't just do `y = x`, we need to
// to `array[index] = x; // to `array[index] = x;
const { name } = binding.expression.node; const { name } = binding.expression.node;
const { object, property, snippet } = block.bindings.get(name); const { snippet } = block.bindings.get(name);
lhs = snippet; lhs = snippet;
// TODO we need to invalidate... something // TODO we need to invalidate... something

@ -78,7 +78,7 @@ export default class SlotWrapper extends Wrapper {
}); });
if (attribute.dependencies.size > 0) { if (attribute.dependencies.size > 0) {
changes_props.push(`${attribute.name}: ${[...attribute.dependencies].join(' || ')}`) changes_props.push(`${attribute.name}: ${[...attribute.dependencies].join(' || ')}`);
} }
}); });
@ -101,7 +101,7 @@ export default class SlotWrapper extends Wrapper {
const ${slot} = @create_slot(${slot_definition}, ctx, ${get_slot_context}); const ${slot} = @create_slot(${slot_definition}, ctx, ${get_slot_context});
`); `);
let mount_before = block.builders.mount.toString(); const mount_before = block.builders.mount.toString();
block.builders.create.push_condition(`!${slot}`); block.builders.create.push_condition(`!${slot}`);
block.builders.claim.push_condition(`!${slot}`); block.builders.claim.push_condition(`!${slot}`);

@ -14,13 +14,13 @@ export default class TitleWrapper extends Wrapper {
block: Block, block: Block,
parent: Wrapper, parent: Wrapper,
node: Title, node: Title,
strip_whitespace: boolean, _strip_whitespace: boolean,
next_sibling: Wrapper _next_sibling: Wrapper
) { ) {
super(renderer, block, parent, node); super(renderer, block, parent, node);
} }
render(block: Block, parent_node: string, parent_nodes: string) { render(block: Block, _parent_node: string, _parent_nodes: string) {
const is_dynamic = !!this.node.children.find(node => node.type !== 'Text'); const is_dynamic = !!this.node.children.find(node => node.type !== 'Text');
if (is_dynamic) { if (is_dynamic) {
@ -65,13 +65,12 @@ export default class TitleWrapper extends Wrapper {
if (this.node.should_cache) block.add_variable(last); if (this.node.should_cache) block.add_variable(last);
let updater;
const init = this.node.should_cache ? `${last} = ${value}` : value; const init = this.node.should_cache ? `${last} = ${value}` : value;
block.builders.init.add_line( block.builders.init.add_line(
`document.title = ${init};` `document.title = ${init};`
); );
updater = `document.title = ${this.node.should_cache ? last : value};`; const updater = `document.title = ${this.node.should_cache ? last : value};`;
if (all_dependencies.size) { if (all_dependencies.size) {
const dependencies = Array.from(all_dependencies); const dependencies = Array.from(all_dependencies);

@ -1,6 +1,5 @@
import Renderer from '../Renderer'; import Renderer from '../Renderer';
import Block from '../Block'; import Block from '../Block';
import Node from '../../nodes/shared/Node';
import Wrapper from './shared/Wrapper'; import Wrapper from './shared/Wrapper';
import deindent from '../../utils/deindent'; import deindent from '../../utils/deindent';
import add_event_handlers from './shared/add_event_handlers'; import add_event_handlers from './shared/add_event_handlers';
@ -38,7 +37,7 @@ export default class WindowWrapper extends Wrapper {
super(renderer, block, parent, node); super(renderer, block, parent, node);
} }
render(block: Block, parent_node: string, parent_nodes: string) { render(block: Block, _parent_node: string, _parent_nodes: string) {
const { renderer } = this; const { renderer } = this;
const { component } = renderer; const { component } = renderer;
@ -88,7 +87,7 @@ export default class WindowWrapper extends Wrapper {
bindings.scrollY && `"${bindings.scrollY}" in this._state` bindings.scrollY && `"${bindings.scrollY}" in this._state`
].filter(Boolean).join(' || '); ].filter(Boolean).join(' || ');
const x = bindings.scrollX && `this._state.${bindings.scrollX}`; const x = bindings.scrollX && `this._state.${bindings.scrollX}`;
const y = bindings.scrollY && `this._state.${bindings.scrollY}`; const y = bindings.scrollY && `this._state.${bindings.scrollY}`;
renderer.meta_bindings.add_block(deindent` renderer.meta_bindings.add_block(deindent`

@ -76,7 +76,7 @@ export default class Wrapper {
); );
} }
render(block: Block, parent_node: string, parent_nodes: string){ render(_block: Block, _parent_node: string, _parent_nodes: string) {
throw Error('Wrapper class is not renderable'); throw Error('Wrapper class is not renderable');
} }
} }

@ -10,7 +10,8 @@ export default function add_actions(
) { ) {
actions.forEach(action => { actions.forEach(action => {
const { expression } = action; const { expression } = action;
let snippet, dependencies; let snippet;
let dependencies;
if (expression) { if (expression) {
snippet = expression.render(block); snippet = expression.render(block);
@ -44,4 +45,4 @@ export default function add_actions(
`if (${name} && typeof ${name}.destroy === 'function') ${name}.destroy();` `if (${name} && typeof ${name}.destroy === 'function') ${name}.destroy();`
); );
}); });
} }

@ -16,7 +16,7 @@ import { INode } from '../nodes/interfaces';
type Handler = (node: any, renderer: Renderer, options: CompileOptions) => void; type Handler = (node: any, renderer: Renderer, options: CompileOptions) => void;
function noop(){} function noop() {}
const handlers: Record<string, Handler> = { const handlers: Record<string, Handler> = {
AwaitBlock, AwaitBlock,
@ -38,8 +38,8 @@ const handlers: Record<string, Handler> = {
}; };
export interface RenderOptions extends CompileOptions{ export interface RenderOptions extends CompileOptions{
locate: (c: number) => { line: number; column: number; }; locate: (c: number) => { line: number; column: number };
}; }
export default class Renderer { export default class Renderer {
has_bindings = false; has_bindings = false;

@ -9,7 +9,7 @@ export default function(node: EachBlock, renderer: Renderer, options: RenderOpti
const ctx = node.index const ctx = node.index
? `([✂${start}-${end}✂], ${node.index})` ? `([✂${start}-${end}✂], ${node.index})`
: `([✂${start}-${end}✂])` : `([✂${start}-${end}✂])`;
const open = `\${${node.else ? `${snippet}.length ? ` : ''}@each(${snippet}, ${ctx} => \``; const open = `\${${node.else ? `${snippet}.length ? ` : ''}@each(${snippet}, ${ctx} => \``;
renderer.append(open); renderer.append(open);

@ -1,7 +1,6 @@
import { is_void, quote_prop_if_necessary, quote_name_if_necessary } from '../../../utils/names'; import { is_void, quote_prop_if_necessary, quote_name_if_necessary } from '../../../utils/names';
import Attribute from '../../nodes/Attribute'; import Attribute from '../../nodes/Attribute';
import Class from '../../nodes/Class'; import Class from '../../nodes/Class';
import Node from '../../nodes/shared/Node';
import { snip } from '../../utils/snip'; import { snip } from '../../utils/snip';
import { stringify_attribute } from '../../utils/stringify_attribute'; import { stringify_attribute } from '../../utils/stringify_attribute';
import { get_slot_scope } from './shared/get_slot_scope'; import { get_slot_scope } from './shared/get_slot_scope';

@ -2,6 +2,6 @@ import { snip } from '../../utils/snip';
import Renderer, { RenderOptions } from '../Renderer'; import Renderer, { RenderOptions } from '../Renderer';
import RawMustacheTag from '../../nodes/RawMustacheTag'; import RawMustacheTag from '../../nodes/RawMustacheTag';
export default function(node: RawMustacheTag, renderer: Renderer, options: RenderOptions) { export default function(node: RawMustacheTag, renderer: Renderer, _options: RenderOptions) {
renderer.append('${' + snip(node.expression) + '}'); renderer.append('${' + snip(node.expression) + '}');
} }

@ -1,6 +1,6 @@
import { snip } from '../../utils/snip'; import { snip } from '../../utils/snip';
import Renderer, { RenderOptions } from '../Renderer'; import Renderer, { RenderOptions } from '../Renderer';
export default function(node, renderer: Renderer, options: RenderOptions) { export default function(node, renderer: Renderer, _options: RenderOptions) {
const snippet = snip(node.expression); const snippet = snip(node.expression);
renderer.append( renderer.append(

@ -3,7 +3,7 @@ import Renderer, { RenderOptions } from '../Renderer';
import Text from '../../nodes/Text'; import Text from '../../nodes/Text';
import Element from '../../nodes/Element'; import Element from '../../nodes/Element';
export default function(node: Text, renderer: Renderer, options: RenderOptions) { export default function(node: Text, renderer: Renderer, _options: RenderOptions) {
let text = node.data; let text = node.data;
if ( if (
!node.parent || !node.parent ||

@ -1,4 +1,4 @@
export default function add_to_set<T>(a: Set<T>, b: Set<T> | Array<T>) { export default function add_to_set<T>(a: Set<T>, b: Set<T> | T[]) {
// @ts-ignore // @ts-ignore
b.forEach(item => { b.forEach(item => {
a.add(item); a.add(item);

@ -50,10 +50,10 @@ export function create_scopes(expression: Node) {
if (map.has(node)) { if (map.has(node)) {
scope = scope.parent; scope = scope.parent;
} }
}, }
}); });
scope.declarations.forEach((node, name) => { scope.declarations.forEach((_node, name) => {
globals.delete(name); globals.delete(name);
}); });

@ -7,33 +7,33 @@ interface BaseNode {
} }
export interface Text extends BaseNode { export interface Text extends BaseNode {
type: 'Text', type: 'Text';
data: string; data: string;
} }
export interface MustacheTag extends BaseNode { export interface MustacheTag extends BaseNode {
type: 'MustacheTag', type: 'MustacheTag';
expression: Node; expression: Node;
} }
export type DirectiveType = 'Action' export type DirectiveType = 'Action'
| 'Animation' | 'Animation'
| 'Binding' | 'Binding'
| 'Class' | 'Class'
| 'EventHandler' | 'EventHandler'
| 'Let' | 'Let'
| 'Ref' | 'Ref'
| 'Transition'; | 'Transition';
interface BaseDirective extends BaseNode { interface BaseDirective extends BaseNode {
type: DirectiveType; type: DirectiveType;
expression: null|Node; expression: null|Node;
name: string; name: string;
modifiers: string[] modifiers: string[];
} }
export interface Transition extends BaseDirective{ export interface Transition extends BaseDirective{
type: 'Transition', type: 'Transition';
intro: boolean; intro: boolean;
outro: boolean; outro: boolean;
} }
@ -41,17 +41,17 @@ export interface Transition extends BaseDirective{
export type Directive = BaseDirective | Transition; export type Directive = BaseDirective | Transition;
export type Node = Text export type Node = Text
| MustacheTag | MustacheTag
| BaseNode | BaseNode
| Directive | Directive
| Transition; | Transition;
export interface Parser { export interface Parser {
readonly template: string; readonly template: string;
readonly filename?: string; readonly filename?: string;
index: number; index: number;
stack: Array<Node>; stack: Node[];
html: Node; html: Node;
css: Node; css: Node;
@ -68,7 +68,7 @@ export interface Ast {
export interface Warning { export interface Warning {
start?: { line: number; column: number; pos?: number }; start?: { line: number; column: number; pos?: number };
end?: { line: number; column: number; }; end?: { line: number; column: number };
pos?: number; pos?: number;
code: string; code: string;
message: string; message: string;
@ -114,7 +114,7 @@ export interface Visitor {
export interface AppendTarget { export interface AppendTarget {
slots: Record<string, string>; slots: Record<string, string>;
slot_stack: string[] slot_stack: string[];
} }
export interface Var { export interface Var {

@ -14,7 +14,7 @@ export class Parser {
readonly customElement: boolean; readonly customElement: boolean;
index = 0; index = 0;
stack: Array<Node> = []; stack: Node[] = [];
html: Node; html: Node;
css: Node[] = []; css: Node[] = [];
@ -89,7 +89,7 @@ export class Parser {
}, err.pos); }, err.pos);
} }
error({ code, message }: { code: string, message: string }, index = this.index) { error({ code, message }: { code: string; message: string }, index = this.index) {
error(message, { error(message, {
name: 'ParseError', name: 'ParseError',
code, code,

@ -1,13 +1,13 @@
import { Parser } from '../index'; import { Parser } from '../index';
type Identifier = { interface Identifier {
start: number; start: number;
end: number; end: number;
type: 'Identifier'; type: 'Identifier';
name: string; name: string;
}; }
type Property = { interface Property {
start: number; start: number;
end: number; end: number;
type: 'Property'; type: 'Property';
@ -15,9 +15,9 @@ type Property = {
shorthand: boolean; shorthand: boolean;
key: Identifier; key: Identifier;
value: Context; value: Context;
}; }
type Context = { interface Context {
start: number; start: number;
end: number; end: number;
type: 'Identifier' | 'ArrayPattern' | 'ObjectPattern' | 'RestIdentifier'; type: 'Identifier' | 'ArrayPattern' | 'ObjectPattern' | 'RestIdentifier';
@ -91,7 +91,7 @@ export default function read_context(parser: Parser) {
end: parser.index, end: parser.index,
type: 'Identifier', type: 'Identifier',
name name
} };
const property: Property = { const property: Property = {
start, start,
end: parser.index, end: parser.index,
@ -100,7 +100,7 @@ export default function read_context(parser: Parser) {
shorthand: true, shorthand: true,
key, key,
value: key value: key
} };
context.properties.push(property); context.properties.push(property);

@ -12,6 +12,7 @@ export default function read_expression(parser: Parser): Node {
const end = start + name.length; const end = start + name.length;
if (literals.has(name)) { if (literals.has(name)) {
// eslint-disable-next-line @typescript-eslint/no-object-literal-type-assertion
return { return {
type: 'Literal', type: 'Literal',
start, start,
@ -21,6 +22,7 @@ export default function read_expression(parser: Parser): Node {
} as SimpleLiteral; } as SimpleLiteral;
} }
// eslint-disable-next-line @typescript-eslint/no-object-literal-type-assertion
return { return {
type: 'Identifier', type: 'Identifier',
start, start,

@ -295,7 +295,7 @@ export default function mustache(parser: Parser) {
} }
} }
let await_block_shorthand = type === 'AwaitBlock' && parser.eat('then'); const await_block_shorthand = type === 'AwaitBlock' && parser.eat('then');
if (await_block_shorthand) { if (await_block_shorthand) {
parser.require_whitespace(); parser.require_whitespace();
block.value = parser.read_identifier(); block.value = parser.read_identifier();

@ -8,6 +8,7 @@ import { Directive, DirectiveType, Node, Text } from '../../interfaces';
import fuzzymatch from '../../utils/fuzzymatch'; import fuzzymatch from '../../utils/fuzzymatch';
import list from '../../utils/list'; import list from '../../utils/list';
// eslint-disable-next-line no-useless-escape
const valid_tag_name = /^\!?[a-zA-Z]{1,}:?[a-zA-Z0-9\-]*/; const valid_tag_name = /^\!?[a-zA-Z]{1,}:?[a-zA-Z0-9\-]*/;
const meta_tags = new Map([ const meta_tags = new Map([
@ -36,7 +37,9 @@ const specials = new Map([
], ],
]); ]);
// eslint-disable-next-line no-useless-escape
const SELF = /^svelte:self(?=[\s\/>])/; const SELF = /^svelte:self(?=[\s\/>])/;
// eslint-disable-next-line no-useless-escape
const COMPONENT = /^svelte:component(?=[\s\/>])/; const COMPONENT = /^svelte:component(?=[\s\/>])/;
// based on http://developers.whatwg.org/syntax.html#syntax-tag-omission // based on http://developers.whatwg.org/syntax.html#syntax-tag-omission
@ -358,7 +361,8 @@ function read_attribute(parser: Parser, unique_names: Set<string>) {
} }
} }
let name = parser.read_until(/[\s=\/>"']/); // eslint-disable-next-line no-useless-escape
const name = parser.read_until(/[\s=\/>"']/);
if (!name) return null; if (!name) return null;
let end = parser.index; let end = parser.index;
@ -401,7 +405,7 @@ function read_attribute(parser: Parser, unique_names: Set<string>) {
} }
if (value[0]) { if (value[0]) {
if ((value as Array<any>).length > 1 || value[0].type === 'Text') { if ((value as any[]).length > 1 || value[0].type === 'Text') {
parser.error({ parser.error({
code: `invalid-directive-value`, code: `invalid-directive-value`,
message: `Directive value must be a JavaScript expression enclosed in curly braces` message: `Directive value must be a JavaScript expression enclosed in curly braces`
@ -445,7 +449,7 @@ function read_attribute(parser: Parser, unique_names: Set<string>) {
}; };
} }
function get_directive_type(name: string):DirectiveType { function get_directive_type(name: string): DirectiveType {
if (name === 'use') return 'Action'; if (name === 'use') return 'Action';
if (name === 'animate') return 'Animation'; if (name === 'animate') return 'Animation';
if (name === 'bind') return 'Binding'; if (name === 'bind') return 'Binding';

@ -14,7 +14,7 @@ export default function text(parser: Parser) {
data += parser.template[parser.index++]; data += parser.template[parser.index++];
} }
let node = { const node = {
start, start,
end: parser.index, end: parser.index,
type: 'Text', type: 'Text',

@ -2,18 +2,18 @@ import { SourceMap } from 'magic-string';
export interface PreprocessorGroup { export interface PreprocessorGroup {
markup?: (options: { markup?: (options: {
content: string, content: string;
filename: string filename: string;
}) => { code: string, map?: SourceMap | string, dependencies?: string[] }; }) => { code: string; map?: SourceMap | string; dependencies?: string[] };
style?: Preprocessor; style?: Preprocessor;
script?: Preprocessor; script?: Preprocessor;
} }
export type Preprocessor = (options: { export type Preprocessor = (options: {
content: string, content: string;
attributes: Record<string, string | boolean>, attributes: Record<string, string | boolean>;
filename?: string filename?: string;
}) => { code: string, map?: SourceMap | string, dependencies?: string[] }; }) => { code: string; map?: SourceMap | string; dependencies?: string[] };
interface Processed { interface Processed {
code: string; code: string;
@ -43,16 +43,16 @@ interface Replacement {
} }
async function replace_async(str: string, re: RegExp, func: (...any) => Promise<string>) { async function replace_async(str: string, re: RegExp, func: (...any) => Promise<string>) {
const replacements: Promise<Replacement>[] = []; const replacements: Array<Promise<Replacement>> = [];
str.replace(re, (...args) => { str.replace(re, (...args) => {
replacements.push( replacements.push(
func(...args).then( func(...args).then(
res => res => // eslint-disable-next-line @typescript-eslint/no-object-literal-type-assertion
<Replacement>({ ({
offset: args[args.length - 2], offset: args[args.length - 2],
length: args[0].length, length: args[0].length,
replacement: res, replacement: res,
}) }) as Replacement
) )
); );
return ''; return '';

@ -3,8 +3,8 @@ import get_code_frame from './get_code_frame';
class CompileError extends Error { class CompileError extends Error {
code: string; code: string;
start: { line: number, column: number }; start: { line: number; column: number };
end: { line: number, column: number }; end: { line: number; column: number };
pos: number; pos: number;
filename: string; filename: string;
frame: string; frame: string;
@ -15,12 +15,12 @@ class CompileError extends Error {
} }
export default function error(message: string, props: { export default function error(message: string, props: {
name: string, name: string;
code: string, code: string;
source: string, source: string;
filename: string, filename: string;
start: number, start: number;
end?: number end?: number;
}) { }) {
const error = new CompileError(message); const error = new CompileError(message);
error.name = props.name; error.name = props.name;

@ -2,9 +2,9 @@
// Reproduced under MIT License https://github.com/acornjs/acorn/blob/master/LICENSE // Reproduced under MIT License https://github.com/acornjs/acorn/blob/master/LICENSE
export default function full_char_code_at(str: string, i: number): number { export default function full_char_code_at(str: string, i: number): number {
let code = str.charCodeAt(i) const code = str.charCodeAt(i);
if (code <= 0xd7ff || code >= 0xe000) return code; if (code <= 0xd7ff || code >= 0xe000) return code;
let next = str.charCodeAt(i + 1); const next = str.charCodeAt(i + 1);
return (code << 10) + next - 0x35fdc00; return (code << 10) + next - 0x35fdc00;
} }

@ -144,7 +144,7 @@ class FuzzySet {
items[index] = [vector_normal, normalized_value]; items[index] = [vector_normal, normalized_value];
this.items[gram_size] = items; this.items[gram_size] = items;
this.exact_set[normalized_value] = value; this.exact_set[normalized_value] = value;
}; }
get(value: string) { get(value: string) {
const normalized_value = value.toLowerCase(); const normalized_value = value.toLowerCase();
@ -232,5 +232,5 @@ class FuzzySet {
} }
return new_results; return new_results;
}; }
} }

@ -3,20 +3,20 @@ import { is_function } from 'svelte/internal';
// todo: same as Transition, should it be shared? // todo: same as Transition, should it be shared?
export interface AnimationConfig { export interface AnimationConfig {
delay?: number, delay?: number;
duration?: number, duration?: number;
easing?: (t: number) => number, easing?: (t: number) => number;
css?: (t: number, u: number) => string, css?: (t: number, u: number) => string;
tick?: (t: number, u: number) => void tick?: (t: number, u: number) => void;
} }
interface FlipParams { interface FlipParams {
delay: number; delay: number;
duration: number | ((len: number) => number); duration: number | ((len: number) => number);
easing: (t: number) => number, easing: (t: number) => number;
} }
export function flip(node: Element, animation: { from: DOMRect, to: DOMRect }, params: FlipParams): AnimationConfig { export function flip(node: Element, animation: { from: DOMRect; to: DOMRect }, params: FlipParams): AnimationConfig {
const style = getComputedStyle(node); const style = getComputedStyle(node);
const transform = style.transform === 'none' ? '' : style.transform; const transform = style.transform === 'none' ? '' : style.transform;
@ -35,6 +35,6 @@ export function flip(node: Element, animation: { from: DOMRect, to: DOMRect }, p
delay, delay,
duration: is_function(duration) ? duration(d) : duration, duration: is_function(duration) ? duration(d) : duration,
easing, easing,
css: (t, u) => `transform: ${transform} translate(${u * dx}px, ${u * dy}px);` css: (_t, u) => `transform: ${transform} translate(${u * dx}px, ${u * dy}px);`
}; };
} }

@ -3,6 +3,7 @@ import { current_component, set_current_component } from './lifecycle';
import { blank_object, is_function, run, run_all, noop } from './utils'; import { blank_object, is_function, run, run_all, noop } from './utils';
import { children } from './dom'; import { children } from './dom';
// eslint-disable-next-line @typescript-eslint/class-name-casing
interface T$$ { interface T$$ {
dirty: null; dirty: null;
ctx: null|any; ctx: null|any;
@ -16,7 +17,7 @@ interface T$$ {
before_render: any[]; before_render: any[];
context: Map<any, any>; context: Map<any, any>;
on_mount: any[]; on_mount: any[];
on_destroy: any[] on_destroy: any[];
} }
export function bind(component, name, callback) { export function bind(component, name, callback) {
@ -115,8 +116,10 @@ export function init(component, options, instance, create_fragment, not_equal, p
if (options.target) { if (options.target) {
if (options.hydrate) { if (options.hydrate) {
// eslint-disable-next-line @typescript-eslint/no-non-null-assertion
$$.fragment!.l(children(options.target)); $$.fragment!.l(children(options.target));
} else { } else {
// eslint-disable-next-line @typescript-eslint/no-non-null-assertion
$$.fragment!.c(); $$.fragment!.c();
} }
@ -145,7 +148,7 @@ if (typeof HTMLElement !== 'undefined') {
} }
} }
attributeChangedCallback(attr, oldValue, newValue) { attributeChangedCallback(attr, _oldValue, newValue) {
this[attr] = newValue; this[attr] = newValue;
} }

@ -7,7 +7,7 @@ import { AnimationConfig } from '../animate';
//todo: documentation says it is DOMRect, but in IE it would be ClientRect //todo: documentation says it is DOMRect, but in IE it would be ClientRect
type PositionRect = DOMRect|ClientRect; type PositionRect = DOMRect|ClientRect;
type AnimationFn = (node: Element, { from, to }: { from: PositionRect, to: PositionRect }, params: any) => AnimationConfig; type AnimationFn = (node: Element, { from, to }: { from: PositionRect; to: PositionRect }, params: any) => AnimationConfig;
export function create_animation(node: Element & ElementCSSInlineStyle, from: PositionRect, fn: AnimationFn, params) { export function create_animation(node: Element & ElementCSSInlineStyle, from: PositionRect, fn: AnimationFn, params) {
if (!from) return noop; if (!from) return noop;

@ -1,8 +1,8 @@
export function append(target:Node, node:Node) { export function append(target: Node, node: Node) {
target.appendChild(node); target.appendChild(node);
} }
export function insert(target: Node, node: Node, anchor?:Node) { export function insert(target: Node, node: Node, anchor?: Node) {
target.insertBefore(node, anchor || null); target.insertBefore(node, anchor || null);
} }
@ -16,13 +16,13 @@ export function detach_between(before: Node, after: Node) {
} }
} }
export function detach_before(after:Node) { export function detach_before(after: Node) {
while (after.previousSibling) { while (after.previousSibling) {
after.parentNode.removeChild(after.previousSibling); after.parentNode.removeChild(after.previousSibling);
} }
} }
export function detach_after(before:Node) { export function detach_after(before: Node) {
while (before.nextSibling) { while (before.nextSibling) {
before.parentNode.removeChild(before.nextSibling); before.parentNode.removeChild(before.nextSibling);
} }
@ -38,7 +38,8 @@ export function element<K extends keyof HTMLElementTagNameMap>(name: K) {
return document.createElement<K>(name); return document.createElement<K>(name);
} }
export function object_without_properties<T,K extends keyof T>(obj:T, exclude: K[]) { export function object_without_properties<T, K extends keyof T>(obj: T, exclude: K[]) {
// eslint-disable-next-line @typescript-eslint/no-object-literal-type-assertion
const target = {} as Pick<T, Exclude<keyof T, K>>; const target = {} as Pick<T, Exclude<keyof T, K>>;
for (const k in obj) { for (const k in obj) {
if ( if (
@ -53,11 +54,11 @@ export function object_without_properties<T,K extends keyof T>(obj:T, exclude: K
return target; return target;
} }
export function svg_element<K extends keyof SVGElementTagNameMap>(name:K):SVGElement { export function svg_element<K extends keyof SVGElementTagNameMap>(name: K): SVGElement {
return document.createElementNS<K>('http://www.w3.org/2000/svg', name); return document.createElementNS<K>('http://www.w3.org/2000/svg', name);
} }
export function text(data:string) { export function text(data: string) {
return document.createTextNode(data); return document.createTextNode(data);
} }
@ -95,7 +96,7 @@ export function attr(node: Element, attribute: string, value?: string) {
else node.setAttribute(attribute, value); else node.setAttribute(attribute, value);
} }
export function set_attributes(node: Element & ElementCSSInlineStyle, attributes: { [x: string]: string; }) { export function set_attributes(node: Element & ElementCSSInlineStyle, attributes: { [x: string]: string }) {
for (const key in attributes) { for (const key in attributes) {
if (key === 'style') { if (key === 'style') {
node.style.cssText = attributes[key]; node.style.cssText = attributes[key];

@ -23,7 +23,7 @@ export function clear_loops() {
running = false; running = false;
} }
export function loop(fn: (number)=>void): Task { export function loop(fn: (number) => void): Task {
let task; let task;
if (!running) { if (!running) {

@ -71,14 +71,14 @@ export function create_in_transition(node: Element & ElementCSSInlineStyle, fn:
if (task) task.abort(); if (task) task.abort();
running = true; running = true;
add_render_callback(() => dispatch(node, true, 'start')); add_render_callback(() => dispatch(node, true, 'start'));
task = loop(now => { task = loop(now => {
if (running) { if (running) {
if (now >= end_time) { if (now >= end_time) {
tick(1, 0); tick(1, 0);
dispatch(node, true, 'end'); dispatch(node, true, 'end');
cleanup(); cleanup();
return running = false; return running = false;
@ -146,14 +146,14 @@ export function create_out_transition(node: Element & ElementCSSInlineStyle, fn:
const start_time = now() + delay; const start_time = now() + delay;
const end_time = start_time + duration; const end_time = start_time + duration;
add_render_callback(() => dispatch(node, false, 'start')); add_render_callback(() => dispatch(node, false, 'start'));
loop(now => { loop(now => {
if (running) { if (running) {
if (now >= end_time) { if (now >= end_time) {
tick(0, 1); tick(0, 1);
dispatch(node, false, 'end'); dispatch(node, false, 'end');
if (!--group.remaining) { if (!--group.remaining) {
// this will result in `end()` being called, // this will result in `end()` being called,

@ -2,7 +2,7 @@ export function noop() {}
export const identity = x => x; export const identity = x => x;
export function assign<T, S>(tar:T, src:S): T & S { export function assign<T, S>(tar: T, src: S): T & S {
// @ts-ignore // @ts-ignore
for (const k in src) tar[k] = src[k]; for (const k in src) tar[k] = src[k];
return tar as T & S; return tar as T & S;

@ -6,10 +6,10 @@ interface TickContext<T> {
inv_mass: number; inv_mass: number;
dt: number; dt: number;
opts: Spring<T>; opts: Spring<T>;
settled: boolean settled: boolean;
} }
function tick_spring<T>(ctx: TickContext<T>, last_value: T, current_value: T, target_value: T):T { function tick_spring<T>(ctx: TickContext<T>, last_value: T, current_value: T, target_value: T): T {
if (typeof current_value === 'number' || is_date(current_value)) { if (typeof current_value === 'number' || is_date(current_value)) {
// @ts-ignore // @ts-ignore
const delta = target_value - current_value; const delta = target_value - current_value;
@ -45,9 +45,9 @@ function tick_spring<T>(ctx: TickContext<T>, last_value: T, current_value: T, ta
} }
interface SpringOpts { interface SpringOpts {
stiffness?: number, stiffness?: number;
damping?: number, damping?: number;
precision?: number, precision?: number;
} }
interface SpringUpdateOpts { interface SpringUpdateOpts {
@ -62,7 +62,7 @@ interface Spring<T> extends Readable<T>{
update: (fn: Updater<T>, opts?: SpringUpdateOpts) => Promise<void>; update: (fn: Updater<T>, opts?: SpringUpdateOpts) => Promise<void>;
precision: number; precision: number;
damping: number; damping: number;
stiffness: number stiffness: number;
} }
export function spring<T=any>(value: T, opts: SpringOpts = {}): Spring<T> { export function spring<T=any>(value: T, opts: SpringOpts = {}): Spring<T> {
@ -72,13 +72,14 @@ export function spring<T=any>(value: T, opts: SpringOpts = {}): Spring<T> {
let last_time: number; let last_time: number;
let task: Task; let task: Task;
let current_token: object; let current_token: object;
let last_value:T = value; let last_value: T = value;
let target_value:T = value; let target_value: T = value;
let inv_mass = 1; let inv_mass = 1;
let inv_mass_recovery_rate = 0; let inv_mass_recovery_rate = 0;
let cancel_task = false; let cancel_task = false;
/* eslint-disable @typescript-eslint/no-use-before-define */
function set(new_value: T, opts: SpringUpdateOpts={}): Promise<void> { function set(new_value: T, opts: SpringUpdateOpts={}): Promise<void> {
target_value = new_value; target_value = new_value;
const token = current_token = {}; const token = current_token = {};
@ -133,15 +134,16 @@ export function spring<T=any>(value: T, opts: SpringOpts = {}): Spring<T> {
}); });
}); });
} }
/* eslint-enable @typescript-eslint/no-use-before-define */
const spring = { const spring: Spring<T> = {
set, set,
update: (fn, opts:SpringUpdateOpts) => set(fn(target_value, value), opts), update: (fn, opts: SpringUpdateOpts) => set(fn(target_value, value), opts),
subscribe: store.subscribe, subscribe: store.subscribe,
stiffness, stiffness,
damping, damping,
precision precision
} as Spring<T>; };
return spring; return spring;
} }

@ -56,9 +56,9 @@ function get_interpolator(a, b) {
interface Options<T> { interface Options<T> {
delay?: number; delay?: number;
duration?: number | ((from: T, to: T) => number) duration?: number | ((from: T, to: T) => number);
easing?: (t: number) => number; easing?: (t: number) => number;
interpolate?: (a: T, b: T) => (t: number) => T interpolate?: (a: T, b: T) => (t: number) => T;
} }
type Updater<T> = (target_value: T, value: T) => T; type Updater<T> = (target_value: T, value: T) => T;
@ -69,7 +69,7 @@ interface Tweened<T> extends Readable<T> {
update(updater: Updater<T>, opts: Options<T>): Promise<void>; update(updater: Updater<T>, opts: Options<T>): Promise<void>;
} }
export function tweened<T>(value: T, defaults: Options<T> = {}):Tweened<T> { export function tweened<T>(value: T, defaults: Options<T> = {}): Tweened<T> {
const store = writable(value); const store = writable(value);
let task: Task; let task: Task;
@ -122,7 +122,7 @@ export function tweened<T>(value: T, defaults: Options<T> = {}):Tweened<T> {
return { return {
set, set,
update: (fn, opts:Options<T>) => set(fn(target_value, value), opts), update: (fn, opts: Options<T>) => set(fn(target_value, value), opts),
subscribe: store.subscribe subscribe: store.subscribe
}; };
} }

@ -186,7 +186,7 @@ export function derived<T, S extends Stores>(
unsubscribe(); unsubscribe();
}; };
} }
} };
} }
/** /**
@ -197,4 +197,4 @@ export function get<T>(store: Readable<T>): T {
let value: T | undefined; let value: T | undefined;
store.subscribe((_: T) => value = _)(); store.subscribe((_: T) => value = _)();
return value as T; return value as T;
} }

@ -2,11 +2,11 @@ import { cubicOut, cubicInOut } from 'svelte/easing';
import { assign, is_function } from 'svelte/internal'; import { assign, is_function } from 'svelte/internal';
export interface TransitionConfig { export interface TransitionConfig {
delay?: number, delay?: number;
duration?: number, duration?: number;
easing?: (t: number) => number, easing?: (t: number) => number;
css?: (t: number, u: number) => string, css?: (t: number, u: number) => string;
tick?: (t: number, u: number) => void tick?: (t: number, u: number) => void;
} }
interface FadeParams { interface FadeParams {
@ -30,7 +30,7 @@ export function fade(node: Element, {
interface FlyParams { interface FlyParams {
delay: number; delay: number;
duration: number; duration: number;
easing: (t: number)=>number, easing: (t: number) => number;
x: number; x: number;
y: number; y: number;
opacity: number; opacity: number;
@ -63,7 +63,7 @@ export function fly(node: Element, {
interface SlideParams { interface SlideParams {
delay: number; delay: number;
duration: number; duration: number;
easing: (t: number)=>number, easing: (t: number) => number;
} }
export function slide(node: Element, { export function slide(node: Element, {
@ -101,7 +101,7 @@ export function slide(node: Element, {
interface ScaleParams { interface ScaleParams {
delay: number; delay: number;
duration: number; duration: number;
easing: (t: number)=>number, easing: (t: number) => number;
start: number; start: number;
opacity: number; opacity: number;
} }
@ -124,7 +124,7 @@ export function scale(node: Element, {
delay, delay,
duration, duration,
easing, easing,
css: (t, u) => ` css: (_t, u) => `
transform: ${transform} scale(${1 - (sd * u)}); transform: ${transform} scale(${1 - (sd * u)});
opacity: ${target_opacity - (od * u)} opacity: ${target_opacity - (od * u)}
` `
@ -135,7 +135,7 @@ interface DrawParams {
delay: number; delay: number;
speed: number; speed: number;
duration: number | ((len: number) => number); duration: number | ((len: number) => number);
easing: (t: number) => number, easing: (t: number) => number;
} }
export function draw(node: SVGElement & { getTotalLength(): number }, { export function draw(node: SVGElement & { getTotalLength(): number }, {
@ -167,18 +167,18 @@ export function draw(node: SVGElement & { getTotalLength(): number }, {
interface CrossfadeParams { interface CrossfadeParams {
delay: number; delay: number;
duration: number | ((len: number) => number); duration: number | ((len: number) => number);
easing: (t: number) => number, easing: (t: number) => number;
} }
type ClientRectMap = Map<any, { rect: ClientRect }>; type ClientRectMap = Map<any, { rect: ClientRect }>;
export function crossfade({ fallback, ...defaults }: CrossfadeParams & { export function crossfade({ fallback, ...defaults }: CrossfadeParams & {
fallback: (node: Element, params: CrossfadeParams, intro: boolean)=> TransitionConfig fallback: (node: Element, params: CrossfadeParams, intro: boolean) => TransitionConfig;
}) { }) {
const to_receive: ClientRectMap = new Map(); const to_receive: ClientRectMap = new Map();
const to_send: ClientRectMap = new Map(); const to_send: ClientRectMap = new Map();
function crossfade(from: ClientRect, node: Element, params: CrossfadeParams):TransitionConfig { function crossfade(from: ClientRect, node: Element, params: CrossfadeParams): TransitionConfig {
const { const {
delay = 0, delay = 0,
duration = d => Math.sqrt(d) * 30, duration = d => Math.sqrt(d) * 30,

@ -0,0 +1,5 @@
{
"rules": {
"no-console": "off"
}
}

@ -29,9 +29,9 @@ export default {
right: 100, right: 100,
top, top,
bottom: top + 20 bottom: top + 20
} };
}; };
}) });
component.things = [ component.things = [
{ id: 5, name: 'e' }, { id: 5, name: 'e' },

@ -29,9 +29,9 @@ export default {
right: 100, right: 100,
top, top,
bottom: top + 20 bottom: top + 20
} };
}; };
}) });
component.things = [ component.things = [
{ id: 5, name: 'e' }, { id: 5, name: 'e' },

@ -29,9 +29,9 @@ export default {
right: 100, right: 100,
top, top,
bottom: top + 20 bottom: top + 20
} };
}; };
}) });
component.things = [ component.things = [
{ id: 5, name: 'e' }, { id: 5, name: 'e' },

@ -29,7 +29,7 @@ export default {
right: 100, right: 100,
top, top,
bottom: top + 20 bottom: top + 20
} };
}; };
}); });

@ -1,6 +1,6 @@
let fulfil; let fulfil;
let thePromise = new Promise(f => { const thePromise = new Promise(f => {
fulfil = f; fulfil = f;
}); });

@ -1,6 +1,6 @@
let fulfil; let fulfil;
let thePromise = new Promise(f => { const thePromise = new Promise(f => {
fulfil = f; fulfil = f;
}); });

@ -1,6 +1,6 @@
let fulfil; let fulfil;
let thePromise = new Promise(f => { const thePromise = new Promise(f => {
fulfil = f; fulfil = f;
}); });

@ -1,6 +1,7 @@
export default { export default {
async test({ assert, component, target }) { async test({ assert, component, target }) {
let resolve, reject; let resolve;
let reject;
let promise = new Promise(ok => resolve = ok); let promise = new Promise(ok => resolve = ok);
component.promise = promise; component.promise = promise;

@ -22,4 +22,4 @@ export default {
</div> </div>
`); `);
} }
} };

@ -2,4 +2,4 @@ export default {
html: ` html: `
<foo-bar>Hello</foo-bar> <foo-bar>Hello</foo-bar>
` `
} };

@ -1,3 +1,3 @@
export default { export default {
html: 'Compile plz' html: 'Compile plz'
} };

@ -1,7 +1,7 @@
export default { export default {
props: { props: {
greeting: 'Good day' greeting: 'Good day'
}, },
html: '<h1>Good day, world</h1>' html: '<h1>Good day, world</h1>'
} };

@ -10,4 +10,4 @@ export default {
const { foo } = component; const { foo } = component;
assert.equal(foo, undefined); assert.equal(foo, undefined);
} }
} };

@ -15,7 +15,7 @@ export default {
</div>`, </div>`,
test({ assert, component, target }) { test({ assert, component, target }) {
var nested = component.nested; const nested = component.nested;
assert.htmlEqual(target.innerHTML, ` assert.htmlEqual(target.innerHTML, `
<div> <div>
@ -24,6 +24,7 @@ export default {
</div> </div>
`); `);
// eslint-disable-next-line no-self-assign
nested.foo = nested.foo; nested.foo = nested.foo;
assert.htmlEqual(target.innerHTML, ` assert.htmlEqual(target.innerHTML, `
<div> <div>

@ -4,6 +4,7 @@ export default {
html: `<div><h3>Called 1 times.</h3></div>`, html: `<div><h3>Called 1 times.</h3></div>`,
test({ assert, component, target }) { test({ assert, component, target }) {
// eslint-disable-next-line no-self-assign
component.foo = component.foo; component.foo = component.foo;
assert.htmlEqual(target.innerHTML, `<div><h3>Called 1 times.</h3></div>`); assert.htmlEqual(target.innerHTML, `<div><h3>Called 1 times.</h3></div>`);
} }

@ -4,6 +4,7 @@ export default {
html: `<div><h3>Called 1 times.</h3></div>`, html: `<div><h3>Called 1 times.</h3></div>`,
test({ assert, component, target }) { test({ assert, component, target }) {
// eslint-disable-next-line no-self-assign
component.foo = component.foo; component.foo = component.foo;
assert.htmlEqual(target.innerHTML, `<div><h3>Called 2 times.</h3></div>`); assert.htmlEqual(target.innerHTML, `<div><h3>Called 2 times.</h3></div>`);
} }

@ -2,6 +2,7 @@ export default {
html: `<div><h3>Called 1 times.</h3></div>`, html: `<div><h3>Called 1 times.</h3></div>`,
test({ assert, component, target }) { test({ assert, component, target }) {
// eslint-disable-next-line no-self-assign
component.foo = component.foo; component.foo = component.foo;
assert.htmlEqual(target.innerHTML, `<div><h3>Called 1 times.</h3></div>`); assert.htmlEqual(target.innerHTML, `<div><h3>Called 1 times.</h3></div>`);
} }

@ -1,18 +1,18 @@
export default { export default {
html: ` html: `
<p>internal: 1</p> <p>internal: 1</p>
<button>click me</button> <button>click me</button>
`, `,
async test({ assert, target, window }) { async test({ assert, target, window }) {
const button = target.querySelector('button'); const button = target.querySelector('button');
const click = new window.MouseEvent('click'); const click = new window.MouseEvent('click');
await button.dispatchEvent(click); await button.dispatchEvent(click);
assert.htmlEqual(target.innerHTML, ` assert.htmlEqual(target.innerHTML, `
<p>internal: 1</p> <p>internal: 1</p>
<button>click me</button> <button>click me</button>
`); `);
} }
}; };

@ -1,9 +1,9 @@
export default { export default {
props: { props: {
a: 42 a: 42
}, },
html: ` html: `
42 42
` `
} };

@ -2,29 +2,29 @@ import { writable } from '../../../../store';
export default { export default {
props: { props: {
s1: writable(42), s1: writable(42),
s2: writable(43), s2: writable(43),
p1: 2, p1: 2,
p3: 3, p3: 3,
a1: writable(1), a1: writable(1),
a2: 4, a2: 4,
a6: writable(29), a6: writable(29),
for: 'loop', for: 'loop',
continue: '...', continue: '...',
}, },
html: ` html: `
$s1=42 $s1=42
$s2=43 $s2=43
p1=2 p1=2
p3=3 p3=3
$v1=1 $v1=1
v2=4 v2=4
vi1=4 vi1=4
$vs1=1 $vs1=1
vl0=hello vl0=hello
vl1=test vl1=test
$s3=29 $s3=29
loop... loop...
` `
} };

@ -1,3 +1,3 @@
export default { export default {
html: `<p>0</p>` html: `<p>0</p>`
} };

@ -1,7 +1,7 @@
let fulfil; let fulfil;
let reject; let reject;
let promise = new Promise((f, r) => { const promise = new Promise((f, r) => {
fulfil = f; fulfil = f;
reject = r; reject = r;
}); });
@ -14,7 +14,7 @@ export default {
intro: true, intro: true,
test({ assert, target, raf }) { test({ assert, target, raf }) {
let p = target.querySelector('p'); const p = target.querySelector('p');
assert.equal(p.className, 'pending'); assert.equal(p.className, 'pending');
assert.equal(p.foo, 0); assert.equal(p.foo, 0);
@ -26,7 +26,7 @@ export default {
return promise.then(() => { return promise.then(() => {
raf.tick(80); raf.tick(80);
let ps = document.querySelectorAll('p'); const ps = document.querySelectorAll('p');
assert.equal(ps[1].className, 'pending'); assert.equal(ps[1].className, 'pending');
assert.equal(ps[0].className, 'then'); assert.equal(ps[0].className, 'then');
assert.equal(ps[1].foo, 0.2); assert.equal(ps[1].foo, 0.2);

@ -1,7 +1,6 @@
import * as assert from "assert"; import * as assert from "assert";
import * as fs from "fs"; import * as fs from "fs";
import * as path from "path"; import * as path from "path";
import * as glob from 'tiny-glob/sync.js';
import { import {
showOutput, showOutput,

@ -7,7 +7,7 @@ process.env.TEST = true;
require.extensions['.js'] = function(module, filename) { require.extensions['.js'] = function(module, filename) {
const exports = []; const exports = [];
var code = fs.readFileSync(filename, 'utf-8') let code = fs.readFileSync(filename, 'utf-8')
.replace(/^import \* as (\w+) from ['"]([^'"]+)['"];?/gm, 'var $1 = require("$2");') .replace(/^import \* as (\w+) from ['"]([^'"]+)['"];?/gm, 'var $1 = require("$2");')
.replace(/^import (\w+) from ['"]([^'"]+)['"];?/gm, 'var {default: $1} = require("$2");') .replace(/^import (\w+) from ['"]([^'"]+)['"];?/gm, 'var {default: $1} = require("$2");')
.replace(/^import {([^}]+)} from ['"](.+)['"];?/gm, 'var {$1} = require("$2");') .replace(/^import {([^}]+)} from ['"](.+)['"];?/gm, 'var {$1} = require("$2");')
@ -35,4 +35,4 @@ require.extensions['.js'] = function(module, filename) {
console.log(code); // eslint-disable-line no-console console.log(code); // eslint-disable-line no-console
throw err; throw err;
} }
}; };

@ -1,7 +1,7 @@
import * as fs from "fs"; import * as fs from "fs";
import * as path from "path"; import * as path from "path";
import * as assert from "assert"; import * as assert from "assert";
import { loadConfig, svelte } from "../helpers.js"; import { svelte } from "../helpers.js";
import { SourceMapConsumer } from "source-map"; import { SourceMapConsumer } from "source-map";
import { getLocator } from "locate-character"; import { getLocator } from "locate-character";
@ -18,8 +18,6 @@ describe("sourcemaps", () => {
} }
(solo ? it.only : skip ? it.skip : it)(dir, () => { (solo ? it.only : skip ? it.skip : it)(dir, () => {
const config = loadConfig(`./sourcemaps/samples/${dir}/_config.js`);
const filename = path.resolve( const filename = path.resolve(
`test/sourcemaps/samples/${dir}/input.svelte` `test/sourcemaps/samples/${dir}/input.svelte`
); );

@ -49,7 +49,7 @@ describe('store', () => {
const store = writable(obj); const store = writable(obj);
store.subscribe(value => { store.subscribe(() => {
called += 1; called += 1;
}); });

@ -2,6 +2,6 @@ const glob = require("tiny-glob/sync.js");
require("./setup"); require("./setup");
glob("*/index.{js,ts}", { cwd: "test" }).forEach(function(file) { glob("*/index.{js,ts}", { cwd: "test" }).forEach((file) => {
require("./" + file); require("./" + file);
}); });

@ -24,7 +24,7 @@ describe("validate", () => {
let error; let error;
try { try {
let { warnings } = svelte.compile(input, { const { warnings } = svelte.compile(input, {
dev: config.dev, dev: config.dev,
legacy: config.legacy, legacy: config.legacy,
generate: false generate: false
@ -59,7 +59,7 @@ describe("validate", () => {
assert.deepEqual(error.end, expected.end); assert.deepEqual(error.end, expected.end);
assert.equal(error.pos, expected.pos); assert.equal(error.pos, expected.pos);
} catch (e) { } catch (e) {
console.error(error) console.error(error); // eslint-disable-line no-console
throw e; throw e;
} }
} }

@ -5,6 +5,8 @@
"declaration": true, "declaration": true,
"declarationDir": "types", "declarationDir": "types",
"noImplicitThis": true, "noImplicitThis": true,
"noUnusedLocals": true,
"noUnusedParameters": true,
"noEmitOnError": true, "noEmitOnError": true,
"lib": [ "lib": [
"es5", "es5",

Loading…
Cancel
Save