From c39fc1df3e1fa847c0d1a85306e4be33a9f5519a Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Wed, 28 Oct 2020 16:20:00 +0530 Subject: [PATCH 01/19] test: migrate to jest for e2e tests --- lib/cli/package.json | 2 +- lib/cli/test/commands/init.test.js | 38 ++++++++++++++ lib/cli/test/helpers.js | 63 +++++++++++++++++++++++ lib/cli/test/run_tests.sh | 80 ------------------------------ 4 files changed, 102 insertions(+), 81 deletions(-) create mode 100644 lib/cli/test/commands/init.test.js create mode 100644 lib/cli/test/helpers.js delete mode 100755 lib/cli/test/run_tests.sh diff --git a/lib/cli/package.json b/lib/cli/package.json index d30a419d0acd..41cce4a60c91 100644 --- a/lib/cli/package.json +++ b/lib/cli/package.json @@ -40,7 +40,7 @@ ], "scripts": { "prepare": "node ../../scripts/prepare.js && node ./scripts/generate-sb-packages-versions.js", - "test": "cd test && ./run_tests.sh", + "test": "jest test/**/*.test.js", "postversion": "node ./scripts/generate-sb-packages-versions.js" }, "dependencies": { diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js new file mode 100644 index 000000000000..2304ace305ac --- /dev/null +++ b/lib/cli/test/commands/init.test.js @@ -0,0 +1,38 @@ +const fs = require('fs'); +const path = require('path'); + +const { run, copyDirSync } = require('../helpers'); + +const fixturesDirPath = path.join(__dirname, '..', 'fixtures'); +const runDirPath = path.join(__dirname, '..', 'run'); + +const rootPath = path.join(__dirname, '..', '..', '..', '..'); + +jest.setTimeout(240000); + +beforeAll(() => { + fs.mkdirSync(runDirPath); + // Copy all files from fixtures directory to `run` + const dirs = fs.readdirSync(fixturesDirPath); + dirs.forEach(dir => copyDirSync(path.join(fixturesDirPath, dir), runDirPath)); +}); + +describe('sb init', () => { + it('init scaffolds', () => { + const dirs = fs.readdirSync(runDirPath); + dirs.forEach(dir => { + run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); + }); + + // Install all the dependencies in a single run + console.log('Running bootstrap'); + run(['yarn install', '--non-interactive', '--silent', '--pure-lockfile'], { cwd: rootPath }); + + // Check that storybook starts without errors + dirs.forEach(dir => { + console.log(`Running smoke test in ${dir}`) + const { status } = run(['yarn', 'storybook', '--smoke-test', '--quiet'], { cwd: path.join(runDirPath, dir) }); + expect(status).toBe(0); + }); + }); +}) diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js new file mode 100644 index 000000000000..0a3542012465 --- /dev/null +++ b/lib/cli/test/helpers.js @@ -0,0 +1,63 @@ +const { sync: spawnSync } = require('cross-spawn'); +const fs = require('fs'); +const path = require('path'); + +const CLI_PATH = path.join(__dirname, '..', 'bin'); + +/** + * Copy files + * @param {String} source - source directory path + * @param {String} target - path to the destination directory + * @returns {Void} + */ +const copyFileSync = (source, target) => { + let targetFile = target; + + // if target is a directory a new file with the same name will be created + if (fs.existsSync(target)) { + if (fs.lstatSync(target).isDirectory()) { + targetFile = path.join(target, path.basename(source)); + } + } + + fs.writeFileSync(targetFile, fs.readFileSync(source)); +}; + +/** + * Copy directory content recursively + * @param {String} source - source directory path + * @param {String} target - path to the destination directory + * @returns {Void} + */ +const copyDirSync = (source, target) => { + // check if folder needs to be created or integrated + const targetFolder = path.join(target, path.basename(source)); + if (!fs.existsSync(targetFolder)) { + fs.mkdirSync(targetFolder); + } + + // copy + if (fs.lstatSync(source).isDirectory()) { + fs.readdirSync(source).forEach((file) => { + const curSource = path.join(source, file); + if (fs.lstatSync(curSource).isDirectory()) { + copyDirSync(curSource, targetFolder); + } else { + copyFileSync(curSource, targetFolder); + } + }); + } +}; + +/** + * Execute command + * @param {String[]} args - args to be passed in + * @param {Boolean} [cli=true] - invoke the binary + * @returns {Object} + */ +const run = (args, options = {}, cli = true) => spawnSync('node', cli ? [CLI_PATH].concat(args) : args, options); + +module.exports = { + copyDirSync, + run +}; diff --git a/lib/cli/test/run_tests.sh b/lib/cli/test/run_tests.sh deleted file mode 100755 index 6c327dbb6988..000000000000 --- a/lib/cli/test/run_tests.sh +++ /dev/null @@ -1,80 +0,0 @@ -#!/bin/bash - -# exit on error -set -e - -declare test_root=$PWD - -# remove run directory before exit to prevent yarn.lock spoiling -function cleanup { - rm -rfd ${test_root}/run -} -trap cleanup EXIT - -fixtures_dir='fixtures' -story_format='csf' - -# parse command-line options -# '-f' sets fixtures directory -# '-s' sets story format to use -while getopts ":f:s:" opt; do - case $opt in - f) - fixtures_dir=$OPTARG - ;; - s) - story_format=$OPTARG - ;; - esac -done - -# copy all files from fixtures directory to `run` -rm -rfd run -cp -r $fixtures_dir run -cd run - -for dir in * -do - cd $dir - echo "Running storybook-cli in $dir" - - case $story_format in - csf) - yarn sb init --skip-install --yes - ;; - mdx) - if [[ $dir =~ (react_native*|angular-cli-v6|ember-cli|marko|meteor|mithril|riot) ]] - then - yarn sb init --skip-install --yes - else - yarn sb init --skip-install --yes --story-format mdx - fi - ;; - esac - cd .. -done - -cd .. - -# install all the dependencies in a single run -cd ../../.. -echo "Running bootstrap" -yarn install --non-interactive --silent --pure-lockfile -cd ${test_root}/run - -for dir in * -do - # check that storybook starts without errors - cd $dir - - echo "Running smoke test in $dir" - failed=0 - yarn storybook --smoke-test --quiet || failed=1 - - if [ $failed -eq 1 ] - then - exit 1 - fi - - cd .. -done From 5bff2c62213b6dec63a3e8ab46e9dd344cbe45a8 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Wed, 28 Oct 2020 16:20:58 +0530 Subject: [PATCH 02/19] test: test case for default behavior --- lib/cli/test/cli.test.js | 10 ++++++++++ 1 file changed, 10 insertions(+) create mode 100755 lib/cli/test/cli.test.js diff --git a/lib/cli/test/cli.test.js b/lib/cli/test/cli.test.js new file mode 100755 index 000000000000..1f8a0fed7aa2 --- /dev/null +++ b/lib/cli/test/cli.test.js @@ -0,0 +1,10 @@ +const { run } = require('./helpers'); + +describe('Default behavior', () => { + it('suggests the closest match to an unknown command', () => { + const { output, status } = run(['upgraed']); + const stdout = output.toString(); + expect(stdout).toContain('Did you mean upgrade?'); + expect(status).toBe(1); + }); +}); From 983e4c16e7d5b40800bbcae6da76bd0ba1f7d23c Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Wed, 28 Oct 2020 16:21:59 +0530 Subject: [PATCH 03/19] test: update description --- lib/cli/test/commands/init.test.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 2304ace305ac..3e78d13ecd91 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -18,7 +18,7 @@ beforeAll(() => { }); describe('sb init', () => { - it('init scaffolds', () => { + it('starts storybook without errors', () => { const dirs = fs.readdirSync(runDirPath); dirs.forEach(dir => { run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); From 8d5f1e0eafcb206bd23dcf2a8a260f199eb5731f Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Wed, 28 Oct 2020 18:10:13 +0530 Subject: [PATCH 04/19] fix: supply arg to execute conditionally --- lib/cli/test/commands/init.test.js | 4 ++-- lib/cli/test/helpers.js | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 3e78d13ecd91..10e36bdc427b 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -26,12 +26,12 @@ describe('sb init', () => { // Install all the dependencies in a single run console.log('Running bootstrap'); - run(['yarn install', '--non-interactive', '--silent', '--pure-lockfile'], { cwd: rootPath }); + run(['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], { cwd: rootPath }, false); // Check that storybook starts without errors dirs.forEach(dir => { console.log(`Running smoke test in ${dir}`) - const { status } = run(['yarn', 'storybook', '--smoke-test', '--quiet'], { cwd: path.join(runDirPath, dir) }); + const { status } = run(['yarn', 'storybook', '--smoke-test', '--quiet'], { cwd: path.join(runDirPath, dir) }, false); expect(status).toBe(0); }); }); diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js index 0a3542012465..a4ff58a72546 100644 --- a/lib/cli/test/helpers.js +++ b/lib/cli/test/helpers.js @@ -55,7 +55,7 @@ const copyDirSync = (source, target) => { * @param {Boolean} [cli=true] - invoke the binary * @returns {Object} */ -const run = (args, options = {}, cli = true) => spawnSync('node', cli ? [CLI_PATH].concat(args) : args, options); +const run = (args, options = {}, cli = true) => spawnSync(cli ? 'node' : args[0], cli ? [CLI_PATH].concat(args) : args.slice(1), options); module.exports = { copyDirSync, From 893bd2319b9f0d0c87819ce2e73028a1288ea2fb Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Thu, 29 Oct 2020 12:56:38 +0530 Subject: [PATCH 05/19] chore: prettify --- lib/cli/test/commands/init.test.js | 22 +++++++++++++++------- lib/cli/test/helpers.js | 5 +++-- 2 files changed, 18 insertions(+), 9 deletions(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 10e36bdc427b..04574c53e431 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -14,25 +14,33 @@ beforeAll(() => { fs.mkdirSync(runDirPath); // Copy all files from fixtures directory to `run` const dirs = fs.readdirSync(fixturesDirPath); - dirs.forEach(dir => copyDirSync(path.join(fixturesDirPath, dir), runDirPath)); + dirs.forEach((dir) => copyDirSync(path.join(fixturesDirPath, dir), runDirPath)); }); describe('sb init', () => { it('starts storybook without errors', () => { const dirs = fs.readdirSync(runDirPath); - dirs.forEach(dir => { + dirs.forEach((dir) => { run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); }); // Install all the dependencies in a single run console.log('Running bootstrap'); - run(['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], { cwd: rootPath }, false); + run( + ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], + { cwd: rootPath }, + false + ); // Check that storybook starts without errors - dirs.forEach(dir => { - console.log(`Running smoke test in ${dir}`) - const { status } = run(['yarn', 'storybook', '--smoke-test', '--quiet'], { cwd: path.join(runDirPath, dir) }, false); + dirs.forEach((dir) => { + console.log(`Running smoke test in ${dir}`); + const { status } = run( + ['yarn', 'storybook', '--smoke-test', '--quiet'], + { cwd: path.join(runDirPath, dir) }, + false + ); expect(status).toBe(0); }); }); -}) +}); diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js index a4ff58a72546..d67a3260ed11 100644 --- a/lib/cli/test/helpers.js +++ b/lib/cli/test/helpers.js @@ -55,9 +55,10 @@ const copyDirSync = (source, target) => { * @param {Boolean} [cli=true] - invoke the binary * @returns {Object} */ -const run = (args, options = {}, cli = true) => spawnSync(cli ? 'node' : args[0], cli ? [CLI_PATH].concat(args) : args.slice(1), options); +const run = (args, options = {}, cli = true) => + spawnSync(cli ? 'node' : args[0], cli ? [CLI_PATH].concat(args) : args.slice(1), options); module.exports = { copyDirSync, - run + run, }; From 51083e5c8691be3a2cdb048427833ed051885337 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Thu, 29 Oct 2020 12:59:05 +0530 Subject: [PATCH 06/19] chore: remove timeout --- lib/cli/test/commands/init.test.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 04574c53e431..0f58f3d20173 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -8,8 +8,6 @@ const runDirPath = path.join(__dirname, '..', 'run'); const rootPath = path.join(__dirname, '..', '..', '..', '..'); -jest.setTimeout(240000); - beforeAll(() => { fs.mkdirSync(runDirPath); // Copy all files from fixtures directory to `run` From 023b309c736259a0e038c51ad0144f8b129a2669 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sat, 31 Oct 2020 16:15:30 +0530 Subject: [PATCH 07/19] test: cleanup --- lib/cli/test/commands/init.test.js | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 0f58f3d20173..ada3a1c1cc87 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -15,9 +15,13 @@ beforeAll(() => { dirs.forEach((dir) => copyDirSync(path.join(fixturesDirPath, dir), runDirPath)); }); +afterAll(() => { + fs.rmdirSync(runDirPath, { recursive: true }); +}); + describe('sb init', () => { it('starts storybook without errors', () => { - const dirs = fs.readdirSync(runDirPath); + const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); dirs.forEach((dir) => { run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); }); From 0667ab965b2eabe46aaa3c411745ea5b0c848d2a Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sat, 31 Oct 2020 16:48:53 +0530 Subject: [PATCH 08/19] chore: include test case for default behavior --- lib/cli/test/{ => default}/cli.test.js | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename lib/cli/test/{ => default}/cli.test.js (100%) diff --git a/lib/cli/test/cli.test.js b/lib/cli/test/default/cli.test.js similarity index 100% rename from lib/cli/test/cli.test.js rename to lib/cli/test/default/cli.test.js From b454148c53ea490c094df60a5c9a988ab753092a Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sat, 31 Oct 2020 17:38:07 +0530 Subject: [PATCH 09/19] chore: use rimraf for test cleanup --- lib/cli/package.json | 3 ++- lib/cli/test/commands/init.test.js | 3 ++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/lib/cli/package.json b/lib/cli/package.json index 41cce4a60c91..e81d148a2bcd 100644 --- a/lib/cli/package.json +++ b/lib/cli/package.json @@ -75,7 +75,8 @@ "@types/puppeteer-core": "^2.0.0", "@types/semver": "^7.2.0", "@types/shelljs": "^0.8.7", - "@types/update-notifier": "^0.0.30" + "@types/update-notifier": "^0.0.30", + "rimraf": "^3.0.2" }, "peerDependencies": { "jest": "*" diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index ada3a1c1cc87..19f7c24fe6f0 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -1,5 +1,6 @@ const fs = require('fs'); const path = require('path'); +const rimraf = require('rimraf'); const { run, copyDirSync } = require('../helpers'); @@ -16,7 +17,7 @@ beforeAll(() => { }); afterAll(() => { - fs.rmdirSync(runDirPath, { recursive: true }); + rimraf.sync(runDirPath); }); describe('sb init', () => { From 3261444ca05a551fbbcdb6b2c9ef08a1f262e717 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ga=C3=ABtan=20Maisse?= Date: Sun, 1 Nov 2020 16:46:27 +0100 Subject: [PATCH 10/19] test(cli): fix path of required file in cli.test.js --- lib/cli/test/default/cli.test.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/cli/test/default/cli.test.js b/lib/cli/test/default/cli.test.js index 1f8a0fed7aa2..9043a9220147 100755 --- a/lib/cli/test/default/cli.test.js +++ b/lib/cli/test/default/cli.test.js @@ -1,4 +1,4 @@ -const { run } = require('./helpers'); +const { run } = require('../helpers'); describe('Default behavior', () => { it('suggests the closest match to an unknown command', () => { From 48e820edb177f4ebc68e98ad9ed21cc871761c20 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sun, 1 Nov 2020 23:56:14 +0530 Subject: [PATCH 11/19] chore: leverage fs-extra --- lib/cli/package.json | 3 +- lib/cli/test/commands/init.test.js | 58 ++++++++++++++++-------------- lib/cli/test/helpers.js | 22 ++---------- 3 files changed, 34 insertions(+), 49 deletions(-) diff --git a/lib/cli/package.json b/lib/cli/package.json index e81d148a2bcd..41cce4a60c91 100644 --- a/lib/cli/package.json +++ b/lib/cli/package.json @@ -75,8 +75,7 @@ "@types/puppeteer-core": "^2.0.0", "@types/semver": "^7.2.0", "@types/shelljs": "^0.8.7", - "@types/update-notifier": "^0.0.30", - "rimraf": "^3.0.2" + "@types/update-notifier": "^0.0.30" }, "peerDependencies": { "jest": "*" diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 19f7c24fe6f0..b34bcab6642b 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -1,8 +1,8 @@ const fs = require('fs'); +const fse = require('fs-extra'); const path = require('path'); -const rimraf = require('rimraf'); -const { run, copyDirSync } = require('../helpers'); +const { run } = require('../helpers'); const fixturesDirPath = path.join(__dirname, '..', 'fixtures'); const runDirPath = path.join(__dirname, '..', 'run'); @@ -13,37 +13,41 @@ beforeAll(() => { fs.mkdirSync(runDirPath); // Copy all files from fixtures directory to `run` const dirs = fs.readdirSync(fixturesDirPath); - dirs.forEach((dir) => copyDirSync(path.join(fixturesDirPath, dir), runDirPath)); + dirs.forEach((dir) => { + const src = path.join(fixturesDirPath, dir); + const dest = path.join(runDirPath, path.basename(src)); + fse.copySync(src, dest); + }); }); afterAll(() => { - rimraf.sync(runDirPath); + fse.removeSync(runDirPath); }); describe('sb init', () => { it('starts storybook without errors', () => { - const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); - dirs.forEach((dir) => { - run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); - }); - - // Install all the dependencies in a single run - console.log('Running bootstrap'); - run( - ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], - { cwd: rootPath }, - false - ); - - // Check that storybook starts without errors - dirs.forEach((dir) => { - console.log(`Running smoke test in ${dir}`); - const { status } = run( - ['yarn', 'storybook', '--smoke-test', '--quiet'], - { cwd: path.join(runDirPath, dir) }, - false - ); - expect(status).toBe(0); - }); + // const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); + // dirs.forEach((dir) => { + // run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); + // }); + // + // // Install all the dependencies in a single run + // console.log('Running bootstrap'); + // run( + // ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], + // { cwd: rootPath }, + // false + // ); + // + // // Check that storybook starts without errors + // dirs.forEach((dir) => { + // console.log(`Running smoke test in ${dir}`); + // const { status } = run( + // ['yarn', 'storybook', '--smoke-test', '--quiet'], + // { cwd: path.join(runDirPath, dir) }, + // false + // ); + // expect(status).toBe(0); + // }); }); }); diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js index d67a3260ed11..fd10b2a94556 100644 --- a/lib/cli/test/helpers.js +++ b/lib/cli/test/helpers.js @@ -1,28 +1,10 @@ const { sync: spawnSync } = require('cross-spawn'); const fs = require('fs'); +const fse = require('fs-extra'); const path = require('path'); const CLI_PATH = path.join(__dirname, '..', 'bin'); -/** - * Copy files - * @param {String} source - source directory path - * @param {String} target - path to the destination directory - * @returns {Void} - */ -const copyFileSync = (source, target) => { - let targetFile = target; - - // if target is a directory a new file with the same name will be created - if (fs.existsSync(target)) { - if (fs.lstatSync(target).isDirectory()) { - targetFile = path.join(target, path.basename(source)); - } - } - - fs.writeFileSync(targetFile, fs.readFileSync(source)); -}; - /** * Copy directory content recursively * @param {String} source - source directory path @@ -43,7 +25,7 @@ const copyDirSync = (source, target) => { if (fs.lstatSync(curSource).isDirectory()) { copyDirSync(curSource, targetFolder); } else { - copyFileSync(curSource, targetFolder); + fse.copySync(curSource, targetFolder); } }); } From 73fa16a73275f41d7d7dfc175d387aedf58d72f1 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sun, 1 Nov 2020 23:57:27 +0530 Subject: [PATCH 12/19] tests: remove stale helper --- lib/cli/test/commands/init.test.js | 48 +++++++++++++++--------------- lib/cli/test/default/cli.test.js | 2 +- lib/cli/test/helpers.js | 33 +------------------- 3 files changed, 26 insertions(+), 57 deletions(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index b34bcab6642b..3d1095ffa795 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -2,7 +2,7 @@ const fs = require('fs'); const fse = require('fs-extra'); const path = require('path'); -const { run } = require('../helpers'); +const run = require('../helpers'); const fixturesDirPath = path.join(__dirname, '..', 'fixtures'); const runDirPath = path.join(__dirname, '..', 'run'); @@ -26,28 +26,28 @@ afterAll(() => { describe('sb init', () => { it('starts storybook without errors', () => { - // const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); - // dirs.forEach((dir) => { - // run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); - // }); - // - // // Install all the dependencies in a single run - // console.log('Running bootstrap'); - // run( - // ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], - // { cwd: rootPath }, - // false - // ); - // - // // Check that storybook starts without errors - // dirs.forEach((dir) => { - // console.log(`Running smoke test in ${dir}`); - // const { status } = run( - // ['yarn', 'storybook', '--smoke-test', '--quiet'], - // { cwd: path.join(runDirPath, dir) }, - // false - // ); - // expect(status).toBe(0); - // }); + const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); + dirs.forEach((dir) => { + run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); + }); + + // Install all the dependencies in a single run + console.log('Running bootstrap'); + run( + ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], + { cwd: rootPath }, + false + ); + + // Check that storybook starts without errors + dirs.forEach((dir) => { + console.log(`Running smoke test in ${dir}`); + const { status } = run( + ['yarn', 'storybook', '--smoke-test', '--quiet'], + { cwd: path.join(runDirPath, dir) }, + false + ); + expect(status).toBe(0); + }); }); }); diff --git a/lib/cli/test/default/cli.test.js b/lib/cli/test/default/cli.test.js index 9043a9220147..5645aa702858 100755 --- a/lib/cli/test/default/cli.test.js +++ b/lib/cli/test/default/cli.test.js @@ -1,4 +1,4 @@ -const { run } = require('../helpers'); +const run = require('../helpers'); describe('Default behavior', () => { it('suggests the closest match to an unknown command', () => { diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js index fd10b2a94556..3419f87f6186 100644 --- a/lib/cli/test/helpers.js +++ b/lib/cli/test/helpers.js @@ -1,36 +1,8 @@ const { sync: spawnSync } = require('cross-spawn'); -const fs = require('fs'); -const fse = require('fs-extra'); const path = require('path'); const CLI_PATH = path.join(__dirname, '..', 'bin'); -/** - * Copy directory content recursively - * @param {String} source - source directory path - * @param {String} target - path to the destination directory - * @returns {Void} - */ -const copyDirSync = (source, target) => { - // check if folder needs to be created or integrated - const targetFolder = path.join(target, path.basename(source)); - if (!fs.existsSync(targetFolder)) { - fs.mkdirSync(targetFolder); - } - - // copy - if (fs.lstatSync(source).isDirectory()) { - fs.readdirSync(source).forEach((file) => { - const curSource = path.join(source, file); - if (fs.lstatSync(curSource).isDirectory()) { - copyDirSync(curSource, targetFolder); - } else { - fse.copySync(curSource, targetFolder); - } - }); - } -}; - /** * Execute command * @param {String[]} args - args to be passed in @@ -40,7 +12,4 @@ const copyDirSync = (source, target) => { const run = (args, options = {}, cli = true) => spawnSync(cli ? 'node' : args[0], cli ? [CLI_PATH].concat(args) : args.slice(1), options); -module.exports = { - copyDirSync, - run, -}; +module.exports = run; From 65a7bb3c4f4e880769ef07e5add4232f06d7de55 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Mon, 2 Nov 2020 00:06:36 +0530 Subject: [PATCH 13/19] tests: cleanup --- lib/cli/test/commands/init.test.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 3d1095ffa795..d2ff70678d00 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -10,7 +10,8 @@ const runDirPath = path.join(__dirname, '..', 'run'); const rootPath = path.join(__dirname, '..', '..', '..', '..'); beforeAll(() => { - fs.mkdirSync(runDirPath); + fse.removeSync(runDirPath); + fse.mkdirSync(runDirPath); // Copy all files from fixtures directory to `run` const dirs = fs.readdirSync(fixturesDirPath); dirs.forEach((dir) => { From 722cbafe286f81b7b1df8f767322a80ad964686f Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Mon, 2 Nov 2020 00:08:02 +0530 Subject: [PATCH 14/19] tests: remove filters --- lib/cli/test/commands/init.test.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index d2ff70678d00..4e94c0a74204 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -27,7 +27,7 @@ afterAll(() => { describe('sb init', () => { it('starts storybook without errors', () => { - const dirs = fs.readdirSync(runDirPath).filter((dir) => !dir.includes('vue')); + const dirs = fs.readdirSync(runDirPath); dirs.forEach((dir) => { run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); }); From ecc1ea2430cf930eedd4a7986435bc1cd0667be5 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Thu, 26 Nov 2020 13:26:30 +0530 Subject: [PATCH 15/19] test(cli): use it.each to improve test run output MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: Gaëtan Maisse --- lib/cli/package.json | 2 +- lib/cli/test/commands/init.test.js | 24 ++++++++++-------------- 2 files changed, 11 insertions(+), 15 deletions(-) diff --git a/lib/cli/package.json b/lib/cli/package.json index 41cce4a60c91..448e6c8ccd96 100644 --- a/lib/cli/package.json +++ b/lib/cli/package.json @@ -40,7 +40,7 @@ ], "scripts": { "prepare": "node ../../scripts/prepare.js && node ./scripts/generate-sb-packages-versions.js", - "test": "jest test/**/*.test.js", + "test": "jest test/**/*.test.js --verbose", "postversion": "node ./scripts/generate-sb-packages-versions.js" }, "dependencies": { diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 4e94c0a74204..2f190c0b6d16 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -8,12 +8,12 @@ const fixturesDirPath = path.join(__dirname, '..', 'fixtures'); const runDirPath = path.join(__dirname, '..', 'run'); const rootPath = path.join(__dirname, '..', '..', '..', '..'); +const dirs = fs.readdirSync(fixturesDirPath); beforeAll(() => { fse.removeSync(runDirPath); fse.mkdirSync(runDirPath); // Copy all files from fixtures directory to `run` - const dirs = fs.readdirSync(fixturesDirPath); dirs.forEach((dir) => { const src = path.join(fixturesDirPath, dir); const dest = path.join(runDirPath, path.basename(src)); @@ -26,29 +26,25 @@ afterAll(() => { }); describe('sb init', () => { - it('starts storybook without errors', () => { - const dirs = fs.readdirSync(runDirPath); + beforeAll(() => { dirs.forEach((dir) => { run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); }); // Install all the dependencies in a single run - console.log('Running bootstrap'); run( ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], { cwd: rootPath }, false ); - + }); + it.each(dirs)('starts storybook in smoke-test mode for: %s', (dir) => { // Check that storybook starts without errors - dirs.forEach((dir) => { - console.log(`Running smoke test in ${dir}`); - const { status } = run( - ['yarn', 'storybook', '--smoke-test', '--quiet'], - { cwd: path.join(runDirPath, dir) }, - false - ); - expect(status).toBe(0); - }); + const { status } = run( + ['yarn', 'storybook', '--smoke-test', '--quiet'], + { cwd: path.join(runDirPath, dir) }, + false + ); + expect(status).toBe(0); }); }); From 8d827804d590b164a945b1dad3e132af179e275a Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Fri, 27 Nov 2020 18:20:26 +0530 Subject: [PATCH 16/19] test: merge globals --- lib/cli/test/commands/init.test.js | 23 +++++++++++------------ 1 file changed, 11 insertions(+), 12 deletions(-) diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js index 2f190c0b6d16..ce59ec5270cc 100644 --- a/lib/cli/test/commands/init.test.js +++ b/lib/cli/test/commands/init.test.js @@ -13,23 +13,15 @@ const dirs = fs.readdirSync(fixturesDirPath); beforeAll(() => { fse.removeSync(runDirPath); fse.mkdirSync(runDirPath); + // Copy all files from fixtures directory to `run` dirs.forEach((dir) => { const src = path.join(fixturesDirPath, dir); const dest = path.join(runDirPath, path.basename(src)); fse.copySync(src, dest); - }); -}); - -afterAll(() => { - fse.removeSync(runDirPath); -}); -describe('sb init', () => { - beforeAll(() => { - dirs.forEach((dir) => { - run(['init', '--skip-install', 'yes'], { cwd: path.join(runDirPath, dir) }); - }); + // Initialize Storybook + run(['init', '--skip-install', 'yes'], { cwd: dest }); // Install all the dependencies in a single run run( @@ -38,11 +30,18 @@ describe('sb init', () => { false ); }); +}); + +afterAll(() => { + fse.removeSync(runDirPath); +}); + +describe('sb init', () => { it.each(dirs)('starts storybook in smoke-test mode for: %s', (dir) => { // Check that storybook starts without errors const { status } = run( ['yarn', 'storybook', '--smoke-test', '--quiet'], - { cwd: path.join(runDirPath, dir) }, + { cwd: path.join(runDirPath, dir), stdio: 'inherit' }, false ); expect(status).toBe(0); From b8d4bc2543de87b2d58f35f077224275be01e9f1 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Fri, 27 Nov 2020 18:29:49 +0530 Subject: [PATCH 17/19] test: update test case for default behavior --- lib/cli/test/default/cli.test.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/lib/cli/test/default/cli.test.js b/lib/cli/test/default/cli.test.js index 5645aa702858..12075cffda40 100755 --- a/lib/cli/test/default/cli.test.js +++ b/lib/cli/test/default/cli.test.js @@ -2,9 +2,11 @@ const run = require('../helpers'); describe('Default behavior', () => { it('suggests the closest match to an unknown command', () => { - const { output, status } = run(['upgraed']); - const stdout = output.toString(); - expect(stdout).toContain('Did you mean upgrade?'); + const { status, stderr, stdout } = run(['upgraed']); + + // Assertions + expect(stderr.toString()).toContain('Invalid command: upgraed.'); + expect(stdout.toString()).toContain('Did you mean upgrade?'); expect(status).toBe(1); }); }); From ca7649b1826eb096ac335034716fa4863198e41e Mon Sep 17 00:00:00 2001 From: Norbert de Langen Date: Fri, 27 Nov 2020 16:34:08 +0100 Subject: [PATCH 18/19] test: remove test fixtures --- lib/cli/package.json | 2 +- lib/cli/test/.gitignore | 3 - lib/cli/test/commands/init.test.js | 49 - lib/cli/test/fixtures/ember-cli/.gitignore | 1 - lib/cli/test/fixtures/ember-cli/README.md | 57 - .../fixtures/ember-cli/config/environment.js | 51 - .../ember-cli/config/optional-features.json | 3 - .../test/fixtures/ember-cli/config/targets.js | 18 - lib/cli/test/fixtures/ember-cli/dist/.gitkeep | 0 .../fixtures/ember-cli/ember-cli-build.js | 24 - lib/cli/test/fixtures/ember-cli/package.json | 51 - .../test/fixtures/ember-cli/public/robots.txt | 3 - lib/cli/test/fixtures/ember-cli/testem.js | 25 - .../fixtures/ember-cli/tests/helpers/.gitkeep | 0 .../test/fixtures/ember-cli/tests/index.html | 33 - .../ember-cli/tests/integration/.gitkeep | 0 .../fixtures/ember-cli/tests/test-helper.js | 8 - .../fixtures/ember-cli/tests/unit/.gitkeep | 0 .../test/fixtures/ember-cli/vendor/.gitkeep | 0 lib/cli/test/fixtures/marko/package.json | 9 - lib/cli/test/fixtures/meteor/.gitignore | 1 - .../meteor/.meteor/.finished-upgraders | 17 - .../test/fixtures/meteor/.meteor/.gitignore | 1 - lib/cli/test/fixtures/meteor/.meteor/.id | 7 - lib/cli/test/fixtures/meteor/.meteor/packages | 21 - .../test/fixtures/meteor/.meteor/platforms | 2 - lib/cli/test/fixtures/meteor/.meteor/release | 1 - lib/cli/test/fixtures/meteor/.meteor/versions | 75 - lib/cli/test/fixtures/meteor/client/main.css | 1 - lib/cli/test/fixtures/meteor/client/main.html | 25 - lib/cli/test/fixtures/meteor/client/main.js | 22 - lib/cli/test/fixtures/meteor/package.json | 12 - lib/cli/test/fixtures/meteor/server/main.js | 5 - lib/cli/test/fixtures/mithril/package.json | 13 - lib/cli/test/fixtures/react/.babelrc | 4 - lib/cli/test/fixtures/react/index.html | 11 - lib/cli/test/fixtures/react/index.js | 7 - lib/cli/test/fixtures/react/package.json | 22 - lib/cli/test/fixtures/react/rollup.config.js | 22 - .../react_babel_config_js/.storybook/main.js | 3 - .../react_babel_config_js/babel.config.js | 7 - .../react_babel_config_js/package.json | 21 - .../react_babel_custom_preset/.babelrc | 3 - .../.storybook/main.js | 3 - .../babel-preset-custom/index.js | 3 - .../react_babel_custom_preset/package.json | 19 - .../react_babel_pkg_json/.storybook/main.js | 3 - .../react_babel_pkg_json/package.json | 24 - lib/cli/test/fixtures/react_babelrc/.babelrc | 3 - .../fixtures/react_babelrc/.storybook/main.js | 3 - .../test/fixtures/react_babelrc/package.json | 19 - .../fixtures/react_babelrc_js/.babelrc.js | 3 - .../react_babelrc_js/.storybook/main.js | 3 - .../fixtures/react_babelrc_js/package.json | 19 - lib/cli/test/fixtures/react_project/.babelrc | 3 - lib/cli/test/fixtures/react_project/index.js | 6 - .../test/fixtures/react_project/package.json | 16 - .../test/fixtures/react_static_next/.babelrc | 3 - .../fixtures/react_static_next/.gitignore | 20 - .../test/fixtures/react_static_next/README.md | 9 - .../fixtures/react_static_next/package.json | 24 - .../react_static_next/public/robots.txt | 1 - .../fixtures/react_static_next/src/App.js | 23 - .../fixtures/react_static_next/src/app.css | 41 - .../fixtures/react_static_next/src/index.js | 19 - .../fixtures/react_static_next/src/logo.png | Bin 53334 -> 0 bytes .../react_static_next/static.config.js | 3 - lib/cli/test/fixtures/riot/.editorconfig | 12 - lib/cli/test/fixtures/riot/.gitignore | 4 - lib/cli/test/fixtures/riot/README.md | 39 - lib/cli/test/fixtures/riot/package.json | 28 - .../fixtures/riot/public/assets/css/app.css | 0 .../riot/public/assets/images/logo.png | Bin 33983 -> 0 bytes .../fixtures/riot/public/assets/js/app.js | 0 lib/cli/test/fixtures/riot/public/index.html | 15 - lib/cli/test/fixtures/riot/src/App.tag | 30 - .../fixtures/riot/src/components/Hello.tag | 18 - lib/cli/test/fixtures/riot/src/main.js | 5 - lib/cli/test/fixtures/riot/webpack.config.js | 24 - lib/cli/test/fixtures/sfc_vue/.babelrc | 19 - lib/cli/test/fixtures/sfc_vue/.editorconfig | 9 - lib/cli/test/fixtures/sfc_vue/.gitignore | 13 - lib/cli/test/fixtures/sfc_vue/README.md | 21 - .../test/fixtures/sfc_vue/config/dev.env.js | 6 - lib/cli/test/fixtures/sfc_vue/config/index.js | 38 - .../test/fixtures/sfc_vue/config/prod.env.js | 3 - lib/cli/test/fixtures/sfc_vue/index.html | 11 - lib/cli/test/fixtures/sfc_vue/package.json | 61 - lib/cli/test/fixtures/sfc_vue/src/App.vue | 28 - .../test/fixtures/sfc_vue/src/assets/logo.png | Bin 5863 -> 0 bytes .../fixtures/sfc_vue/src/components/Hello.vue | 53 - lib/cli/test/fixtures/sfc_vue/src/main.js | 13 - lib/cli/test/fixtures/sfc_vue/static/.gitkeep | 0 .../update_package_organisations/.gitignore | 18 - .../.storybook/main.js | 3 - .../update_package_organisations/README.md | 1595 ----------------- .../update_package_organisations/package.json | 21 - .../public/favicon.ico | Bin 24838 -> 0 bytes .../public/index.html | 31 - .../public/manifest.json | 15 - .../update_package_organisations/src/App.css | 24 - .../update_package_organisations/src/App.js | 21 - .../src/App.test.js | 8 - .../src/index.css | 5 - .../update_package_organisations/src/index.js | 9 - .../update_package_organisations/src/logo.svg | 1 - .../src/registerServiceWorker.js | 108 -- .../stories/Button.js | 27 - .../stories/Welcome.js | 80 - .../stories/index.js | 17 - lib/cli/test/fixtures/vue/.editorconfig | 12 - lib/cli/test/fixtures/vue/.gitignore | 4 - lib/cli/test/fixtures/vue/README.md | 39 - lib/cli/test/fixtures/vue/package.json | 37 - .../fixtures/vue/public/assets/css/app.css | 0 .../vue/public/assets/images/logo.png | Bin 2799 -> 0 bytes .../test/fixtures/vue/public/assets/js/app.js | 0 lib/cli/test/fixtures/vue/public/index.html | 15 - lib/cli/test/fixtures/vue/rollup.config.js | 55 - lib/cli/test/fixtures/vue/src/App.vue | 34 - .../fixtures/vue/src/components/Hello.vue | 23 - lib/cli/test/fixtures/vue/src/main.js | 8 - lib/cli/test/fixtures/webpack_react/.babelrc | 4 - .../test/fixtures/webpack_react/index.html | 11 - lib/cli/test/fixtures/webpack_react/index.js | 7 - .../test/fixtures/webpack_react/package.json | 21 - .../fixtures/webpack_react/webpack.config.js | 19 - .../webpack_react_frozen_lock/.babelrc | 4 - .../webpack_react_frozen_lock/.yarnrc | 1 - .../webpack_react_frozen_lock/index.html | 11 - .../webpack_react_frozen_lock/index.js | 7 - .../webpack_react_frozen_lock/package.json | 21 - .../webpack.config.js | 19 - 133 files changed, 1 insertion(+), 3694 deletions(-) delete mode 100644 lib/cli/test/.gitignore delete mode 100644 lib/cli/test/commands/init.test.js delete mode 100644 lib/cli/test/fixtures/ember-cli/.gitignore delete mode 100644 lib/cli/test/fixtures/ember-cli/README.md delete mode 100644 lib/cli/test/fixtures/ember-cli/config/environment.js delete mode 100644 lib/cli/test/fixtures/ember-cli/config/optional-features.json delete mode 100644 lib/cli/test/fixtures/ember-cli/config/targets.js delete mode 100644 lib/cli/test/fixtures/ember-cli/dist/.gitkeep delete mode 100644 lib/cli/test/fixtures/ember-cli/ember-cli-build.js delete mode 100644 lib/cli/test/fixtures/ember-cli/package.json delete mode 100644 lib/cli/test/fixtures/ember-cli/public/robots.txt delete mode 100644 lib/cli/test/fixtures/ember-cli/testem.js delete mode 100644 lib/cli/test/fixtures/ember-cli/tests/helpers/.gitkeep delete mode 100644 lib/cli/test/fixtures/ember-cli/tests/index.html delete mode 100644 lib/cli/test/fixtures/ember-cli/tests/integration/.gitkeep delete mode 100644 lib/cli/test/fixtures/ember-cli/tests/test-helper.js delete mode 100644 lib/cli/test/fixtures/ember-cli/tests/unit/.gitkeep delete mode 100644 lib/cli/test/fixtures/ember-cli/vendor/.gitkeep delete mode 100644 lib/cli/test/fixtures/marko/package.json delete mode 100644 lib/cli/test/fixtures/meteor/.gitignore delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/.finished-upgraders delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/.gitignore delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/.id delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/packages delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/platforms delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/release delete mode 100644 lib/cli/test/fixtures/meteor/.meteor/versions delete mode 100644 lib/cli/test/fixtures/meteor/client/main.css delete mode 100644 lib/cli/test/fixtures/meteor/client/main.html delete mode 100644 lib/cli/test/fixtures/meteor/client/main.js delete mode 100644 lib/cli/test/fixtures/meteor/package.json delete mode 100644 lib/cli/test/fixtures/meteor/server/main.js delete mode 100644 lib/cli/test/fixtures/mithril/package.json delete mode 100644 lib/cli/test/fixtures/react/.babelrc delete mode 100644 lib/cli/test/fixtures/react/index.html delete mode 100644 lib/cli/test/fixtures/react/index.js delete mode 100644 lib/cli/test/fixtures/react/package.json delete mode 100644 lib/cli/test/fixtures/react/rollup.config.js delete mode 100644 lib/cli/test/fixtures/react_babel_config_js/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/react_babel_config_js/babel.config.js delete mode 100644 lib/cli/test/fixtures/react_babel_config_js/package.json delete mode 100644 lib/cli/test/fixtures/react_babel_custom_preset/.babelrc delete mode 100644 lib/cli/test/fixtures/react_babel_custom_preset/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/react_babel_custom_preset/babel-preset-custom/index.js delete mode 100644 lib/cli/test/fixtures/react_babel_custom_preset/package.json delete mode 100644 lib/cli/test/fixtures/react_babel_pkg_json/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/react_babel_pkg_json/package.json delete mode 100644 lib/cli/test/fixtures/react_babelrc/.babelrc delete mode 100644 lib/cli/test/fixtures/react_babelrc/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/react_babelrc/package.json delete mode 100644 lib/cli/test/fixtures/react_babelrc_js/.babelrc.js delete mode 100644 lib/cli/test/fixtures/react_babelrc_js/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/react_babelrc_js/package.json delete mode 100644 lib/cli/test/fixtures/react_project/.babelrc delete mode 100644 lib/cli/test/fixtures/react_project/index.js delete mode 100644 lib/cli/test/fixtures/react_project/package.json delete mode 100644 lib/cli/test/fixtures/react_static_next/.babelrc delete mode 100644 lib/cli/test/fixtures/react_static_next/.gitignore delete mode 100644 lib/cli/test/fixtures/react_static_next/README.md delete mode 100644 lib/cli/test/fixtures/react_static_next/package.json delete mode 100644 lib/cli/test/fixtures/react_static_next/public/robots.txt delete mode 100644 lib/cli/test/fixtures/react_static_next/src/App.js delete mode 100644 lib/cli/test/fixtures/react_static_next/src/app.css delete mode 100644 lib/cli/test/fixtures/react_static_next/src/index.js delete mode 100644 lib/cli/test/fixtures/react_static_next/src/logo.png delete mode 100644 lib/cli/test/fixtures/react_static_next/static.config.js delete mode 100644 lib/cli/test/fixtures/riot/.editorconfig delete mode 100644 lib/cli/test/fixtures/riot/.gitignore delete mode 100644 lib/cli/test/fixtures/riot/README.md delete mode 100644 lib/cli/test/fixtures/riot/package.json delete mode 100644 lib/cli/test/fixtures/riot/public/assets/css/app.css delete mode 100644 lib/cli/test/fixtures/riot/public/assets/images/logo.png delete mode 100644 lib/cli/test/fixtures/riot/public/assets/js/app.js delete mode 100644 lib/cli/test/fixtures/riot/public/index.html delete mode 100644 lib/cli/test/fixtures/riot/src/App.tag delete mode 100644 lib/cli/test/fixtures/riot/src/components/Hello.tag delete mode 100644 lib/cli/test/fixtures/riot/src/main.js delete mode 100644 lib/cli/test/fixtures/riot/webpack.config.js delete mode 100644 lib/cli/test/fixtures/sfc_vue/.babelrc delete mode 100644 lib/cli/test/fixtures/sfc_vue/.editorconfig delete mode 100644 lib/cli/test/fixtures/sfc_vue/.gitignore delete mode 100644 lib/cli/test/fixtures/sfc_vue/README.md delete mode 100644 lib/cli/test/fixtures/sfc_vue/config/dev.env.js delete mode 100644 lib/cli/test/fixtures/sfc_vue/config/index.js delete mode 100644 lib/cli/test/fixtures/sfc_vue/config/prod.env.js delete mode 100644 lib/cli/test/fixtures/sfc_vue/index.html delete mode 100644 lib/cli/test/fixtures/sfc_vue/package.json delete mode 100644 lib/cli/test/fixtures/sfc_vue/src/App.vue delete mode 100644 lib/cli/test/fixtures/sfc_vue/src/assets/logo.png delete mode 100644 lib/cli/test/fixtures/sfc_vue/src/components/Hello.vue delete mode 100644 lib/cli/test/fixtures/sfc_vue/src/main.js delete mode 100644 lib/cli/test/fixtures/sfc_vue/static/.gitkeep delete mode 100644 lib/cli/test/fixtures/update_package_organisations/.gitignore delete mode 100644 lib/cli/test/fixtures/update_package_organisations/.storybook/main.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/README.md delete mode 100644 lib/cli/test/fixtures/update_package_organisations/package.json delete mode 100644 lib/cli/test/fixtures/update_package_organisations/public/favicon.ico delete mode 100644 lib/cli/test/fixtures/update_package_organisations/public/index.html delete mode 100644 lib/cli/test/fixtures/update_package_organisations/public/manifest.json delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/App.css delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/App.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/App.test.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/index.css delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/index.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/logo.svg delete mode 100644 lib/cli/test/fixtures/update_package_organisations/src/registerServiceWorker.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/stories/Button.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/stories/Welcome.js delete mode 100644 lib/cli/test/fixtures/update_package_organisations/stories/index.js delete mode 100644 lib/cli/test/fixtures/vue/.editorconfig delete mode 100644 lib/cli/test/fixtures/vue/.gitignore delete mode 100644 lib/cli/test/fixtures/vue/README.md delete mode 100644 lib/cli/test/fixtures/vue/package.json delete mode 100644 lib/cli/test/fixtures/vue/public/assets/css/app.css delete mode 100644 lib/cli/test/fixtures/vue/public/assets/images/logo.png delete mode 100644 lib/cli/test/fixtures/vue/public/assets/js/app.js delete mode 100644 lib/cli/test/fixtures/vue/public/index.html delete mode 100644 lib/cli/test/fixtures/vue/rollup.config.js delete mode 100644 lib/cli/test/fixtures/vue/src/App.vue delete mode 100644 lib/cli/test/fixtures/vue/src/components/Hello.vue delete mode 100644 lib/cli/test/fixtures/vue/src/main.js delete mode 100644 lib/cli/test/fixtures/webpack_react/.babelrc delete mode 100644 lib/cli/test/fixtures/webpack_react/index.html delete mode 100644 lib/cli/test/fixtures/webpack_react/index.js delete mode 100644 lib/cli/test/fixtures/webpack_react/package.json delete mode 100644 lib/cli/test/fixtures/webpack_react/webpack.config.js delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/.babelrc delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/.yarnrc delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/index.html delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/index.js delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/package.json delete mode 100644 lib/cli/test/fixtures/webpack_react_frozen_lock/webpack.config.js diff --git a/lib/cli/package.json b/lib/cli/package.json index 448e6c8ccd96..41cce4a60c91 100644 --- a/lib/cli/package.json +++ b/lib/cli/package.json @@ -40,7 +40,7 @@ ], "scripts": { "prepare": "node ../../scripts/prepare.js && node ./scripts/generate-sb-packages-versions.js", - "test": "jest test/**/*.test.js --verbose", + "test": "jest test/**/*.test.js", "postversion": "node ./scripts/generate-sb-packages-versions.js" }, "dependencies": { diff --git a/lib/cli/test/.gitignore b/lib/cli/test/.gitignore deleted file mode 100644 index 8e16582a4776..000000000000 --- a/lib/cli/test/.gitignore +++ /dev/null @@ -1,3 +0,0 @@ -cra-fixtures -run -run-yarn-2 diff --git a/lib/cli/test/commands/init.test.js b/lib/cli/test/commands/init.test.js deleted file mode 100644 index ce59ec5270cc..000000000000 --- a/lib/cli/test/commands/init.test.js +++ /dev/null @@ -1,49 +0,0 @@ -const fs = require('fs'); -const fse = require('fs-extra'); -const path = require('path'); - -const run = require('../helpers'); - -const fixturesDirPath = path.join(__dirname, '..', 'fixtures'); -const runDirPath = path.join(__dirname, '..', 'run'); - -const rootPath = path.join(__dirname, '..', '..', '..', '..'); -const dirs = fs.readdirSync(fixturesDirPath); - -beforeAll(() => { - fse.removeSync(runDirPath); - fse.mkdirSync(runDirPath); - - // Copy all files from fixtures directory to `run` - dirs.forEach((dir) => { - const src = path.join(fixturesDirPath, dir); - const dest = path.join(runDirPath, path.basename(src)); - fse.copySync(src, dest); - - // Initialize Storybook - run(['init', '--skip-install', 'yes'], { cwd: dest }); - - // Install all the dependencies in a single run - run( - ['yarn', 'install', '--non-interactive', '--silent', '--pure-lockfile'], - { cwd: rootPath }, - false - ); - }); -}); - -afterAll(() => { - fse.removeSync(runDirPath); -}); - -describe('sb init', () => { - it.each(dirs)('starts storybook in smoke-test mode for: %s', (dir) => { - // Check that storybook starts without errors - const { status } = run( - ['yarn', 'storybook', '--smoke-test', '--quiet'], - { cwd: path.join(runDirPath, dir), stdio: 'inherit' }, - false - ); - expect(status).toBe(0); - }); -}); diff --git a/lib/cli/test/fixtures/ember-cli/.gitignore b/lib/cli/test/fixtures/ember-cli/.gitignore deleted file mode 100644 index cbdb9611d166..000000000000 --- a/lib/cli/test/fixtures/ember-cli/.gitignore +++ /dev/null @@ -1 +0,0 @@ -!dist diff --git a/lib/cli/test/fixtures/ember-cli/README.md b/lib/cli/test/fixtures/ember-cli/README.md deleted file mode 100644 index 608bce41c28c..000000000000 --- a/lib/cli/test/fixtures/ember-cli/README.md +++ /dev/null @@ -1,57 +0,0 @@ -# ember-fixture - -This README outlines the details of collaborating on this Ember application. -A short introduction of this app could go here. - -## Prerequisites - -You will need the following things properly installed on your computer. - -* [Git](https://git-scm.com/) -* [Node.js](https://nodejs.org/) (with npm) -* [Ember CLI](https://ember-cli.com/) -* [Google Chrome](https://google.com/chrome/) - -## Installation - -* `git clone ` this repository -* `cd ember-fixture` -* `npm install` - -## Running / Development - -* `ember serve` -* Visit your app at [http://localhost:4200](http://localhost:4200). -* Visit your tests at [http://localhost:4200/tests](http://localhost:4200/tests). - -### Code Generators - -Make use of the many generators for code, try `ember help generate` for more details - -### Running Tests - -* `ember test` -* `ember test --server` - -### Linting - -* `npm run lint:hbs` -* `npm run lint:js` -* `npm run lint:js -- --fix` - -### Building - -* `ember build` (development) -* `ember build --environment production` (production) - -### Deploying - -Specify what it takes to deploy your app. - -## Further Reading / Useful Links - -* [ember.js](https://emberjs.com/) -* [ember-cli](https://ember-cli.com/) -* Development Browser Extensions - * [ember inspector for chrome](https://chrome.google.com/webstore/detail/ember-inspector/bmdblncegkenkacieihfhpjfppoconhi) - * [ember inspector for firefox](https://addons.mozilla.org/en-US/firefox/addon/ember-inspector/) diff --git a/lib/cli/test/fixtures/ember-cli/config/environment.js b/lib/cli/test/fixtures/ember-cli/config/environment.js deleted file mode 100644 index d5f800ecb863..000000000000 --- a/lib/cli/test/fixtures/ember-cli/config/environment.js +++ /dev/null @@ -1,51 +0,0 @@ -'use strict'; - -module.exports = function(environment) { - let ENV = { - modulePrefix: 'ember-fixture', - environment, - rootURL: '/', - locationType: 'auto', - EmberENV: { - FEATURES: { - // Here you can enable experimental features on an ember canary build - // e.g. 'with-controller': true - }, - EXTEND_PROTOTYPES: { - // Prevent Ember Data from overriding Date.parse. - Date: false - } - }, - - APP: { - // Here you can pass flags/options to your application instance - // when it is created - } - }; - - if (environment === 'development') { - // ENV.APP.LOG_RESOLVER = true; - // ENV.APP.LOG_ACTIVE_GENERATION = true; - // ENV.APP.LOG_TRANSITIONS = true; - // ENV.APP.LOG_TRANSITIONS_INTERNAL = true; - // ENV.APP.LOG_VIEW_LOOKUPS = true; - } - - if (environment === 'test') { - // Testem prefers this... - ENV.locationType = 'none'; - - // keep test console output quieter - ENV.APP.LOG_ACTIVE_GENERATION = false; - ENV.APP.LOG_VIEW_LOOKUPS = false; - - ENV.APP.rootElement = '#ember-testing'; - ENV.APP.autoboot = false; - } - - if (environment === 'production') { - // here you can enable a production-specific feature - } - - return ENV; -}; diff --git a/lib/cli/test/fixtures/ember-cli/config/optional-features.json b/lib/cli/test/fixtures/ember-cli/config/optional-features.json deleted file mode 100644 index 21f1dc719e12..000000000000 --- a/lib/cli/test/fixtures/ember-cli/config/optional-features.json +++ /dev/null @@ -1,3 +0,0 @@ -{ - "jquery-integration": true -} diff --git a/lib/cli/test/fixtures/ember-cli/config/targets.js b/lib/cli/test/fixtures/ember-cli/config/targets.js deleted file mode 100644 index 8ffae36361e8..000000000000 --- a/lib/cli/test/fixtures/ember-cli/config/targets.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; - -const browsers = [ - 'last 1 Chrome versions', - 'last 1 Firefox versions', - 'last 1 Safari versions' -]; - -const isCI = !!process.env.CI; -const isProduction = process.env.EMBER_ENV === 'production'; - -if (isCI || isProduction) { - browsers.push('ie 11'); -} - -module.exports = { - browsers -}; diff --git a/lib/cli/test/fixtures/ember-cli/dist/.gitkeep b/lib/cli/test/fixtures/ember-cli/dist/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/ember-cli/ember-cli-build.js b/lib/cli/test/fixtures/ember-cli/ember-cli-build.js deleted file mode 100644 index d690a2531e5b..000000000000 --- a/lib/cli/test/fixtures/ember-cli/ember-cli-build.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; - -const EmberApp = require('ember-cli/lib/broccoli/ember-app'); - -module.exports = function(defaults) { - let app = new EmberApp(defaults, { - // Add options here - }); - - // Use `app.import` to add additional libraries to the generated - // output files. - // - // If you need to use different assets in different - // environments, specify an object as the first parameter. That - // object's keys should be the environment name and the values - // should be the asset to use in that environment. - // - // If the library that you are including contains AMD or ES6 - // modules that you would like to import into your application - // please specify an object with the list of modules as keys - // along with the exports of each module as its value. - - return app.toTree(); -}; diff --git a/lib/cli/test/fixtures/ember-cli/package.json b/lib/cli/test/fixtures/ember-cli/package.json deleted file mode 100644 index c7d37a388c06..000000000000 --- a/lib/cli/test/fixtures/ember-cli/package.json +++ /dev/null @@ -1,51 +0,0 @@ -{ - "name": "ember-fixture", - "version": "0.0.0", - "private": true, - "description": "Small description for ember-fixture goes here", - "repository": "", - "license": "MIT", - "author": "", - "directories": { - "doc": "doc", - "test": "tests" - }, - "scripts": { - "build": "ember build", - "lint:hbs": "ember-template-lint .", - "lint:js": "eslint .", - "start": "ember serve", - "test": "ember test" - }, - "dependencies": {}, - "devDependencies": { - "@ember/jquery": "^0.5.2", - "@ember/optional-features": "^0.6.3", - "broccoli-asset-rev": "^2.7.0", - "ember-ajax": "^3.1.0", - "ember-cli": "~3.4.3", - "ember-cli-app-version": "^3.2.0", - "ember-cli-babel": "^6.16.0", - "ember-cli-dependency-checker": "^3.0.0", - "ember-cli-eslint": "^4.2.3", - "ember-cli-htmlbars": "^3.0.0", - "ember-cli-inject-live-reload": "^1.8.2", - "ember-cli-qunit": "^4.3.2", - "ember-cli-sri": "^2.1.1", - "ember-cli-template-lint": "^1.0.0-beta.1", - "ember-cli-uglify": "^2.1.0", - "ember-data": "~3.4.0", - "ember-export-application-global": "^2.0.0", - "ember-load-initializers": "^1.1.0", - "ember-maybe-import-regenerator": "^0.1.6", - "ember-resolver": "^5.0.1", - "ember-source": "~3.4.0", - "ember-welcome-page": "^3.2.0", - "eslint-plugin-ember": "^5.2.0", - "loader.js": "^4.7.0", - "qunit-dom": "^0.7.1" - }, - "engines": { - "node": "6.* || 8.* || >= 10.*" - } -} diff --git a/lib/cli/test/fixtures/ember-cli/public/robots.txt b/lib/cli/test/fixtures/ember-cli/public/robots.txt deleted file mode 100644 index f5916452e5ff..000000000000 --- a/lib/cli/test/fixtures/ember-cli/public/robots.txt +++ /dev/null @@ -1,3 +0,0 @@ -# http://www.robotstxt.org -User-agent: * -Disallow: diff --git a/lib/cli/test/fixtures/ember-cli/testem.js b/lib/cli/test/fixtures/ember-cli/testem.js deleted file mode 100644 index 726d18799591..000000000000 --- a/lib/cli/test/fixtures/ember-cli/testem.js +++ /dev/null @@ -1,25 +0,0 @@ -module.exports = { - test_page: 'tests/index.html?hidepassed', - disable_watching: true, - launch_in_ci: [ - 'Chrome' - ], - launch_in_dev: [ - 'Chrome' - ], - browser_args: { - Chrome: { - ci: [ - // --no-sandbox is needed when running Chrome inside a container - process.env.CI ? '--no-sandbox' : null, - '--headless', - '--disable-gpu', - '--disable-dev-shm-usage', - '--disable-software-rasterizer', - '--mute-audio', - '--remote-debugging-port=0', - '--window-size=1440,900' - ].filter(Boolean) - } - } -}; diff --git a/lib/cli/test/fixtures/ember-cli/tests/helpers/.gitkeep b/lib/cli/test/fixtures/ember-cli/tests/helpers/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/ember-cli/tests/index.html b/lib/cli/test/fixtures/ember-cli/tests/index.html deleted file mode 100644 index a37256895014..000000000000 --- a/lib/cli/test/fixtures/ember-cli/tests/index.html +++ /dev/null @@ -1,33 +0,0 @@ - - - - - - EmberFixture Tests - - - - {{content-for "head"}} - {{content-for "test-head"}} - - - - - - {{content-for "head-footer"}} - {{content-for "test-head-footer"}} - - - {{content-for "body"}} - {{content-for "test-body"}} - - - - - - - - {{content-for "body-footer"}} - {{content-for "test-body-footer"}} - - diff --git a/lib/cli/test/fixtures/ember-cli/tests/integration/.gitkeep b/lib/cli/test/fixtures/ember-cli/tests/integration/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/ember-cli/tests/test-helper.js b/lib/cli/test/fixtures/ember-cli/tests/test-helper.js deleted file mode 100644 index 0382a848dd07..000000000000 --- a/lib/cli/test/fixtures/ember-cli/tests/test-helper.js +++ /dev/null @@ -1,8 +0,0 @@ -import Application from '../app'; -import config from '../config/environment'; -import { setApplication } from '@ember/test-helpers'; -import { start } from 'ember-qunit'; - -setApplication(Application.create(config.APP)); - -start(); diff --git a/lib/cli/test/fixtures/ember-cli/tests/unit/.gitkeep b/lib/cli/test/fixtures/ember-cli/tests/unit/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/ember-cli/vendor/.gitkeep b/lib/cli/test/fixtures/ember-cli/vendor/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/marko/package.json b/lib/cli/test/fixtures/marko/package.json deleted file mode 100644 index ef6c39600c23..000000000000 --- a/lib/cli/test/fixtures/marko/package.json +++ /dev/null @@ -1,9 +0,0 @@ -{ - "name": "marko-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "dependencies": { - "marko": "^4.9.7" - } -} diff --git a/lib/cli/test/fixtures/meteor/.gitignore b/lib/cli/test/fixtures/meteor/.gitignore deleted file mode 100644 index c2658d7d1b31..000000000000 --- a/lib/cli/test/fixtures/meteor/.gitignore +++ /dev/null @@ -1 +0,0 @@ -node_modules/ diff --git a/lib/cli/test/fixtures/meteor/.meteor/.finished-upgraders b/lib/cli/test/fixtures/meteor/.meteor/.finished-upgraders deleted file mode 100644 index 910574ce2df9..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/.finished-upgraders +++ /dev/null @@ -1,17 +0,0 @@ -# This file contains information which helps Meteor properly upgrade your -# app when you run 'meteor update'. You should check it into version control -# with your project. - -notices-for-0.9.0 -notices-for-0.9.1 -0.9.4-platform-file -notices-for-facebook-graph-api-2 -1.2.0-standard-minifiers-package -1.2.0-meteor-platform-split -1.2.0-cordova-changes -1.2.0-breaking-changes -1.3.0-split-minifiers-package -1.4.0-remove-old-dev-bundle-link -1.4.1-add-shell-server-package -1.4.3-split-account-service-packages -1.5-add-dynamic-import-package diff --git a/lib/cli/test/fixtures/meteor/.meteor/.gitignore b/lib/cli/test/fixtures/meteor/.meteor/.gitignore deleted file mode 100644 index 40830374235d..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/.gitignore +++ /dev/null @@ -1 +0,0 @@ -local diff --git a/lib/cli/test/fixtures/meteor/.meteor/.id b/lib/cli/test/fixtures/meteor/.meteor/.id deleted file mode 100644 index 4a7850520ed0..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/.id +++ /dev/null @@ -1,7 +0,0 @@ -# This file contains a token that is unique to your project. -# Check it into your repository along with the rest of this directory. -# It can be used for purposes such as: -# - ensuring you don't accidentally deploy one app on top of another -# - providing package authors with aggregated statistics - -z9nshtsc5s3c33e5ya diff --git a/lib/cli/test/fixtures/meteor/.meteor/packages b/lib/cli/test/fixtures/meteor/.meteor/packages deleted file mode 100644 index 2e315c9062f1..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/packages +++ /dev/null @@ -1,21 +0,0 @@ -# Meteor packages used by this project, one per line. -# Check this file (and the other files in this directory) into your repository. -# -# 'meteor add' and 'meteor remove' will edit this file for you, -# but you can also edit it by hand. - -meteor-base@1.1.0 # Packages every Meteor app needs to have -mobile-experience@1.0.4 # Packages for a great mobile UX -mongo@1.1.19 # The database Meteor supports right now -blaze-html-templates@1.0.4 # Compile .html files into Meteor Blaze views -reactive-var@1.0.11 # Reactive variable for tracker -tracker@1.1.3 # Meteor's client-side reactive programming library - -standard-minifier-css@1.3.4 # CSS minifier run for production mode -standard-minifier-js@2.1.1 # JS minifier run for production mode -es5-shim@4.6.15 # ECMAScript 5 compatibility for older browsers -ecmascript@0.8.1 # Enable ECMAScript2015+ syntax in app code -shell-server@0.2.4 # Server-side component of the `meteor shell` command - -autopublish@1.0.7 # Publish all data to the clients (for prototyping) -insecure@1.0.7 # Allow all DB writes from clients (for prototyping) diff --git a/lib/cli/test/fixtures/meteor/.meteor/platforms b/lib/cli/test/fixtures/meteor/.meteor/platforms deleted file mode 100644 index efeba1b50c75..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/platforms +++ /dev/null @@ -1,2 +0,0 @@ -server -browser diff --git a/lib/cli/test/fixtures/meteor/.meteor/release b/lib/cli/test/fixtures/meteor/.meteor/release deleted file mode 100644 index 1e7fc5b564cc..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/release +++ /dev/null @@ -1 +0,0 @@ -METEOR@1.5.1 diff --git a/lib/cli/test/fixtures/meteor/.meteor/versions b/lib/cli/test/fixtures/meteor/.meteor/versions deleted file mode 100644 index 3fc4415bc7fc..000000000000 --- a/lib/cli/test/fixtures/meteor/.meteor/versions +++ /dev/null @@ -1,75 +0,0 @@ -allow-deny@1.0.6 -autopublish@1.0.7 -autoupdate@1.3.12 -babel-compiler@6.19.4 -babel-runtime@1.0.1 -base64@1.0.10 -binary-heap@1.0.10 -blaze@2.3.2 -blaze-html-templates@1.1.2 -blaze-tools@1.0.10 -boilerplate-generator@1.1.1 -caching-compiler@1.1.9 -caching-html-compiler@1.1.2 -callback-hook@1.0.10 -check@1.2.5 -ddp@1.3.0 -ddp-client@2.0.0 -ddp-common@1.2.9 -ddp-server@2.0.0 -deps@1.0.12 -diff-sequence@1.0.7 -dynamic-import@0.1.1 -ecmascript@0.8.2 -ecmascript-runtime@0.4.1 -ecmascript-runtime-client@0.4.3 -ecmascript-runtime-server@0.4.1 -ejson@1.0.13 -es5-shim@4.6.15 -fastclick@1.0.13 -geojson-utils@1.0.10 -hot-code-push@1.0.4 -html-tools@1.0.11 -htmljs@1.0.11 -http@1.2.12 -id-map@1.0.9 -insecure@1.0.7 -jquery@1.11.10 -launch-screen@1.1.1 -livedata@1.0.18 -logging@1.1.17 -meteor@1.7.0 -meteor-base@1.1.0 -minifier-css@1.2.16 -minifier-js@2.1.1 -minimongo@1.2.1 -mobile-experience@1.0.4 -mobile-status-bar@1.0.14 -modules@0.9.2 -modules-runtime@0.8.0 -mongo@1.1.19 -mongo-id@1.0.6 -npm-mongo@2.2.24 -observe-sequence@1.0.16 -ordered-dict@1.0.9 -promise@0.8.9 -random@1.0.10 -reactive-var@1.0.11 -reload@1.1.11 -retry@1.0.9 -routepolicy@1.0.12 -shell-server@0.2.4 -spacebars@1.0.15 -spacebars-compiler@1.1.2 -standard-minifier-css@1.3.4 -standard-minifier-js@2.1.1 -templating@1.3.2 -templating-compiler@1.3.2 -templating-runtime@1.3.2 -templating-tools@1.1.2 -tracker@1.1.3 -ui@1.0.13 -underscore@1.0.10 -url@1.1.0 -webapp@1.3.17 -webapp-hashing@1.0.9 diff --git a/lib/cli/test/fixtures/meteor/client/main.css b/lib/cli/test/fixtures/meteor/client/main.css deleted file mode 100644 index b6b4052b43de..000000000000 --- a/lib/cli/test/fixtures/meteor/client/main.css +++ /dev/null @@ -1 +0,0 @@ -/* CSS declarations go here */ diff --git a/lib/cli/test/fixtures/meteor/client/main.html b/lib/cli/test/fixtures/meteor/client/main.html deleted file mode 100644 index c02933842c8a..000000000000 --- a/lib/cli/test/fixtures/meteor/client/main.html +++ /dev/null @@ -1,25 +0,0 @@ - - meteor - - - -

Welcome to Meteor!

- - {{> hello}} - {{> info}} - - - - - diff --git a/lib/cli/test/fixtures/meteor/client/main.js b/lib/cli/test/fixtures/meteor/client/main.js deleted file mode 100644 index ecb3282a2f40..000000000000 --- a/lib/cli/test/fixtures/meteor/client/main.js +++ /dev/null @@ -1,22 +0,0 @@ -import { Template } from 'meteor/templating'; -import { ReactiveVar } from 'meteor/reactive-var'; - -import './main.html'; - -Template.hello.onCreated(function helloOnCreated() { - // counter starts at 0 - this.counter = new ReactiveVar(0); -}); - -Template.hello.helpers({ - counter() { - return Template.instance().counter.get(); - }, -}); - -Template.hello.events({ - 'click button'(event, instance) { - // increment the counter when button is clicked - instance.counter.set(instance.counter.get() + 1); - }, -}); diff --git a/lib/cli/test/fixtures/meteor/package.json b/lib/cli/test/fixtures/meteor/package.json deleted file mode 100644 index cfd3e110947b..000000000000 --- a/lib/cli/test/fixtures/meteor/package.json +++ /dev/null @@ -1,12 +0,0 @@ -{ - "name": "meteor-fixture", - "version": "1.0.0", - "private": true, - "scripts": { - "start": "meteor run" - }, - "dependencies": { - "@babel/runtime": "7.0.0", - "meteor-node-stubs": "~0.2.4" - } -} diff --git a/lib/cli/test/fixtures/meteor/server/main.js b/lib/cli/test/fixtures/meteor/server/main.js deleted file mode 100644 index 31a9e0e2d6cb..000000000000 --- a/lib/cli/test/fixtures/meteor/server/main.js +++ /dev/null @@ -1,5 +0,0 @@ -import { Meteor } from 'meteor/meteor'; - -Meteor.startup(() => { - // code to run on server at startup -}); diff --git a/lib/cli/test/fixtures/mithril/package.json b/lib/cli/test/fixtures/mithril/package.json deleted file mode 100644 index fc3e30f35eae..000000000000 --- a/lib/cli/test/fixtures/mithril/package.json +++ /dev/null @@ -1,13 +0,0 @@ -{ - "name": "mithril-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "webpack -p dist" - }, - "dependencies": { - "mithril": "^1.1.6" - }, - "devDependencies": {} -} diff --git a/lib/cli/test/fixtures/react/.babelrc b/lib/cli/test/fixtures/react/.babelrc deleted file mode 100644 index e636022c817b..000000000000 --- a/lib/cli/test/fixtures/react/.babelrc +++ /dev/null @@ -1,4 +0,0 @@ -{ - "presets": ["@babel/preset-react"], - "plugins": ["@babel/plugin-external-helpers"] -} diff --git a/lib/cli/test/fixtures/react/index.html b/lib/cli/test/fixtures/react/index.html deleted file mode 100644 index bcb2f9489a6f..000000000000 --- a/lib/cli/test/fixtures/react/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - Hello world - - -
- - - \ No newline at end of file diff --git a/lib/cli/test/fixtures/react/index.js b/lib/cli/test/fixtures/react/index.js deleted file mode 100644 index 8e5bb96fc9cd..000000000000 --- a/lib/cli/test/fixtures/react/index.js +++ /dev/null @@ -1,7 +0,0 @@ -import React from 'react'; -import ReactDOM from 'react-dom'; - -ReactDOM.render( -

Hello, world!

, - document.getElementById('root') -); diff --git a/lib/cli/test/fixtures/react/package.json b/lib/cli/test/fixtures/react/package.json deleted file mode 100644 index 8bf247fad99d..000000000000 --- a/lib/cli/test/fixtures/react/package.json +++ /dev/null @@ -1,22 +0,0 @@ -{ - "name": "react-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "rollup -c" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/plugin-external-helpers": "7.2.0", - "@babel/preset-react": "7.0.0", - "rollup": "^1.4.1", - "rollup-plugin-babel": "^4.3.2", - "rollup-plugin-commonjs": "^9.2.1", - "rollup-plugin-node-resolve": "^4.0.1", - "rollup-plugin-replace": "^2.1.0" - } -} diff --git a/lib/cli/test/fixtures/react/rollup.config.js b/lib/cli/test/fixtures/react/rollup.config.js deleted file mode 100644 index 2f0639d761fe..000000000000 --- a/lib/cli/test/fixtures/react/rollup.config.js +++ /dev/null @@ -1,22 +0,0 @@ -import replace from 'rollup-plugin-replace'; -import commonjs from 'rollup-plugin-commonjs'; -import resolve from 'rollup-plugin-node-resolve'; -import babel from 'rollup-plugin-babel'; - -export default { - input: 'index.js', - output: { - file: 'dist/bundle.js', - format: 'iife' - }, - plugins: [ - replace({ - 'process.env.NODE_ENV': JSON.stringify('production') - }), - commonjs(), - resolve(), - babel({ - exclude: 'node_modules/**' // only transpile our source code - }) - ] -}; diff --git a/lib/cli/test/fixtures/react_babel_config_js/.storybook/main.js b/lib/cli/test/fixtures/react_babel_config_js/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/react_babel_config_js/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/react_babel_config_js/babel.config.js b/lib/cli/test/fixtures/react_babel_config_js/babel.config.js deleted file mode 100644 index 603594e73430..000000000000 --- a/lib/cli/test/fixtures/react_babel_config_js/babel.config.js +++ /dev/null @@ -1,7 +0,0 @@ -module.exports = { - presets: [ - ['@babel/preset-env', { shippedProposals: true, useBuiltIns: 'usage', corejs: '3' }], - '@babel/preset-react', - ], - plugins: ['@babel/plugin-proposal-optional-chaining'], -}; diff --git a/lib/cli/test/fixtures/react_babel_config_js/package.json b/lib/cli/test/fixtures/react_babel_config_js/package.json deleted file mode 100644 index 5a67ac9f5132..000000000000 --- a/lib/cli/test/fixtures/react_babel_config_js/package.json +++ /dev/null @@ -1,21 +0,0 @@ -{ - "name": "react-babel-config-js-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "stories/index.stories.js", - "scripts": { - "build-storybook": "build-storybook", - "storybook": "start-storybook -p 6006" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-proposal-optional-chaining": "7.0.0", - "@babel/preset-env": "^7.4.1", - "@babel/preset-react": "^7.0.0", - "babel-loader": "^8.0.5" - } -} diff --git a/lib/cli/test/fixtures/react_babel_custom_preset/.babelrc b/lib/cli/test/fixtures/react_babel_custom_preset/.babelrc deleted file mode 100644 index 658c5d96fecc..000000000000 --- a/lib/cli/test/fixtures/react_babel_custom_preset/.babelrc +++ /dev/null @@ -1,3 +0,0 @@ -{ - "presets": ["./babel-preset-custom"] -} diff --git a/lib/cli/test/fixtures/react_babel_custom_preset/.storybook/main.js b/lib/cli/test/fixtures/react_babel_custom_preset/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/react_babel_custom_preset/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/react_babel_custom_preset/babel-preset-custom/index.js b/lib/cli/test/fixtures/react_babel_custom_preset/babel-preset-custom/index.js deleted file mode 100644 index 77e27006de0f..000000000000 --- a/lib/cli/test/fixtures/react_babel_custom_preset/babel-preset-custom/index.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = () => ({ - plugins: ['@babel/plugin-proposal-optional-chaining'], -}); diff --git a/lib/cli/test/fixtures/react_babel_custom_preset/package.json b/lib/cli/test/fixtures/react_babel_custom_preset/package.json deleted file mode 100644 index ea733399a1c8..000000000000 --- a/lib/cli/test/fixtures/react_babel_custom_preset/package.json +++ /dev/null @@ -1,19 +0,0 @@ -{ - "name": "react-babel-custom-preset-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "stories/index.stories.js", - "scripts": { - "build-storybook": "build-storybook", - "storybook": "start-storybook -p 6006" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-proposal-optional-chaining": "7.0.0", - "babel-loader": "^8.0.5" - } -} diff --git a/lib/cli/test/fixtures/react_babel_pkg_json/.storybook/main.js b/lib/cli/test/fixtures/react_babel_pkg_json/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/react_babel_pkg_json/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/react_babel_pkg_json/package.json b/lib/cli/test/fixtures/react_babel_pkg_json/package.json deleted file mode 100644 index c389df39e869..000000000000 --- a/lib/cli/test/fixtures/react_babel_pkg_json/package.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "name": "react-babel-pkg-json-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "stories/index.stories.js", - "scripts": { - "build-storybook": "build-storybook", - "storybook": "start-storybook -p 6006" - }, - "babel": { - "plugins": [ - "@babel/plugin-proposal-optional-chaining" - ] - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-proposal-optional-chaining": "7.0.0", - "babel-loader": "^8.0.5" - } -} diff --git a/lib/cli/test/fixtures/react_babelrc/.babelrc b/lib/cli/test/fixtures/react_babelrc/.babelrc deleted file mode 100644 index ff2de720cc5e..000000000000 --- a/lib/cli/test/fixtures/react_babelrc/.babelrc +++ /dev/null @@ -1,3 +0,0 @@ -{ - "plugins": ["@babel/plugin-proposal-optional-chaining"] -} diff --git a/lib/cli/test/fixtures/react_babelrc/.storybook/main.js b/lib/cli/test/fixtures/react_babelrc/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/react_babelrc/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/react_babelrc/package.json b/lib/cli/test/fixtures/react_babelrc/package.json deleted file mode 100644 index e82f6e59bc21..000000000000 --- a/lib/cli/test/fixtures/react_babelrc/package.json +++ /dev/null @@ -1,19 +0,0 @@ -{ - "name": "react-babelrc-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "stories/index.stories.js", - "scripts": { - "build-storybook": "build-storybook", - "storybook": "start-storybook -p 6006" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-proposal-optional-chaining": "7.0.0", - "babel-loader": "^8.0.5" - } -} diff --git a/lib/cli/test/fixtures/react_babelrc_js/.babelrc.js b/lib/cli/test/fixtures/react_babelrc_js/.babelrc.js deleted file mode 100644 index a66725f62b55..000000000000 --- a/lib/cli/test/fixtures/react_babelrc_js/.babelrc.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - plugins: ['@babel/plugin-proposal-optional-chaining'], -}; diff --git a/lib/cli/test/fixtures/react_babelrc_js/.storybook/main.js b/lib/cli/test/fixtures/react_babelrc_js/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/react_babelrc_js/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/react_babelrc_js/package.json b/lib/cli/test/fixtures/react_babelrc_js/package.json deleted file mode 100644 index 1fe6866dc693..000000000000 --- a/lib/cli/test/fixtures/react_babelrc_js/package.json +++ /dev/null @@ -1,19 +0,0 @@ -{ - "name": "react-babelrc-js-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "stories/index.stories.js", - "scripts": { - "build-storybook": "build-storybook", - "storybook": "start-storybook -p 6006" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-proposal-optional-chaining": "7.0.0", - "babel-loader": "^8.0.5" - } -} diff --git a/lib/cli/test/fixtures/react_project/.babelrc b/lib/cli/test/fixtures/react_project/.babelrc deleted file mode 100644 index 2b7bafa5fa47..000000000000 --- a/lib/cli/test/fixtures/react_project/.babelrc +++ /dev/null @@ -1,3 +0,0 @@ -{ - "presets": ["@babel/preset-env", "@babel/preset-react"] -} diff --git a/lib/cli/test/fixtures/react_project/index.js b/lib/cli/test/fixtures/react_project/index.js deleted file mode 100644 index a24e6149ec7b..000000000000 --- a/lib/cli/test/fixtures/react_project/index.js +++ /dev/null @@ -1,6 +0,0 @@ -import React from 'react'; -import ReactDOM from 'react-dom'; - -export default function Welcome(props) { - return

Hello, {props.name}

; -} diff --git a/lib/cli/test/fixtures/react_project/package.json b/lib/cli/test/fixtures/react_project/package.json deleted file mode 100644 index 1324d487463f..000000000000 --- a/lib/cli/test/fixtures/react_project/package.json +++ /dev/null @@ -1,16 +0,0 @@ -{ - "name": "react-project-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "babel index.js -d dist" - }, - "devDependencies": { - "@babel/cli": "^7.2.3", - "@babel/preset-env": "^7.4.1", - "@babel/preset-react": "7.0.0", - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - } -} diff --git a/lib/cli/test/fixtures/react_static_next/.babelrc b/lib/cli/test/fixtures/react_static_next/.babelrc deleted file mode 100644 index 167eaf5c61e9..000000000000 --- a/lib/cli/test/fixtures/react_static_next/.babelrc +++ /dev/null @@ -1,3 +0,0 @@ -{ - "extends": "react-static/.babelrc" -} diff --git a/lib/cli/test/fixtures/react_static_next/.gitignore b/lib/cli/test/fixtures/react_static_next/.gitignore deleted file mode 100644 index dc353a145faf..000000000000 --- a/lib/cli/test/fixtures/react_static_next/.gitignore +++ /dev/null @@ -1,20 +0,0 @@ -# dependencies -/node_modules - -# testing -/coverage - -# production -/dist -/tmp - -# misc -.DS_Store -.env.local -.env.development.local -.env.test.local -.env.production.local - -npm-debug.log* -yarn-debug.log* -yarn-error.log* \ No newline at end of file diff --git a/lib/cli/test/fixtures/react_static_next/README.md b/lib/cli/test/fixtures/react_static_next/README.md deleted file mode 100644 index a0005ec20d4f..000000000000 --- a/lib/cli/test/fixtures/react_static_next/README.md +++ /dev/null @@ -1,9 +0,0 @@ -# React-Static - Blank Example - -This example is a blank version of react-static. It includes:: -- Babel -- CSS imports -- Image imports -- File imports - -To get started, run `react-static create` and use the `blank` template. diff --git a/lib/cli/test/fixtures/react_static_next/package.json b/lib/cli/test/fixtures/react_static_next/package.json deleted file mode 100644 index be219a000536..000000000000 --- a/lib/cli/test/fixtures/react_static_next/package.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "name": "react-static-next-fixture", - "version": "1.0.1", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "react-static build", - "serve": "serve dist -p 3000", - "stage": "react-static build --staging", - "start": "react-static start" - }, - "dependencies": { - "axios": "^0.18.0", - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0", - "react-hot-loader": "^4.7.2", - "react-router": "^4.3.1", - "react-static": "^6.3.6" - }, - "devDependencies": { - "eslint-config-react-tools": "1.x.x", - "serve": "^6.1.0" - } -} diff --git a/lib/cli/test/fixtures/react_static_next/public/robots.txt b/lib/cli/test/fixtures/react_static_next/public/robots.txt deleted file mode 100644 index 7d329b1db3f0..000000000000 --- a/lib/cli/test/fixtures/react_static_next/public/robots.txt +++ /dev/null @@ -1 +0,0 @@ -User-agent: * diff --git a/lib/cli/test/fixtures/react_static_next/src/App.js b/lib/cli/test/fixtures/react_static_next/src/App.js deleted file mode 100644 index 5675adb22297..000000000000 --- a/lib/cli/test/fixtures/react_static_next/src/App.js +++ /dev/null @@ -1,23 +0,0 @@ -import React, { Component } from 'react' -import { hot } from 'react-hot-loader' -// -import './app.css' -import logo from './logo.png' - -class App extends Component { - render () { - return ( -
-
- logo -

Welcome to React-Static

-
-

- To get started, edit src/App.js and save to reload. -

-
- ) - } -} - -export default hot(module)(App) diff --git a/lib/cli/test/fixtures/react_static_next/src/app.css b/lib/cli/test/fixtures/react_static_next/src/app.css deleted file mode 100644 index cc6998a42b2f..000000000000 --- a/lib/cli/test/fixtures/react_static_next/src/app.css +++ /dev/null @@ -1,41 +0,0 @@ -body { - font-family: 'HelveticaNeue-Light', 'Helvetica Neue Light', 'Helvetica Neue', Helvetica, Arial, - 'Lucida Grande', sans-serif; - font-weight: 300; - font-size: 16px; - margin: 0; - padding: 0; -} - -.App { - text-align: center; -} - -.App-logo { - animation: App-logo-spin infinite 20s linear; - height: 120px; -} - -.App-header { - background-color: #ddd; - height: 170px; - padding: 20px; - color: black; -} - -.App-title { - font-size: 1.5em; -} - -.App-intro { - font-size: large; -} - -@keyframes App-logo-spin { - from { - transform: rotate(0deg); - } - to { - transform: rotate(360deg); - } -} diff --git a/lib/cli/test/fixtures/react_static_next/src/index.js b/lib/cli/test/fixtures/react_static_next/src/index.js deleted file mode 100644 index c43c07252a20..000000000000 --- a/lib/cli/test/fixtures/react_static_next/src/index.js +++ /dev/null @@ -1,19 +0,0 @@ -import React from 'react' -import ReactDOM from 'react-dom' - -// Your top level component -import App from './App' - -// Export your top level component as JSX (for static rendering) -export default App - -// Render your app -if (typeof document !== 'undefined') { - const renderMethod = module.hot ? ReactDOM.render : ReactDOM.hydrate || ReactDOM.render - const render = Comp => { - renderMethod(, document.getElementById('root')) - } - - // Render! - render(App) -} diff --git a/lib/cli/test/fixtures/react_static_next/src/logo.png b/lib/cli/test/fixtures/react_static_next/src/logo.png deleted file mode 100644 index 3d30eaad75d6d0db2d2c9478902dbc23023ed568..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 53334 zcmce7WmlWg)-6u(0L9%c6o&%E-HJn?NT9e&ad)>O#ak%u?(R-;_d;NNC>kH%c@TQmeu)5hv zx4cnJTbW#4Y;TQG{}&bPEY~Sq#Me0KA63V-cHCsYJ5d+4w3X^qctOOtL?mf`g1@s} zrv!gLQ|<(G=i00vqEXQ$*jNgPv|OjdXMVgPdcH%UO{j+m(pvTvh+TP+SDi)abJQ7>5h9{?`ssklvTbkh{hp z$Pf9U=Ontvw66j~jEig{&V85ZVunY%!LkRN**5o8^U7U@{2OGcSJe)&D!DwSt7Nj1 zzZ9(bou6?(X%5TR+Y`J{)H>e*B_|43)h=s`gJVKIQSGA8mem$65YL{M>|9Zt=ve!d zO>CSL-chBj8kWUwfa1Ct`R;}WS~yD9n-5RyHH6C>I%Pbd=0ZKBz<&&6nXo^Uf- z1!kencrTMl2Os$Edr`WlA)=8^uyv^(;Yo=n(Z6@*Hfj;z-T%f>@p?3_>_}jIU4?n? zJZ1GvXGpZDA;7?z%*hye=L8Pw5t49DW4=B`f6s0QV!i*CU%kZ?7ho?*YhPfUFo-Wk za}4OsLYGsG@0Fo2%Xf;y-q*A&80w;+W#xOZcswj@GCnf6_rDN>q=D~Fp zKl&%Ot_-w9n4cF#o}|1L%{X|mSEzr7mBAsYbz`j)WAZL!kn@^wara#a(!%QGOTW~r zeX5rUO+mq(>ez$`e6N-Ra7g5f)jek-efC|%B{YF`Pf4AzaYGZ@zCRu4G;YYVFc_vm z>jJc05$Lu`m)pe5W z6{66DgLy@JkM?3;>i3(H>)fbx18epnfj{%C-pTl84cgNSTU@_O?>h|JvB{>MGw6nl zLuKC2yu>5rM+By`%4k_oAzeEFO_ECjke(Vxtpq|6_KPI@*di;7g z;5oySn#*&<*<*BKGuz6;IrC``pgx0`H~61THCG*X3VU>cX6`EA9jF1d&2>h_qKYj6 zRBHH=IP8pWy#$^B)yrkI$ZD2n$035*<|0AjN7j@|Kb)wKzc0U^Jo{UA zB>E%v39pui>yE2*{N%iRhcpM?jfNm~wR5Ib>?|2Aek1Oi1F?tK-s&zvXi3S-ltie> z12Qpl`eU#Ur9E@pdUs)-eYxwi|#}_nUJ>abPBd%t75^nd5RL=Bn-PK-l{g?M_O4ucr7fZ>_PPsM|bdgr+Z88 zTY%pFV7snyz_7ZN4-?XNNS=0Y-|ETus60e{94!_Wth zwo6(&RzKF3V?*5%RT3`$ahpHOt3Pcjsil$E-eYz}kQE`5mu^^^9Z+z;E37H2z@Dh< zc#)DFzmULvFT{Wb|KM%8Y?Wei_tkqc%KaiKqg{X;e_~+8;L+HsG@j-cz7%t`z&VEX z!B$X`NGQO`$0vZNdZEvTyFh!@CNh%Vwf-G?1)t3OhV>vW8_v5d_D==& zC=SLK4mxj3ty#!^oa9@&6sZlLB+m#KbHqk_0G}$oX<54RV5NhzWHs z?|YMd_c3nqPAb7x$mOVJ(4U*4*{a?CHz;gq@GU1bVimHouI>B_caps9^u70J7kf(H z=@5&%DO~oq^hoKyC4xg>3u9H&W-uJ%7GaQpr}$cJ|9obCnM^M8j_>4SWk2kFI9mkx z!rpbIt_G-C3xxIEDuUTP?Xd7k#n#Vh##ZqVYDRWpEmguEO6T>op-p(uGeDqu(S%tE z<%#Pc4hYK-{R#}Mq}VlF8!=MY@DCY-5{>^b$X^RdZDkza*s%JLEmhM~_HQS9;5}ok z6ZrRW?uG_jJBL3-B-XQR0{9lpE9s=aXOXa5OxdEjf>YazcwhXNF+pho1Ths;J%^u9 zZmy7w=P=iJIekCV4mW?xwrWRIy)_7_lTU|S1YXgt_96SWPsAk5S5jR1gPupfeR3GK z5Zsh+e~l1g`|O=>6dAKbluBY|%k}N^S>qsct*;DWKSIn-@$<}hBWBHUc@=sx)8BYU?9d0k+=%D_n~nn+q-@~Oh%S)SU1T6iF;=?ZPl28-{F1e_MRj* zcKkj`|B&$);;kR~?xOsddi|)g6Y+e?SLl*~VNsxSY-QJg>{$o4E1=QZ3r?qY;A1$;ro=`@&O5Jsh+>2IWFJ$1O~xScO-|et=$k+X4um(9aNS@8t>PDp@%; zF;Ly}C$L>AwJ$7)P@GQ^$hW$}w}14R!%^XKD+6^;95RV@TJ06=pMF^-h7pE3r2E{5 zg}Yng!yaE|#Huar_3oRD_7knkdQ+1H4!JN-vFC;CUf6>Lf3QD6Ev9Tn+LiOHaWJVn;$qB z@*E`4gUz@=HEEph2U_{sCC#g%!V>Cr{gf?i84K?yQ=e2pYpWHRHA4S*8L@NnPunkM z4rwvVPg$Jhm(JGDaKX<8&Oc9wRh zR86h9Y3KZTxJyk_t@)x2r@`_{V2bE!Qjtj7Hug#h=Q9H6t#T^7)wyrR{5d1RQ0R@H z$QPPAILms)HTae!wmlBCm5M??Gh%*I&rm*>S3(#AQX6^U$sl5=hk93w z11=OY2ZsT;_~B81q=;o59J;GOqI`ZjK75wf017vpX@=)1p4$t=aqHwkA5^m7l;Z?h zYa~n>xPcK3A8I%!B-O@lNgHGAX`??Etr=`Z!N&UOaBA*Q()-Z)m(fmeP4TA8itbQZ zo)kZq|L~=!4+Yo55?enBD7>_eti({F_j9*d^)VR(;nq*&JHFl0sco=N_xv3j^U%dM z6=3UH>#tvi4{b}HnEva1+A|6{w+~Q{7(SWw>4TYPS}dY3RK7;g3wx+)+tDynZuQ!@ z8K~K^c#qEPLB$oeBuN@jKkJY!I*osJJ@781ngPwh`kCK+J!f`V1Ze1Iu7}(9Db?Co zx-flF#_A3rN8^L`=@15>5w$g;{9W{zGU9X*i=9r-ih}k5!{+Co52r_ zjuiR)nAN;caC6S%Js)$a=kk}+SloLMN!{-2&arxO@pl438SVCSRB^;(NUn}&!(4+hZ6ha3bM zCmF++n%$}1@}CKvdL7>Otq&$0OnsW6$tHcelRf819{NCAuPqXK^U#H}qU)hsGPoP; z5gxOiQ5ZCTx0;(39sWbij?r9})k9^Wp_&wigT|E?@_^cI$R~w*;fRP~j|!=Ae;dXv z?3q-X-`XS5H284TExS}%17yvJCM63eqegSr}#6Dao~38wWvJ?$7$I z7OjY1O(fx_OtCCrbUu`6KzlVedauCd(4M0+2LP)3Xx0S%gikqc99f;n1r4vG7St{&?VYC;?XenSf#W$EOfeJg66p5mu6OA!3YSueBM}}1<$^8q z)<6=AtZ(i)NK6Pa-+cKA1#c#(d{f%+-$-8n43DPBy+5*?0aP{6y`=WAT9uu4c=lk?&(Me=?g(0N^i$ zZtJhkWbvk0uP?r?ZeittqlOBpD};iFM1t;-^UF+Dm*{`ly)E_ZF3TyezkD*uefq)J zpkMhLn{q1pUh%9u_yp-*qB?rx=z3%9K^Nb&)`Zv}w+&m<-iWPPnJRAY2PJw12{}f} zEpLV&77d(#_qkYSxQaQYM9^#aDh_%7cSM{YR*`jTUAgAOR()G)(Qhum@X$?A6QnLEqbCLObn#7)>pSvS?Jov?!S>mUP{94CN{_=W-*7lo`w3W`r%hnK0Fg|?(MxOh&y8n_b7r;* zu-SWT-&SFAqqd;D#pEAS|GtqI3*~il&6SN5THsqIx^);b+#Gk-i)zwZcN9~I9E6Dn znL}3P#>BGnjVMoz)6`n#cofaOIyKu_W7V?hPBp8a$)D-WR;o&ct}mUx^RUq<1z~fO z$K>yQ0aANAJ3n|iveZYM#i&Ij&u6_wLA#d3X`cNxw|vCwN;YTr=qahCwWQZ=-sH@S zVcbFKMmQ}VYkD)cs?x55mpw>Y0pmO85)V7nQoxVYkWV-|nAn3I(g8&JOSz{@P41O2 zXqi$UawsK;7t^Qc#H#v@N8SUax8nl9=XWqQR$vW16|_=FSzzS{P!DRipp^YhsKJribL##AfvJ^ooO7*wyRgBV*?e!b;gn0B2s^!znbwlOLL-K#U7{X(Nq&jbf zAy@Pr72%}3^h%&RjJzl+h^Mn61{;v1?fp3aVJW%2`qLHX_m!_>F%vBjJ1?T%A*lnq z9b%0E__8|n2(^-|e78OpItW9vEG&0i@bs*Xben7QJBrFZdhskO=PWaE8RroWGK zFPx*i$HWV{q8@@NROE9F)vl`5pQe`8HJ*LEUx?RbTt9HV<1dK!NO+RmFXT%c4u8mD zV~bedfFr}nFGpT>3tFX~W+F$%I{bb>{qB@omt&}=ba1nyf4W2BrzQ*6LnDD}DC$9vNsmkZnE zz>gx;(bIfL&$?-xtm+StncA;4;rl&_sUMC);pE?TUJ=)QEk3XyUtd^or(445Nk(== zji&lMm2+Bse~DWzw2`LY{1NIX!A`gsQ=(Vlq#UU~!^vOXZETEbTF3(l%?7;95;}?C212wt;S5nGkMH4B3hV)Ml$S>Bjko~D%O|AGdeX60V!u6&q~+}e$bBY(9RJ0>>qfgfga;rl^_c(Qv< zi64wRak9t~_125kcS8ogQ0?khcS_Lswt4NoPhBId<6mGzMk#&hoMZUSA?OG*(ITNf zIJR=;a#?G}NyPVs-ds=ABw=ZqsM|zoe|h?4skWR&L{YWpuzrrHXUq*DRX@$NihP6o z_e}2<-e9DR8Q_!o{YpELOL6yLnB3(xT>+)sc3A z1+T~V)<-Y@PEvt(=go01Owq;&i0`@-ahqxvwfHS7`+pZ*v}m=z>(B6^Ta0_avA7#G z@#dtHZvKY^>4-(%c!sKrfKqpvV%u?9LwfVYE{n6GMMcw$1&wDa-G^INj-hhNqac=G zoF%1BAI-&HFlGv>zt(@R+Vz?9J=Ppl9ae@7$$((9>q>|0)eg5W~ma8+{ zODABXJHFmrJTwf=9m{aip9ixW&M*+I@y*J>RY`HwN-F^-F_*yu;=mu3>m_~^Ot6Dp zt}h#UAq|-IDO$qCU#{4U@3HW0-En}WBtIrGYn;QF1YVLkYN4~R9E)pRP@4nn3GN*j zjr&(8wyqUO5^@(AhVVAUJ&NRuE#ZVG07w|^A3a7UG;DpDof7!&B%dgDJUR3Eq+ZvA zdU_4^!@_;M@IVxa5+q1T$i-(`M0cT;nq&a@!?zrzm*k5^EpsW#jD*51!!dXn>^zkT)%T8${S}tYdV!vB zZ1}yKdG*&xNjciE^f}|t@BJ5U z({o%5O&?On^j!kh3tnn1x3>^ZJM#4nI$jF6d@jDTn3Sdj?17#GwGN!TNNl-BPgWW@ zOT`1h&8}X>&-i7abKgElf-_4S37WtBN&WUVo8Th1Ktk-Q>DOo>^IAB>mC4afQ#DZU!Y)ofi z+No=@xJRUWq9ghF0{WlIdpi#W6c&Hzv8#@x2<4HWSI%3E+-91Fz6*!9p6lcuh5o)W zx^-n_e)Id{+%vniTVbeKOzzt&cAZn|q=cA7<)x3C?8d{9$%emF%UiF#O`@Gg<)e4t z%tORoD)uv#k%IK?Q`&w$uyVix1SZ{cCe}M~*D5RvoK<0NGNehNrpFsCBvJQ7_)9p8 zD0^I|7+@j8pFlV2E+C2c)gXVPK8i)&taU5MlF$O{E@LE9Vn!q$S@W!ltkvSrekj}% zQxzD3rAd*-+l6&SRjJMhaDTQ7-eL>qfqkNRjhTg*hJCCjLfnyw6u{y&U3f|Dco$}^ zDv+P)$bE#;Re=T;zDa2@tOi+L)#B-uOdnGv5%>;cQs~+GnD})WLd1fVuzpqq3xP6P znetOfzn`o?L^4_efg8av_5i^SU436`s+sTC@mM~##?nkhi*!9(5(9eEGrn%9yC{&s zN!=>OtsBs!Yw*|dgi83e9qPAxl^b1AwmFuw zRQ-_?vm0O-q!8DQJ6O7WYWml>cfMgJ`+Wp(La8`+Qor4LX)I~oUK*vyCGaAnWsKR? zeEr)LfiA;swQGX%A{Dcydk%8aLY8-Vip^@|9ss`Ohue-}_2s*MTodK;@Y!z@E#o1~ z2QG*(Yav%|e_OO-#7j6+M(SO>gn)q)||omD>%q<&L1 zSh&31>l5os(ojw!7|>47vE(4@s?EX6ZakLF^Wk@u&xtt;} zosOTo$W_ExCL`6@Ykqf-*t(0UbI<(+PU;7lwZ*W|FjEtGJ-&niQ~?Thf~P&1E?^N! zap#C0L0?JvBmWaD@cw+79_cW@Ww#V)p4a|FekH9HRJdVS-Y6WseOn*~vzOLhwCB3e zr98@0{0B0lUy{x62>2?!h}p)L%0kgy?O#dRB z^>=gq^QYhwr!f9B1_ln^Aadv-3T8hCLOp~v2)R78WGJxL&-a~2HPgUu&-@_baUJIe zBsrFaC#UV*v5Qg)4EGpCGic8I-C9Adgc${xtDXDv#y&pTk+-n~XfcTzF^E9+AoS@u zFVc3*0aKPqS^)A7zryO4`~)2XByFCwCW=+em}Gf;xO#y~Mk%TIwWoo59neGes69B|uGNPO$Pj2NjrXsKE@nj7lXK zmLq1w&nNrW5);9tg#B+C)mHsPs!-F~Io=ff2`8!zds(j3lq*>eKp@lLGc}VK4vt~0 zI*10nPT$<#i<@`yP z^i(VMh2A%6Bw}$vgVM@DgY!nVrA)@f+#Z(Z(?QBTO4qG_riXC#D8Idaoxh9dzxoyO z^hTFckMHi0W-Jj;B%NvGB${_kN8zkuo>-J#!r*WTW0pP(9XD6o{#=fB+C6|Ju>qM6YB$|-X^$q$F zw~WI<#*z6tA-Uw_?%BH-px&)A5D6n5*V#AQ?1e+}piDP~)>gjVvfxfk_rA&7$RKqR z|E~VzsEzia?KrPTlKJc-@L&dsP}YxR%P8RJy#K%UWhVhxYOlFUz15zklhRh)DHv1d zAk*}dEpjiJ303T}o{v3O+2>jUJ|691BW6%Qbk|F{_d(ebEt~HP8@fd!aphcw)IFpu z2E(LE@kT-?MPcWl>MU730TAagGKLST@g^fDw*z<%ES7#MaBepJB*RFZ*7If62p6UP zZd7uFAA32S(}*eZYy7eIqn}prt#( z57Yv;bT4Mj8yGYij^b<_Az#(DU zn{PcAJtP&PLflodOh=>5rUoishDFb4z?UL(4nFBTqyO6>VfYWm)r-KxD854yF$}#giF`X@HL7*G;^u=sg-rp=Te~(N z7;Ue4DTvyPlmFhFpuu|wD325jX)?}h)`$ANi|=tU)*d=ju8-P7Gt&LH)AxrNt2a9> zn7S9~2<0;kRON)?MgX4x3b@7<<1bdP9ty7Bj^QO+K_kIHyAL}jV&z!Ciz{cEWY~nH zWor*JsTn5?fz7pf?l%*DM-|L-x}iUI1x%|AZIFC~nDoFJi6hjHx+<0@>gsg{m-Xey z0V5BPQDJ%6uC({6#}CyGh3mxEi=8-=t0@}512en!^zTMmJ5qZZ>iNTZg9P+k;k~5m zOI+)`M-vLna;GR#zADtv;$xx#2e**QA3CO^hZiIp6HexE(A~XMs+(K_wY^ehNFEGG ziQC&rS94TqdSI^hVQo)-v55KlSuGObF_&UcYV(##QO#a z&B>{z)yz3__O9uW4?N@-2n;0ZYsm@j|2t1I`#==|SBiut`j#sfjUxQv`D#F!Pb%NFjJ z=8#LzraDt_e#+oQPWQsA-YN(-3@TA}$QY!Xd=}nC1GP7!lnXjz_ns(Tz@{>OH7QXS zAqzk4=70<~$eXa4exeyQ>A(U{YQp^N&;^0s5VU<_1M9cCiC8bKZIZgz)%jG#NF>5| zi*Up+Gy|!c%?}9cQr=a>pi~lVJ=!HXE;GLq=^PpiCU=O4h+!2cGL4x~4QW5%I<%x+#?(E9xCfx2MKn?_T2 zYX@Tn6=&mo!&eV<+0t?J!Hc2?%J&991g9&XdlnUAo^jFtj8l9F^YRB-j%$8fT)h(N zLYzAZ4z5i;7|W?Wz$9iJGM}Y*yki8*Q8f-9R2W9R9{kYWwSJ|Txzh?>B7hODP4`p^ zu1zB*p0%Ox^XUjNqDJ})J)Z+;%$)hmqCFJ%0`MhGKX3`-AJ_HSUN?^^lS&4jM}bi4 z0W?*8pgv{G%a;a`qo@!tI}M9aDM5N&WRFVm0sn2_ zHztS@aq+V+F&b+kwMaU87v|4=3(WYN6WEczPb%jLH0h#qxBHjL2z5DDQs(^xWaV%X zocK?AV93nK)%6C9n=U~}Nik!6o!uDF=E-*SFf-42dBSb`CgGmb++xs0P zjEXRg`(~RDxv9kWA_}gVCzVFDI}bN2PG%1uxj9570X?pmMDeirLd((~8tB#Y%gWKr zdKCO|kFPx#!WMxXK4z$CO;z6HDw|O^kq40L1l9bzzF2E&yvWO9w?K_g`u`Z< zyp5lnWKGX%K$#s?PtCzsma}fyOJ5;93zk2kOlN0l>dg^VPWSbsfnw86v-F0;6aix zn{F3Of@K((-KlK6YuJ2w`6vMgGVLUIG7qEc4@ex^Vm=&6WWFHlviMz$$LCq8b-Z=H9!Ln1@IJ@DVQCX0Krm=OkJDI5@jTUgizB zJ)-0~4mj~VAAwt5+)N0>O`HVZBx+4y`iqamE& z#-MQ|;pB3kh4w$H6RhFJo>&-=X`zOO+B8>sUTUz9ojT?2%xr{`G=>O zDAZdL$R~_ib)u~7gLr^ITOK;$i5V2;CbR#d`Cm@i7i>}{xdEG!enR)t^UeKh1Pafd zs$RObv#XS!C`cN5mEi8msn_xIGK)m;>=1b2NO9k5tW_OvhZ6;WU=yIE)y)u>KroIy z_#PyW39N+sFjS0n}Pqyjy_2fn`^*FMeDV)16)}$+a#i<)xb3EB+eHLAb&x_ z(H4!{72?8AlQ&v8%SqH!Bo=vaM#6pPBxA)>)JP?55?_%eAh6_3tOa-GN_=y!bGwe? zrZepf6OP@#p~3Pmo&Z zFc44KMXNFm1q76=p$#i3>4LA`_ftGPSEt-H#~!%DP`YlY=(u)`1|9L2C@#0>6? z2Zl@-n1l%>(%(Cx`Rlxfo+8%~k61V@+GJSP{~2}SJ$=mT;rMYUx48v2|d~ zL``eLVao8KXRrlG!u==o;73;@D{KVTJUoxlPLHMq&)Z-gYcly?w0+h7H2zsCWAr}H zhn4HRyEX%%$uJ$Gy=SQ^ZmU0VH#Ms$fe}f(_(*&asQsfk_SLBY;a<%FZnnsWh^7r0 z)_YFkoT()%KQj%JNVjBlSjvcWEGVK)qb}Pqb8CXtZS$Ep(uVwOP1jw0;v_{d*eob* zmXM_vE#@s-zYQERM}C%s160EM90G2$2QBIJctan{r!W_In}6fy|Ht-0Mbb3xNp&`s z&v$!4Do5FKAM1D*cIXl0_H%uzdiztOAlEr6O^IY2mS-BY;tqpQUmKOBquvRNJ+Ya1kUAyXv-kAT}5tUsh^=4}VO5 zcipcBHvWrryHz{#e2~aCdDF^$zlL|_kGoPPh?t?L#SWOV+WBx9PH;6`8sLcP+Q`I7j`I3>+9>H2$B*_d4@^N}zPZ!7MEw6mK3E?x#p% z8M#S?J2f}hcwPjXmp8QY&Yb(;@4a;4>Co);^rvSGZtLv^2oFyQt9`q59Ba8yx*m;@ zICYc=0Q5&R&1lN51)-H=p`Tchdg}K0Q13so-N#q5iA_~H~hT2@J_7wb6&*o z+6h2i9j(#`qhhAW$2It|yvASp&)ky@EDi%*ikpCeJ1(JxbyH=ZuQ&+I6(OqhX^r>N zivsuhs9w~QB;}S)s>rjL_vL)xp}YKjOt9b~&pPhNjj~nH`&ivRxxE0@{g?4!KBj4J zrE)iB8n~(>Bg!N`PFz~dxCEw})4jOKWJd;Rfq&jF_8W`pl9h%dPU};CKt(za8W*w{ z-?@RQGlrHF6J)~_9@Fwg*$kPJuBIYHqKP`9 z#Ys_&NF|0(;vjU1kx`YwlG&GWPw|k4sDmK$XDF6tNAUk9II(ToAx%`}*-3?0NyjzY zzULe?ZLQ){Yv!rxrC1v6S&`7sdDo~%SP-6dF%23jKVf)&ftov|(DHL7y!Wky#^W z$tb9;vO+non>mOf)V({IxS=<>h8uYr)u60q5U~v>z)QOQtflz(x~5^S4>3}jyCu_S z10s&6Go|`nSZuD;pNC;NKgc8tr3eQNV~$hgR`P~^NX{F*5hp)9_(3){o5tu5Z4|P< zL+_*4JlgVi1ju{}!w|G?{>7N#lz>%JZSSSoWyT_n)b2`rTOSAc>fAB%B5BpQ_VH0T zo>m$;RJU375A)e($YVK}(%U>o*YeLmVK6%MsXinTCf0s%qfan~r#1;EdMBhE3?~IU zw=de=72`jBJ-{K8g8E$X*>Ht_zEUWKdN6)QlK<>m{%7=7N4}J)t=b$cu^FZJZ9KM7@%!+U_rXEMW z);OyswI(d4LDULRTelj5de2p3dU z(ISi0rnbzl=F_|5YLd=gMahn3{2NvgKbw4vxIw;|7mhDi6sc5dR>r8HvOC1^b{w?F z_th1Y&#&~WepG(X9rJ@^!H|{aeT4_#o6I#;#aN$rqXxfLRbFMh?70-3f`t2J&XuX~ z3FrAfHRt9MKY^W;;vaZzm~>%b;c%ea{9-9CECV{SzV*%OzI;S2^$y)@(j@1k3>ztY zaB)sr@ClgfH2Wa-1tukMM7TLV&)qQd!k^)Tiv=|YLFfj=ubA;TSHQVZ zmzAy5p$m1Ddy?2>T4{JbtwnTt%w0~Z>`x?=Y#=CcI9DVyqMDO_tQ+q8G1 zxN=u-caeJ5S$p##a3E7aksNX~Sb8^+oI^Q_FD1`#vnhGOcY{sS5Sp2I{s6s?-84h> zLy@baRr=%i>e0n@>iC{i!EtKc=UlLR$c$=44ZB?XI!b<0r4jF!cG2YpKScna3E5|D z7J6qhdx8-4L~ZtrKZ`DOX*ds4wC-b9-}2Fy6s?+X?nUD4yjp2LPD)p$t@Kf88VXn8 z^e&6&#bAc#5yu+PNY?xkh{T+{sIlUEOH{zGukdFtQ+{@70XTg-SHijJb{S_KzjgA%Q-As{RUDelL#-_S2(F0bPt-fPc6O+EWdr> zBoeB^J`~Q%TWSdNc#|i8NNP4Jarx-k_|wEh>WN+?^{xO-KGk0`%$ivr z>7FjFf7Y4L8s)ok8FB1vv%gxNPshtW)$A2t->0I)rLa19NuEHz0+BO9`HYvXgJI^* zpq@uI6x*6;9FTjnLPxZ^)qDFQM_+Zx)L9+RuPBmkJKeHKwj!&jxPIXdQ0K<7n4sRs zFYM6o1kX=#p>9QV-+z-X_! z>eu3(SCdM}yyJtw`ZVD`MzmnZ^!RRT%gqcWh=_JOgfrc4v`1po8 z{nxu1jW7`=-^4lZDuO0DxgTR6AW#AhqmF3R2=k;PCVMMU{${m%I11z)e_A6)lTY)R zF_GXL1%i;?kw80{;t2J9!WZ|xcIlE_>h(ZWLBpL)$3f`ILu;Q(JoOvo*4@DvqH3-0 zE?S(5s*%*-2HZ_+p+7X^NhiT7>hguSE1dOK@Z7|hvTbiQM|dBy#=>6fjvnsQ<2%&l z9-fmSa5L1NC?Ow1W2aC7+HaDyz4WC(BUJb=K+Ol$Ob5;RZ>+%vxU484CdhJ(A8BY` zKQzBVyZYYOn8sP;JJ4ce?W4QemDUa01BcNJ{WG&h&=}gqaFbHrSbRVm`*Z1KC3o1X zKXKVaK{TvT4{6NAYsSzRf7s6!mj8ZinRV}|ZMsC>;iwJm7U-3i`#e1^NNmt+>Qs1~ z>}y(vmuzqAxu?p$L}erFQn5dxCtuRMJA!mW)JvYoUvEh*J856T9nuRJ)pDdsSQKQ%vgyN8o!+IaAPi zwU6#F7Np+Cuxg9(;=80X6gZ*4Aj;UG>(TlS1Ia68avjWcWg*|!0sVfp)U|vhvzX~1EINqD% zma_EkbjVn@Xtm0PD9(47M|9d_t(^p&5M$UDsz|-WDeeEF4cKJGNTO!8-E=dj= zZ4U%vd|AOfNqIi`hp~6wu`U*dWt-jso#;zxXY9unfsnW-`rttTBYWrX+Ul^@Fp{vJ zh?3!65i#F|RgRi}334sHsur%*Y<0Q08PgMsf35M|9*oh|FGPSGBF^emW0N$E$$5O6YZB5car@}XpX#ZW$mwQ|urL#odYng&u7N*rnkub6Vb{j+1 zE%#V*)B+3Ze-!&r6Yk5}YufTM*0dI)m&o4PTzI2Tx$9A+Cz)&3juoI>ZUdj>mk#Sj z27EnyWTX>!l|Km$g4rg5FPL_i%ha=c+JaIg*5b_Nb4GmO@U&s90~aS2r8K{dW7BXP zGU0bfe<^A+6u{`yeBp>Thc0V-IN;uSZ~ky!pbUrKK?l61uRs5&^6|~PMV-gL6ROn^ zXCJkPk0#^d=~OzuT|+IzKh9P3gs_-&SZ&%-QD9%qn2jPR)2>>tm!waK zmZ+ipih=ME`JqSJp1_?d({0xegQ8XCfkj}hGlD7Ad0WtCeqCw4sB&##vOHH4mCvvs zmeiPJI98o-!|Gm{o*-!#k4ZmP1mI_Q<}4%a)0f&@e*3YBwSq!eA3hOO1vzu^`Dq*z zp`cacqFj@YldQkS@KuW35hI|Dp<@nId{w+q>`mDFb32lf5j=>=s3TUEWp~dwUFO32 z@ncnXY9>O8(qzkB`7Fcv1{(b`DjBK0T~Q(#+B)O&o8a61ow%`g+jjfxEy`iG{RiyF zWvJgYhCdh-#I{t&_RE#R#}}jE&9GYDpMMFFdC*wbh2l#$sgkQAl}k*v9vL+{ueqyK zxtHjqRNj~dFTDMn-qFk|8TwXP>b(5U`L!>Sxl3@woS{-@3l|IV$ELn=Lpp>2Hyzwt z&A^9t7>C*`QHU<@h0ajh!l+y09t45@Cf62w(v9yO?4&cr)j2r)$ zh>xeeR&;&Y8BW10q<3dxb){szaOqZDy{2z~vsmYe#bMTjWOM^1#5)+30?8#-A{Rdc zvZj8UESj9r_C{;f{6vvlpf$Mog7VviR{#9(IE^=BtWJnwsW*`IL5R@rqmvpfiB)Or zjtcDHa<$fYzeVGfGxzSY^trnN2+l;Z*oWKE8ArVsz~Za)?mrbGi({4TmsHi*u7;ED zU;^RuYBU*Kd>=&Y{?bltnAW!iy`{RUeJjAsXuwEo?@Ct zx&KCySznb&J4~_$6a=(t6|Lu|!LK+(SI|)^$iF>6C7Yj2cwdQ~Uc=1!J(T(p!&&uq zue3j3!b`l0KB>Ic=JIH6USztX;3oRZu^lV;bo-ot_W^kK9buK|N7WV4F=#2Q=~6Bu z-b38&EL0RpDukWVeQkGe06h}O7Rvrn@`Y#y>%o+ewKkfTd+51i^dN%-x8ml>)>ghD z(hPn_Ux}cSEXs=JhUk&v(76jd2W-e@MbEP0YVB*-uKl#oJe^ZY>2=h28Hde?yaul5 z9YdleCU04A=@2xzErZKrYTb7^0&aY1+8w5E-{F3+~?G;=q)VM-0( zXV4q;CHaT4e+3!iYqsNK#$f~5QSd>sH{;h{v`og$6ah#`nI_9FG+GsPR`^p42DUW9be1ZWoe-RQDdkZALLir~HJ829b*>V3no_S(OFtl(8JdO|9rS9#uGeJ01r z@ffg?Q;gpITc1I^6#{`Xm>h#M=-qXP0IRph_CRt|vm##UZn9C@R|wToo~l+mEcg}V z_!T9bLK{3s_G8uUH|KH-Xqst>5sOx{&#~%=CKuGpn>61pxKMB&g@hWsrp%Ay?iblA zN{Zsqbk0{p(-J+12z$picj4(VB%W_v{U)wn)ly69(NKC8Dwtb>2j$87`4oOy3Ef64 z#|tp<5ky9(>Y@*@&NAK{{IqSy5c+pBiv|-g=pWr-S9f!n^FBgGi{GAO!L*l(@bBqsfZ1SA_17YYDeqg z{5ZCNqUR!G*WyQ~>qV=u+Ku}-ne!D~5Zie-96~V5fyRcaCatGq>)D8PnmpyF#gSYj zL`eN?RlTRoXPt%fl&&;7ReBdbB5gKbg}%|GFA;&u8$LtIye4#J!KnAWOkOpa_8M?c>Q@W&v?s5=G>4pL66c7PXq)Tc9q`Q%L z&-44gAK(jXG51>M?0sMRiap>#abFI^>J_!~{wd#8S}dB(7r57~6JV<>{~QasWw1tC zS&Ey-*t&w69#>BO%}yRY>$dA|@;YdnJ+V`PQvhobp4dZ%rmYCEskjh=%O2;yB=W_8 zse&`wF(YJ;L8n!=gSA51O;Lj{2LG8exImvwj1#dw5?czs7+CJG&s%=67HDefBjk5` zte7`j@|)H`k%i|IwSOqDU%b{{UjmciXZ|nbVDR$0KY{kMw=QVv-X88t8E5~{x>LA* zw*hU%C>)}gW{3Iovoqi=k1qiiCgKs&rc`JyY8D36M84N(ZCR~>d|4lMsa87sJ1k$G zURA={%S9ToH7)LkG^02e4qmp0ATs!)m>Q#rYjsKMZCl)|7YR4EfC(mSEe}&J4fhZ% z((-W>_PeSf^i(;fOTVh~yPY$mu@Kd&UyIA#00srwK7RqS^uw=ZWYYTguUg;CGCXra zWj0(4u=L;*M3IO-znLG$4L3Zxw=+{5>&Ek>&8iu-1^Qz2=B=QP5awrF; zNn$@Ht{86|_b2pLfVxnPO~s{yQQUc~lM9?4nvN@8G?k+Q_={ny#v7Ed7!&TWh<_NY zsY}%r3^4*_V&Np7cRV+Lw1UEtu;=#!q_jM>hhHs=EoY#Xkk-4@hwY&HF*~Juz+sD_&3{Jdp4XZcrq)AnQEu|8PMxx>DY^n4zqsJDQ|3sQQs1 zXHb(^V==3Owbrb^dSyziuI_hqJ|w>NaBXDnOgB3-W7js)C&U*`2+4T=bHwE}f{MY% zaHU)2F}nG}N))L?|K-grlCb_1`$5U^AsO<*7ZH!T<(>SG`v`J_S}Xe(p{2@vBz0~w zTkHv&4!@NPHEm8Zau{$!O9jYc2T!@>+j3 zINA;hZ1<~ExwTuTsSRe`DYl)}Tgte4O4(xt!*GZQ6l~5vU@DY5Jx~+D1N=n8F-Yog z*^Qh*t_X0N*1v{S(A?F2VB*)#!@dzzFW>tVvEOsK6=*KZJy(*g_+yk$r_d+rs;I-&LASH>q(p9Xw98*HI4QU6I_{?wD4h83w( zie$~jr1*JSTdxyb+{FkhL?i(fb3K;(u}X+Qjj@P9=U6eofE|NS*>>CL+cB3?z<&mE zl%Cd7|LLBU5f&V>Sqq?6&lj0_RHph!*AU+57CPM;=-V`}X2Yj}sjYZDJFsj| zrxbPz(j&2K`Z@~?bx@t(#yl^Ej5miw=u> z99)Wsy;0Npz~upvq+cBznojxrcS4 zw1t1P{+Z*?SU6roUOxu%KY?~!97iuz_=n#uMMvMKta*JBNH~sYI1QZ`_GZwxjl7=8 zC7et$t;&Y9iXLKyzr~VSkN6px4WJC{D^w9yQ%kWtO3FRs4zzmxF!CEM8{T(dFo9df zx8RAt@xzoSZ^kEwIw=zm(MqyALKYX?4PSbQpVJh4 z=t9{lEvq##xl9XvlirLOq!Xir&p?6Hjw@ab8J(o<>FWCR8|%(c_4f4;52IF%ZUkE? z1~tKw`l9UoAXkUC(~vYYBlbEb>puLm5(bhCyU=i|CJFxlJ7Y9SsC2-6r*QG$SyUp~ zL!HJamGKk;sYkw&R$Jjk@t)@6(AL8?jJfrmzY)9?tjW5eDqq%$lOq^~#OS8=? z*QSeqel(LyhrbQn@S~!UM#FXg=830?9^8fFxj|-KagDp&6Bx&}^%jcU(o4|VE2Uqw zZ+uyBM?{ot%ZW()97C?xI*74DSZ?%FHu4Lxg>Cu4bFvkZT62z-Um_Z+FT^QM#z)Wl z8b{j|O|9_jqkTnsj7s4hKh91I|sKBwi+? zz2_qpL~Wt$pe!9Pu3#!<<;q8nSwVs~$`eOsn>A1;rniT}(EOdE zrnt7f?!=)iI^AS_MHZ|32Cv(SV5i~MrLrf1pE1Wvb>o?L?H7|}kx}k!8=h%bO@2nf z{&&AtS52b4UZnx_i@sQ%kXD!gnkV!RIh4%1v7sQLpKx`!0!MH=+v+j&m^i7DDNKk`N5(tU7Q;_0Ymv zkfphr7vH)_09h;E2s-x;EV5V5D_Z45MjGu{RnTJ6yTI?Lz~wRfM`>colija|Ak)Y4 zFd69v>AJqHTi^FUbr;e_uSkb!iP}s{%l<8KKRk2J;Qu!{`&nY;nLndC+_d2&hD(s9 z^q<2ktc}Q=gE^~kmO}*&42vEHrjo=O;o12bj85!YiE`OG=_(|3it;@s0%=Xj7JW>s zs$KN=BzSpyqtv3eqEa9nwuOiS+2@WA)5@Yc1xk`8hEkU;%Y@7(ojGDmC8UL1VZl)? zDmb2@T921K#>itROZylE)hPHd^s~LV{dIUOT@ex0=b!Q}{3(42#N{IvVdjriWaNr* zTkL^H8Q2EhRGbqGYMw+;E37*Hn`VH<$z@g2?Lcv9_~PrkZomnh{jbz3^-^|{ViCj#RIr>}!uK4U4w z?_OGJ5YjvG(x!l3aK^*cQuRWJvXXrIeuF)UYma_0@3v2hN&MM+Cp=kYwpgso# zW_>;N@$Axkw8zZ=h*DkSxCXt@-FIE26rIo!Qj?fy}x=( z!rorrMQR^dWGt9!0Ck1|I`)u;lMQ7?rjy_i)%%v9y^|zsTpv#zXXK)%#v+f#B4w6o zxqMU)aTs$!gnzI?>ZCVTgHzm(Cs_E#96X|S8nEG!Ki+zLwULnuRc9jUqpJB4$`vY? z*oGWH?w0W;al$$zEan)XhQi7FU$Yf+2#lmK@=twA{ggOgpC(0c5V1RJeN9zAI&0=z zUz|9fPkpS7G5f1Bp@&aiOaX(bvVXQ)v? zj0?t{x3G4|198;80-%3t-Asr<>X!zZ0Yofl;rlOHYN;Ah^~3=TYKHZklpCIv8!^Y|Q&8zu^(tq~lE`t^ac4=dUiUdA#au=$HKT@`$neM(NbzZ%$Du{4RB6E+H_C~9swmCQ290CqzhY5L&$TEf zMLtJQ12-!C=o2`d3KsrJDal$q9sRafTGubhaIG;+(t-OBJefNLV)}FhKF{J_*$ZPC*E5DTz87BQk`OP$}*&vZ!ACPT( zNs5GzW#Ud#!9A^!-5WerYC^6S{3K%o6z}rYb@Fd3-=Z$p3czDF(BZ9`=g|redD+-6 z7|e&YJ8 zUCy@B;`I|@cLLNwzD?&z(C0bSUyTzT-lXm^9`sOwxE6;=PfFHQ!_ZQy&t``3SYK->S`s>F7J;YlBuh)8n57JWsKdJK?4 z#AL|&A7p$5@N0Dy%xeCdW1lh{XBAD`A-_~ek`9l+B}^4D@Zi;u{XrN(Rqrn`sVX+> zb9kjBZRo0Z4oB4(Dc14xFUK~A!@_8CsH=OyS8wgbD1TTdrDJ7J(3wR`k<{w-*TWmj_Q&cqP$C~@s3S=nH_|71!XZ3FD0z%Eddao^2($gnnH^wv)@s zGK*Gm9hxSXy<1o-e-d#KdJ?k!F`>2BoEj~3AXN3~`%02ni?MTxQN`ANXl~CNAB5n* z-Bn6RjY(ON=`n|q8r;f&b7cRq=WPwUvpf!;!A@+_^QxzGJ+80Be;tY! z8bh02`#QIg>396qb5h^fV3-Yfn>aN;#CT&ul5pU+dsZ!tD?G=_xHXIP&p0Mp=T0l> zh%HOzbDWvs_}PwZDXBk0VuBr_Fd>8$XZ@p9s7(?!A7;fS7u3J{bWFb`-~{6uW4T^YJyV@Q3a+F5f95v<-4ffep^n0VS86DN3ki!8MSbg z_P?tHll;uhLMBIh3KcIuS{)e>a3Ya%n%;)fQ+#{!D`KUHiN73^JB*Yc3@7$^m^u1F zX~E5v+h)!7j=(KB69br}1&!+lma$r9IEl{g*`RyU?_qu-m8Snkdq6%=mSY)Q5&jyy zic2ktz$7z-H^T#Vm3Psmy=U2o1BA8ocd`9AfL_!Q^xLB~An-WFZy%a>tZymd$a3dI zG*xnKPv9<0q{=8}pZnt4TW8B<+MZ($qpS7fm?&iIPm;h@;EyuM?MbmcWhXb)3d2hM zOQY;`>i?vb=v|PtHKVLN-QJhpc%^v?6tqL~gw`k) ztw&DS?iE6%lC186Q@LK3KXn^>%bzv{UAgx6eGyqb;!xD>t@x(%d&WluiU$a8IE?Uy%SiI7FKQFv*)yEa``)jrGu|eD7PNY0=N8M$YEehO%nZ;)E;%FG6{dkF**#0NY3-5SlQ&MwZ@jNP z(UXc!BRd3J@n|#7or}LT5a&4Ll#O%u8ur z#afy4@7qgy1O+00{u6!kYo5*X&Mw{)6hFY*B zF|Ah7j-1gB&=!iE#Gi_u)GURd$nR(43=WuW8g4>WZ(UVgGt+_7i*#bkar?o&O6>Dr1yU5{Q^0S;Mz*#TxeWaGsf|1WYhbHo@Mjb2AJ6Z zhGe(*5^`h`uw6s|)qlIi?uLb4Xy7e&wejqr^_H!eDM4Rsp!vUHt-9wc6<-qw3uqwA zxnj7L4}F*^^L(XIN*`bI^st{!-M>{W^UGlj!KkYnC1p44+76s@CwL{tv}ZOVH%iNF zP@n+sfQV?*C&qqa#wcG3MGi(|2n=EvC6zyoQEB!){$rLd3!NgJ60|5|Vd;pJ3qVuX z9mwD)pvClth)~O?TOl!9THqxxN(AK&7GV!b&t!0^!Bt>Z<-;e0T{xCkzV>vo!uX9i z&ap|1yuFhjQW|6x;`VcQ&JcGYe8KfzHKCIs#+=K z))xK1N^dg2E)ji$0#atp4YS8uiVsnU#NNpBbFgj(_!!pr=e^00WB)-Zs@w|bJ@0;v zJ})!F7Rv84g4(JAEg80_8htW-PF<#73Z3h|?^uk=rT^=*(rp_^BdQ-`b-Hg?a2oX5 zwL!ng7^pho0h8`S$)lt!FImmKOszgGCjk(`DNjLz!Ni zR;9lbG3ijiu_%$;XARY-0C7yZeIMc2JkN{fZVFJa4M3+gZO3TQ$lm-l(#zx<$-`TD z^S5w_I$VXfi&*8~@ZLTF3nk}>6loS7ogo@biF-@u_nAUK0I;%xLYkb((7FZ9h76w< z+?k>UtVaW?h(V94Pd~n2rp>Z(nME+)`{`w1SnKkoR|tlz>%^%3?RxOPD7^h2e>wPG zVFvh{nI8EJgKBx{Oj{f-u00r8@R)po&64LPN6|O7zt31cqAivWOd5zLT-a7F7!s?< zo=&LVgdiG0pWEKLz=4dJ-S@xuSg-l|Fb0si++wr*E%3iTq~4%^e_}Qn2I%UTUQ`qB z5Mo|;CmLZ5O4*v_JHx6t%XjMTi^NRy1Q7>SSe-@Pqo2m+gg$4~~k7%yoajLS%=MG}J}xjid{5A#EIKOcds5<^Ki+J}V;e zKWMjH*L2d2!i17an~&+g$pB6fyT*2QK|HcnZ*_!}0}IQ0ngN@<*hB3GWbYYGpb^|U z;kj!$n){{%@7@{C-E;jGvpYc|j;b-bKauGC>n?b(FFxxzGEwet4|Zd=Vy7}vUsQvO zQU9*b&?Q~A1)=Vi{M&V808>-z;N;oNVUOmtEWIE;&!>cW%!EaA(+BeS{o+WkA4;&| z;(6g+E@9 zEAcr@#_0BA?0fAbCBc;d>;yYw{NrJ~%0ty_Igke_nUA3S2i3~B>a7Cx2H&lp$=EJY zM7Su9f-#d!pZ}Z0STMbg>{tMhy4)Io)U4;4movOoyx7KUCyAN zVrY?>v|v%Z9X|=vdo;F)Uo422eHR&TK}(M~D6e&=fn{lu-(Vxs=;hzQySN!{UcCA8 zJVoqXn1b#6^%6~sxnir|T ztX!r)Ap6wOwKnz$;Fmr!90toQ2_bt4hVEWbV-(dUXR)A5ngmGwOI*e;fj!RBhgGUS z*9)(iHa3LszPf6xfJ92-NRNAeQq|{j-_$B39mrIJ`y-1rwvgVHXCD;FvV|taa?)&Y zxIPr^Vck!#8duq1J==&C5s4{OQq&rm_3q2aWVLZr`gYlNvlt3(V;L|}^+R}(SPb3i zelWcVBeoA``44+s-Va~SB6jFvD}~l9D%ErxCtqwtF~zQvolPxIA&10m+%QD%^y1~s zasi$jMKufJ_!H}$i0YBvR*hO}N1|iyGBpLXRxHRlXpohVlf}3RF?JGZw^Wklp4j4! zT4OY4GZ=uyY(C7sw670Y`A7b}WFU`SEWwKY8XZ>KA?2ra6n#RB`^o*=1jh=Ex?!Px zwuc!$N!=SYus_C>3dl=HKJZ%=@>c29`rq1FTb}*~A(>Jb8GFH=%UnNoD7j>bvjRm4 zi$lHEV-+-ZOzt6+kmaZV7!}P>B2PVtVRZ!R`v!#5f=0=sz3A5WuQHj%KiD~QWgjtt zfiopSQGvE8?7U7#tSD5WQc|GUpe6Bn^XYOep@Nne*NS|Ul!Oy8^1KttY}yGK)s0^I zq^1eRXZTd|Vo|(9*>AqYb#Ak`FBy6@tk&r&9iPLDD|>v zhLo#ExEp4Lx5p1s%}WOS8xBDwdj!#KHT225lOM7kBAFj33tT$5d`Xj7q;4vzy=3?L zJj-uOY`pHewY1`F9nsAVx=6wlcq9BrNqHVGDSfC2nrOm%Uu6cW{LHoTLQB$an8Fc_ z8;t8kWjB$TM|9W=*CxYIs5DQm%Ea2Nh$|4VoIW;vGQ33Hy046l zoG2i}LxM6t^b_GmNWGy{3&%dWsrcm9B)^xJ;*G}9uNx=PQZI{pjjuTSYRFwrIdLE; zB7QPkAcZU)ZwjR(+DZKJc2w1M_R#fMt4Q27*kw5*-oQyPvN+ni!ODL7j|V7obs$q7}SIn!)vs$w0i+C{W(udB=jexdYXt_6$Dh>|m26A-sNGQ#MrM zkG=7gVlZ*!=~1W;zDlX;MXfPL28i)DvpBHk_I1m~?5U6&;f|r9p@UsM7g~&?@hKPj z-vWm^_{EerhM8Px$^dI;9cKNDh$O^VV>${(XcAM9;bwyqUZWo69Gw~Rtn&R+bBX_; z)%aPSo8tbpRiU5Zr4J{4xZ-GR!o{>Dx2oEa2X;`LKX57o*9wJFpl!AW>>^x3Fc{cJ z#b^Y)OT)q1QO5_gQLYUuJLU@tXCD9JSvP- z;!6!5`ab@x->349lS+)A{{y@6NrFp2{fME3+oYhV49XHafxowL((U;R?Ah0qxJuav z1i(a_wS`h3`Pn?kjuj*hJS62U7jI6)iTcL86}LhHI0z=#eDTLS$BJ)?UvO%lbXlB6 z!i2I!ThKf>DLA=+1i7(=SvsLc1#)gF53r^=A{72`&?tWthqME zkrJ(l5RsB1mvdWa%RQ(Ix!+oiesvNzoO-9Am>A92RUr~1a7=)o}eH??@Ppn z3sZwTI+rYdNZ)HqP|^_?oz50sL7yWgpjl9pYp^0O@0#M`K7x?2O~L@{q}b*~rwkQF zy^w>&8$J%Tc_(Uhmn1TLrQ|eB}Gi!gMOpLg+aP^B4*fvVYpw$;v z!D@E)8QrF{2PV9^_MFoWkn_A36ZF6 z=3d*eb>V$w$Iy+-v521RO#%8<{C8yy7T$sHG1@oPg)tghlJ%)?dGO-CVk*2UzO{^) zX#7lkellsfeISQS?1%vx|JOL7^Ji=zl~D!GVtlwY0jgDsCu_#PVT#!JBI3I-mNjdX zxDoVp)rx$ly=N0R*E9@LZDXjMrCI~w8IZWby%n2nN)T4m`sEMKO}SVfzD9?$46rf3 zc*eoJH~=hl*_)Q=ks*E4U$pt6eBKOLZJ~<`8hJHNsR+E9LBMzZ&>PXPua3ZK8c(fH z2ydMz<&ko^`}HOMEt|SrT(78sn@7z_I3up(z3D?y0LK{-r%%U2?B4CpZ&~h&P!Ua# zY6CnboO^8u1vkv$vw+%}acWT!cD9hxP?L#3Sj?BXS{ix=?;EvtzUGho11=w|hO2W2 zLA7*WPXPuCV93)&{pYu} zNYm(CD`pti179@F@xY;+(KeH&#_-NoEo7IAApU&JZ!Q{z0RU=)ahpkPS-$5&7E}xO z03=FPFy+AP#P|FA#Zj@)5xX-9l*D1gaU2efp5KgW(`)ajMDNhi$EyCGbLcB38-f86 z{f!Be+%>xjcPwaR$*_J^fvi_Jy4$nCsvPcGBJtyyzu1mRm^s5duFu_(5C|je{}<@^?~NegRAm}zLa%+C%XE;v zd;0eCe-7$6A#Py5>9>qh{gaNkePscZikX4p>E$(K(YTRheJLi|`ZEp>1D?LC)a94- z2I8^>WF&Q(ZbT-7w2Gtj1Anl|Y<7OUQzwoEsg7c`&9o2zyp>E0>cZTS4D&Zow0F>) z71k0(5-=m)ju(hKL779a0|JDaYYR8<0zKR6X@{cx(^FW(%Y zL>8xFyZ<)5Eg<59!Lu$)Et5L9PfZ@@$&luHW#UEgZ>0tPJ)%H@iB|(EVr&dsF;;sW zG^&9qqzt0*U$_QQj1jX#E6R+Kg*MB+f>zCAuxPak>m(7|4;wdRdH#gmw1JmY6+KQCS&WWQo9%09(g z@p?m@^d|KDy?=QeIoUEC9bHk+!EPFKMxva+l44Hkh>BFgO_c%pO05cfKID5prxtt> zMXrwPRC79`8dc)Ds;us#z%0y82BX6$ea4X7j*7E~B>}5M!g`BUB6b1j@D#g#L%7yj zvVtI#9WW@CUKw^iYQ5E)z;*q~#9{>Yz0)XC3Aq49{N;bNh8P+~K;ze&)Zw41AD(T&2ZuJwThZ>#{{_vus?Jf9ND>*9K}goys-XPKO|6c1!!#t%DB(0Cn!eZ zAmP7&$i|plKv{cqmp-)^6W89J~H{O_jA0`=C zlbNDC+9n*CXy+uhh{%)+@R5JQk-H=uQ%?J^tp%*T`f}RmZMdqL{;Kmv;Aaa3?eT~~y8%gq zePA$!T-ZR5ubII_o8vY>*i8=@eAU3af*iI^a#kn2lV@`g@;WfT%w9l;IsSt^Uuhcx zSNytd^Iu8gl3#f}K5zXTkSKACZ5bhZvi!f>M>|3+6iw%MBu!Pg^D14J^QD_F3LVMF_=FHO?&p@eanN>yGuA`-QXe9ikoKRqs>I9^ zr9Up_`JxPgI>DuxjggxBwq@0KQY536 z`XER_=mB$FcAXte$C10LRzq<>x`q5J2FN+pg3asSqbJ&V%CeN6U`$0qkh(p9p zI#Yo#C;h}!a8p1$VSRuU?z@&J;2LC9;Mj~l>li?@FoC`C8wJ(sLXMvb<|pk0Bbliv zrBB-FjEmy50|Z>Si|#qTkezEmkzcS4*eC{Up_q7un+4lxNV3u&cD%_4P9!sS>|B$7 z2?Sj$N)D0IR)40c5UTqe6StMT~Z?UVE1Mm1IWffr6Nr{xb;@2OOd z(Tq#H;<wPDTt@p-uOAN)s8e^B}A`b(x1ANU!PIAB#e<&UY=@ptt;oj;YTHZ1&D z4c6mU9(?@MZz|7w7K5Xfv_Q;_x$g08l!^aB>3%z%2|R!<#lR9n9>*ro1Kg}GCrM}O z3k!j5v-B%0>Ib3Ak!Xi7wW6EzyQBnsm(ayo={*aLn}-ppoE93}kT~VY!)ZioNhEot zeKvOJ?NHs{_hLQB!?0u}kUoCP9Sp~jY3K&%Y-no^CmF8Y5?CVFqj_^qShJvHKYOjJ z(D)*IxlArfe-@(_RnlatHT&x+j%SG0W4E>B<7zNNQ0bh7Y|Z~1&A`9tZbH@fP#tyr zFFe8sV81V!h}z1DRyV~$TX74En4>8q=aowJ5pjS3U%7g9DpdTR_c42O!ImF6y7Kk+ z!rL#)gVcqT9FCK0h#kz>Bc?Q7aCqsfGW?LguLiF%=OF=-HMmYC(FDTR(u^@?Vo^%_ zOG%BowH79&k}EyioARnj2p>Mbc+5f^&md_qI}cr^a5k?P9kzto*w=(mxIel7F8fVx z4oA4$A_O`dB|m9y3?vl;%%uaxii5W;LC+kRhgjvt$!s6ViLLwmdk{*PJ7Tp!jzNhG zff;JiJ@_Li<0o3=nv@i>H>vVZ!y@(OXX9-wIZ} zCbuX(4!wt50WNTu1)Yj0AW0te63k_q(&}MAovioYjv5J$!rV^2kk+lB5?Fc=OZ9t- ztsw(|t|)d?BEAdt8F?UqrN~zygqP*vb%@A}8qn2j=#6(r4i@tv1=olv&@cZ7DI#21 zabR37tkK~U9rG!D2{eXfKd8P!)ok%kq2jnUz1`zmUOc?zz)G$T+11O@89=dBS82rm z=T!cD%yF=0NWOjszn7Ey%#U9$2jLR=U;!Kn#1Y_x_ws9WKQL+&4o<|i0A}l(LT|() z*(%t)*X6iHHu{t&mL}TjJ-f=maP;;sAdhLRaqgQ(;k~9>ME|FdtT)7`4lw)y+S@-S z00Cxi3LCSkkAE31Fpb^=aRd*wVbTd!x!{$RdMyUYKwQ86NSd?1snhXnTwin$@iidj zN_kt)QquaTL2>p*@fX&mF`bECvECz8%Xvb~4mw9PYVgIIn)K+I5$gyb?hJuiYuf&9 zOaVGj^NtBA-5Y&HDtHxz#cUeHxy0}E*gSS-rObWDK`EL29F=D-~9nUa%jb41s3#@&ivU2^sK zKUQOx2=HX%!yKSAK zpzTR|{D)hk-=LaQX)qe)+7)Li?C^03^*n_Dk%!E=He*g3Z%)OAU9F^a)99loFbxKC zW=;QQxk((WP*wQCFT>BCJs$whu8g`%CGU;f(djJxqdb#GuZzW9#Qo3RCHZ5WYy7I3 zs~sSCL6L&L=M8f0Zt&M+I;44TO~^2$--faFl%wKxj6+eefi~MailYQd8(&5V*qe#uVT9GXa=Vo(s8jnNgbUF4 z0_`BwPs9IQ_A7j`E^=aBsmN1D;yFmHlaeEz|@sv9Fl7P>wZ4% zl0aO~2|9Ck?KaRocsrneQxh)8iOCQseSXaXoibOl2NHm#Q|8IzeAWA_2W-X~R;Kw% zkgCD6F!g8$p<{^{=>|2mh3+T$uA3t{w#VvUIsrAq7@RlA*K}GiPg~MPqD0M($^?Y}q+l?WZZK<#ZR?)SOQ&=3%wLTQLi>-)M-q=(;RQ zT$V~;H?>l8BvWF(dUUZTv`qnQj(Go#06sqCPv4Ij^X`edy7c94m!&*A*ZNT|4rJ*J zyGA2y;tFrK{>Z*^3f^e4?tH55{Ka~>;ahzA7s5%icqYMQq>=gHwj~7RFW^*HFy2~2 zQMsM@?2NF>!GIgppsx zym+#7Yp{T=)ew%A{&+unGKeDcI^WlwTnN9=HsNd)%Y5OROqR9Czrm7XBoN@GoUS#I zt?7-;l5{bWAd0wv&LbwPRsYix41Y7~#!|Co?f@9=`@|YOG5e});NvR6Y){^a;W`VV zmye0`d1m2E|9Ki0<^YIaKNWKb#LH`b(-g4lZyZ(uP90bJ=z1K(5L^&NLri z2k8;3q*!^?PEzI8DPZ~tl)|N#V{rIZWteKYf7r1{npM=%+{!fbI#)w#0dVa$lOE#B zxF}om=#r;1FfB;THB=QZA<`y~X$Tk!Eh;e!DFN$Fn7E5jyn)pT{6mt`C%d;A+vb8v z>6Ms~U^0FEDKf@gm%tCxrlCUF>HSgb49A{y0%!^iWY&rQ<1Msmwi2U0aVRi_QyQdV z@1e%q0_3`x9y3+A8lcRUGGk&8yRhozq_)$L;jJ)m)?t%rH4sHB)2f2vmIDah-0VM( z!pM4e?3__PdiZwT1NO5Y2gf?$FL4}i`38dC8ON!7_^d8xSZ9UIRTXS1TPV+Vhi%Zp zYy``3lM_gdyYl4=DPCEBYeAZ@g$#5@sJ;t_4t-M$%}X`@h{gCpdgF+fv`gJ>VY~xKrvsc-j{$0k zeljM&;A#&Ad>c;dNWVc_SWmTH#lbdLrc>YNxHC9bB|%~eEl9nEAs1jjdceTc=;6=1 zcY9ZSCG*!N4dAj};VS(Q5u41xrzOCyN?AO6ts45Q6Vc?k+RSrZk#1*q7c&f%?fJ0e z)tNKl+4WKBiMBWi-;1(lyjb(iokTQmUP**Wj5C+qJ1^d86U6sNLD4e(k~z-$k5&Fu z;qHk}=^P|=6D&sdAibD-;$%jJ>di_X-Cw;|8sCa1r(O+I8Q^e`7foNRupQYJvv8SF{g&3s-b_Ar~jxK*S)`w`S zcVBb2u78}-)r}iT(T$RqZt<-W_-6&n(MQFc4^|y5deJ>;esU0j?5i61SPYJJ5cxsE zIa(qu9{|}p!OeL`($)4k%+SB5z5%>2k|><~dNZSL5G9mha;~m3QqI%n9RU=1qxJnD z$oe@$ef7V*EM+us>Lw_f_uM$FhT#}3w{|NrZ?>D(eIn5;hBSLlJ}@<}nQ4^zP@~an zF`0D#*wMm()_tkw5`}2|)zmW4!|Kgk8HcCgzartRuXncEbJ()wAw*q#1MC0)3&wR$I1C@iYX8AW@F9Oo1AOF);b#9m~+}5@Bn8H){2_;9Du39fnKH7_BrcS3Y zKlB2r-E^4EKP}h#uP*@rnxNDN;z9$8i{8jS*KA1;PsY@JAmyg&=kI{s{pkjhLN;=v zt9|Nyp3T3-KPeX3jKntKv;!3L0C&fk0X=isdf=E1)td^IN^$bD+J~#tKh88Z>VIzR z)P3ym@ZV5)?j#whm04aJ;PxohW-%IK{Uf440<-BH2xl?b284c$Ny%`U!(eC)Y?F)A z$_D1Zvj6h{QsNIq<{kLcdVy*M?AK^HlZnJ~rq8O|%}PGyX@d-HsVF{ySqgwmU5&F` zJ*-N}Sm2O11_0eyRCV6!4Sk?#pOVV#wQIT-HOde(2-eTgU;Q;<`f;2x>9s9Rc}h9H zF`JcUh_pt-9kamJu7ff1!J3aO0i8_&NP}0ix$SfB&ZqV@b>mK__7xhtKkU8>!2p6D zPJnO&?Li8$1@JM`i?^hzS^WY-S}mwt2-YYp?-7D{eeHCP&|h^gp4KtZ3HyZ5Eh7r# zLFh$dOrJN3s9Ka=UVm?n;Ck@kU^^6`BGG=)8GHW#IKzrQ1vA?f3IbCR`+`6Ew}h+j z@v44z5^3dz8T>-1=67Fl_Qf4FaMYA#8oELggPhBiGP;ogE4Vn1NSroKqfWb|hRy8} zE%}gZGYrP@?*62mu&^|7zUSaX`&)P=y1q~gPwmwe+$(js6o`tV1x2O@ObZ^Wv#C95 zE*CyXVBZUmC1M;&uY?Saok9Db(NP$d6dKuy9j=xpPSD2UV+*EYYI)CJ79 zS{Jh_9l1}`p&B1wv^-CS{kA3lHOzpk#H9b+p$OVEv&Z$+apVD}zk9$?O`VbK%hxU0 zdMHZT(i@&{k}r=6U&xU&)5SEr(aBa6ebY9cD02$x4DyUSjN*9}qI8_Nn4tt(_V@naYAhKe~)lTFyR~tBu)hVX!q3`y2c#O3+Uij_;)uXENJH^iaJF8s z(HnOePcP160*DOs3ycFWBp8hC`@QFkiwX`-chHtD0#;}2KCl|3`-J{)K@es7zp3BU7xv2@g2cKYHMpW8|qbI1u(!{~R#-IEyG7_t2IS4Pg0t>I8;f zBB)*uu(LTC%V?o}*ny1BIg0V6Q{MJ4Q}x?)=HOmBEYUX+56|GMk+)#@%V0e_MP1rP z9R$`gfY-1B(B)CSh2OO@r#^AmgskRWb zkdFQCtuBUi#JSGe5`by*mTJ}*r%{_g@&>yC-^c!B^6!bH24ep87>V1-=c*FF)1Vq? zJkxTm{@{Ymt(hi~gC=0tzr&#yr`tOETV&C+Toey8X6%>IFC?k!@IWKxd&R$`{NiVE ziniKllut<~ki%iZ;av6KM%=!Q>?PmSRgC|X3!BakTHPEAhj5rkiy$%sBD+sFD;Q1v ziy)}&nB!QavRSo52YL?=+xs!V*E@7;J1R6-;fpzpUCs6}@^yRc!A|~O8}F9RWlc)N zpHV`h#|<}u5a@BxJ#%Y9yn+b?do=|swP@J1t|?jZQ6_ln(!QluhI2*c>aZLw;iXXE>qWh)*%ujw)Um+@qnj9+(9 zX{31Z1c}vM9{#w_fi-(U>PB7P*h5OnO)EPL5VMHSTcv`J`{KMoSfNIMF_dJ7Bvxf- z-03~!So;vu4t+4Z{r6}^SoEqKeEF18ez-1^{fx9hYOu`Ulk&@$=%f;=S_a5xp|(PO z=ALyD+z8;ctIKz3{(m%mbv&K_|31bvM-S7}Of$_9)7@Rurt|3T>6#eBw4=MbV`{pY zjyam&{r-F(zw3_t zh-!3VgkEm1STPeH>f zDrLBR$0(nPd!_+aeifI+0yOL0ZbrS2-~g!p`0a2!ezz7G#SI@>P}nagDP?dz z2(ooO=aLAx+lW=cFh(?k4BFlmV@1$Yg=0@TP6O5ZQlJHHI;OhRVP=6UvC1G^&hgER zk82Kz=cVG&_g{)(A}r9-B|-5@2?a8j81^nL%=islJb!?~CtGcrbs#LsuQ_pr~d?|`hhQ>`V z=rZSG>O@wVRWzTTJ2)Q)RGIBN@~_y6HjC2f7iw?udre^H=99fkVAd`p7q`Ct#1qz@ z!~1om3hLIzvU5nPFh{oD%swrQDNX4Xl)y~cVHP1Ps*x<_0n`IZlZgz9v^t)AT027M zK9ZrP#%l~8zUJoJX>>hF-}KcLBj?Xj3K=ixMto6#UeUN=%cSv1B?q&hrpeK3iDxSo z0g87Z^C(9Gl{t;J<42}Sa~Y*C801KTp8*q;;T3lL&wEZ4N_?D`0BMN%f!TIP1x=Ef z_VBhB-&6Mc9DLfl*HjrzW-G}tw`86k#C(~3nN6U50$ez(si`QDaL#w|(B>(S-((?M zMNa2(b^CA+^#~M%0OYq9!{TBs(LY^PNJMk>B%liQdD`Q#mB9LiwGw^q9ov7Q$oy69 z6}do4J>rYRamerwG%8QF9+Fvi)U?5P4U71$BojE|Q}w^<^AZvM@GqK;JFij08e|x} zeH}QW>7W{fEO#qQ@h=AC{LS$~Rae9 zrU`UDqVkbV)ntd~{jB`V&P`n~#X^Td<>W~!s<=5xeY;>t)N(E!I70vRFr!Mp`3k<3 z-|BEuDN@Vw>;v9xUJg+xZ=WbL_4Y^m(1S?O!TR)%ASZA_d}-eozLJQM&&NL7aOgybWM!l6$rS6wIST6pj<)Wv+{gMV0G;ntbO|6vP+0yXeJIZ@q zcfT|Qwp(<1sn!z2zDIYtq^0S4r>IGN6=YIK^U(iWr02@9#+II0U|%d?fPe)Q^}|e} z@MgP>;#B1y=0Y66FB$WjlQb+3Qa;e#w)lEy3si)Y$4&pf47QPz;AWCNZGV)(=;HA^ zV%IMq$Z4GG>dcA%7G!PcO89!&z5EROapk>K{tbat>$~`GpT6?<95z4x-YM(S&;eEuqs3Hl zCaA<9s-2XP|20BvE$7m_rlDwc@ww;&9T zc^JF^mR`w#b6O8G`|6N9aA~e|I)V*Fd>2RpevfAG=07h6L~nxrXc4m179(T*;VoXt zVCzb$Tn{;n2{9&EkAD6uKk6lYuomMvG}}ZH$F`CCFG4Km*6V=VQ3-->wqJ}<#-m#QO>#vmIT;MHsXj?&U9 z=OJM(j9O?Uyb-#$jx+R6egL0_rih%}UG{8>u_0(fU8vlYad#2H-?vYe{{CjRIe%z4 zeV{Q_51D*ZrfEu4aJNgYD_NQ-MsYgz?q1*dL~%nY8vY*ia7w_MB8t##BcE$*`C{Qg2tJqTS0S$?N`N4>lT|R!`2zC%?XhKf zTj^Sn_EPa^q(Q^<)CAuK#bJs_$dMc{I|V2bMYl8R5$sCOOqy_0Kpv+DOz}7zPyV-Cg4xQeZJ570M-lOA7P&vKaoysvq}d9SC(DjLacyVpup|UZE~fGDnuq zZc8CUIAfo^{X<0R$Ta_nYlp3G9C+*S^EB<%gWET$h%}O^GzS?pznmaY8WI-8`mX^G zUv5BueX04bV})}XaWgaAPYvCYtF%);44#o)Ix)G2HWET`#OhTvnaUm1tY+q@mVLf2 zgZix6W>2Xuc9^mR-pf0SKIVw9QhE<|O{x*C4HHzb%$UVxgzn(2+0pxUP|w`4j@`u9 z8FVpnM~8QSGe%Ww9l9IGi^wcyAL!S}QB*IMX~kL^;_2 zzFhg5$I$i97ML*d6LHf$IzxTUhv`Dxc>(Qsy54&-z{P~FJI3+Sj2T&@K|%Y>v86LT z%t}jEfzq~?;BH9lAaIn>^zC!oqUlTm`YSV?&V%K5sj5w&S(W*lJ-P}%F{ST(2XMf^ z)FXQO^DpMD?Ap6u(bXg3(pM|U{VsX>cO@g$hQLL?=?O3KuJ9@Rwlo!YYsaZAPN45! z;d_0(v{GXYXkwa4H7Wt;f-*MU6Tl}RN>df^+f6g&LEU6#pAWW8OD>)`GP8(5*%uO6 zw~Ky{vXW`?h1?I1%G|N~RVGK?ho(7R!oskHt3Fe;DhdsSzD%zJ==fv^llzukLWeWs za}l;U`wL4DT)&L_o2%!@i{RL1>~h~^ttvXYal-I6>Ze@Z+vfOW?QMF*ZWj6swmGkHRKa?_E0i5%;MNQM!>>p+y zH6;nkN0_i%i5o#?1YP<@V58CZd2sA5@Uiamx>$i`(AL9D_(vzob8Vl029UvTj%;&Cb_3XzxV z-SxF*_@=sUsz?MJ{(Aw=meG9`%SCk6eC?CINt{%&{}S9VhA5A> zed^Xu2IE)?kkhhCrPe~RhE+Dd#!RCjn*bR_`Pef5i80?qy}`M0;|^bb#dqA`#|c__ zD0Bw(m97^S@9^U!qzGx2m^e~I?6g8O_B&BV63nwGnqQ$xfP@LtZ(%dCBSd^Z-<++J zksWVMq5s!UKnkzMag0XTgu2(4K%0W!6I`XKjNI#;%l^j$pq{N1PL$$*Qvt)fLZ^Ii<1YgC+i7IZ1fO z54}pb6?AbRZy?A9=KWiggvcU#lJy?G+18AyjDJRZi-9^7jCd?@DqX7}ypwHHgbJWX z7AZ*n>u@)*hE@|ins5ZV6%b@>5A4Yv{`%>lqXz$z;R~_|_j;XPU>4GUhGdv6t={vl zqo3TFT#%v+Mo>70S-p-_Rs=zv8oxn^f;5}N;#1|rC?1edbsNarK-7h^IaAbE!(m)X zBaxFInkei zjKO|*o(F$9_Pdatj^CQ^A9i-2vrVLmuNW(&LISjEW3m5$f>X)c0iftpI+=IG8)_*6 z6(#AE3g1JX#JrV?lArj`@DSfDrA8BkFzdudQqEATH={LOQZ();21Rmw&&xoiRnlw@m947&kOJ{eo`?riFim^0Z5yy~dzsD|j0!uG$ zN@Pre^+Z!>yE-Wxr_0%Hl}A$fsRg#v%;;m34i941kItMd=3$24`Lo6V8vgdK(qBfh zJeS%l*W0hsR?&_O0q733`ecjxilmR<1BVl-`R+$Gm!WyDvKHE_qt_ZAfxlY6=caH+%*E>M6PbvJlo8rO~c?dJvgO{OWATxx&qjv#wp-S5$f~L3m6KjBPBw!C>a!MxViyRr*(I<mo>KFvbAOs6>N`p)S>@z@jwgvI9I2=Gs(pIM2pDdtze7mE*3}^=JYy77BukaLEE_{k{#8_7D0Gu*GtAs4!DmI|XT%bet z#bR(+*7iZuv&3oy&;r_^uT*>Qk9hYxT2{C-O{6+fi~<5AK+72Vft?8O z0|Ru{2c;4^f^c5|f*ujO7|Y7oHNpo0N66;fJMy%3wjmXD;TO0G)i|Pp+J3R z?iHiNL9znaSy@=+tCzf4ygcJ4nG(MY*1Lp3t1x1d;%~oy5?M_WRT~9hy2VK53ydLkfl@yJ)>)^|cl* zNW`fKW_KTK>IWHjrUh=)UAFQNt?m{V8ws8!5X*B6z`a=gZl#t0#Dq-@@RVy3~&275EFFD7az%J8g-T8s727;4bdxU`bw%U#A@IjL&7I zCs;6o^5RheEo;!iO!+bjF=i#y`E_K?cA4enS0zGe^huK<$D$}oqV=Hon8;^9D5wRP zCrK&Q$C@9*pgFtPEJK3)P%kkadF6`TDC?erE$86T_XRD2$8WPcVN^=hZa$^F;-vJA;)M!`vBOfWVvZvG@4H*!=HQzV56s?xl~qiC z9g1@-uQBn81U#7`0XICeU&_@0IjjK88Amj^L+s6cy(e^6nrCP?R7npx@h&j7nz))nWJ})U!bE3+j0nkbpJV z9|8u>G{IHo4c&l?v=E%neC3mnW__p45GhvE`;ETPF(vw~LrZFuKd8d0v~7KEPb~j{ zl0m`SiB0P4N3Gy&w&d5ko2;k3C6R-HAgRRrr(|^u#+KqaECH;t2t5*3VK<*I$o{>BvClf*OaA3uhuHQp(p2WT1t(v?_ZPDP|y!_^h~fNS#W@{*@CU=S7Wy z61^>yyQ{1DY*rm=onvC{Buxoiav`#|pMO5xS}T5rZ{6@>+h$}~!Xd^lWP3aP@ei&k zb-VAIC|G7aa;Ax485ERRd$)jGVw;NQaF*xr4>P1^+F$2IdhD{Qha6^Ob~A_nqf1iM zWRh>^YW$2GJg9lA27m?mDd`I&Uun4m`2TO&`q z==6@%UFAF8HeBbWD|Qu7v*s1IS5G)N{nW{T{+5c?#&GO}>=nI&QL=I~h>W3CwH2O~ zctJFXd@@z1y&YomhYQZ^sK4f}BQtvTWJJ|W9p-+Co-Hq|PtQ^G9MZ0HGt`#$Pb^L+ zbvKL#(t7`I#9Z|A_L1SPU%f|#wRPvCTXhf|T+#H;s!wO_ zvN9>WheDDEFsbC+`pw{hp8dcT!!@YeVZs;p1v&|^puwMHFMRmenV>0bq@KBDjZBfL9>EbN5h%6V{O-;RU29`M;m&fVQ=rl1wuh& zp?LSPNxpBs;^a|nWdk>Tp}wPL-!L^Z=fh_>xFyu0_8#w|(2t1om})BlayieEgJbh~W^GF(B~ zs)QyA)6U1_!52f~M~R2_?gPT@4*?0+A5RqK73KsRZs}n*p@De>hu#z{a8I&MJ&$$s zqs{KVNvowhZA1nl{I!p5#5;`r)iO-ii}lZT$Dv1bpGF9+hgPG@CE@l7?0?E@yfgA5l|=1cL$ka+?U%sm=IjsBjrO9=$9&O9QZi{lw-lHh_XCHb% zRNXGmZ|P@F?zX4gY-QeLk1`gGVqNOzL>6^br-{s80 zAolmOgepVMMi*wbB-#D*H?1`sd*yAohkaROL1I5%ZSPHX_>;1hpTYAs>e(88A-0W0 z)@gh&!OG5MD@6&C8-bZsBmY)+K_UNg(J zxu(|8J27D{A9`VEk~f zEAxKJtXw$9E5Bf0%VxFOZqTT`5|x)Wshzs<#Nrbi+-dZcBo)**jL9ZHwk_E6`|JU7 zY9mo2gqOKsG+tS*N#+yM?2<&0b3n@SI!p2bV@rLl6++w<+&DuME?#Bn=Fy`So0`Fz66txG zWyR9%ko+DEmj_(eZ!Vg$;wrP6AIHjrdD6h7pj50QKWoP%+kde*p)-==P)D$1>KTZu zj#1nRLUe5Ficwf(RUPbXUy62IJuhlpyg!bF@oXcO>E*nE3kam5Bj~VFSV=$1V<{_` z>#UpFy~X`o+=gRD`k}U&f{Cd(Dr6U9ue+c57JvoNrEp}hWNB+mCu#OksESHw<>+#_34k7@)}j=5q=}gm(}x^N*{Ja z$8-*fF4lLbkl5*H;1ooA^<{cqdDC#hisYj;v}9{1tT2 zVxeG4WrZ^-SK%%vI*+MYl;06qoGQ0+d--R}rf$O_L{oMb5b!#^B>c1A0c&2b`;}Da z1D*|}Uo5MVZaM;KI%K}>M~~s5D)9i!9Op(NjQPg3u1rv#?(9#0d~%^OEHyw`*l5Fe z5f-M__NJ&&G*$NJT893zbNJ{&`&l?wBd7NJZs{A8xb^IN$_*U>hI&cW(p5h^oc%s7{O0Y<$Un-(sbI4ec*ZQIi zm6Gtornf~vV6U`lvaVa|-@b|yOL$(i$T5|KEw4S9fzt@C*$&8Pj^5i21SuZ$Y4pTRip14O$bMt9HEE@3x%Tv3k2R^r;qtFEXsvT)rJhbZ0YuiD?Z z&(G!0pNNZJnO1O#As}ToT*&fg=ZLatT$%}_lf<8~E9uI|{c)TQ+Ku&JOm5-!@r#1K zoi3npD8skrxwzZ#-)PPVb_RmT{T+)}+IC;B4KUT0bB~d6hP$ZSZ z>0pNm58SGZOS%+hs9Celc(lyv7Sunpe9xGbOeNCO zuW|Cx3d{+#`AJ(*-(g?_$(6g}IU)Xx^6m9yYIiYS ztYUf8dW|g{)CR6QeU4&?5OXkY#7s(w@a$jd+P)qq48?3P`6mS*+v_>YI-5FYjibtP zj-)}4sE$9fnRi7;Ih@MNN4mIeCaC3!aiKHmpWSQIpH}OsAca4AR2Br;Wa~edicg^A zawhlwGp#k>XeEEa!C}KIkmiMI*XXy_MAUVo%@z8nS)61tHAb)$zV)PbdzGB2mO?4k znZo1CD~hd~Z4Pj-!{z<*9a)h09b6-)KdKKzX2)}M37b`c^cz)ZMAwwzkvJ1iYg-eO z!_+~U8cNXKEk&&&I+XwtoEHk&8z%zU0oc2bEfMxk2LrR%q+}h;GexLBMiC1@o;tZ- zeXI>vo(rA3=$)}E*lj^*yx;kIHQ+8W(mmhI@`!+VJl&9{cZ$AVivXD&m zH4r-y#DtMiW#ndkkfa1fW{nsDvnZ*gm5-Rl4O@NrU@Y$@%%~McSm!ixhX#WsMm=kd z?dOkx(PN5x#+4E2S~ePFh2_kKey6nfgbLh1FHm5WrOsFemalj(Y@08)#+>4jr@Cxpc=A>LYEqFLVN=nm zBP`N`PtKtW=kF7%=6TtqE{j{|Ob(_(YGeHKY4D9pEm2wxvM|K$-=w6YE)U!iH=GXl zg;JMHTY~H*_m>lnXjmSOa610;KTY?d1mIX;a?VRyHr!z)-^9W$4)HYnHRx_k_M9cR z`gkVn)4PVc#i;xSX0jRtnvrq+q0?Qlrkn4>uWNE+({xYZ2BM~f!XXkKvIY_SJ=s*T z`>4}TAlP5OQlhXEB*~V3Q$AK4Q%-ENO4^c{UX8W#^9ln-7QEJ|zgaH!#f9+LI90Z> z(H2AR<>kirf=Y75FVeMTMtB?=E0|MFOO&AbCWsk~h%h7gYqE1|rn8{J@gy@}Dd!aL z%%{e(LTNm{P^Z-Pa$b?DKDHxJWChRYY{Bqi2H~*I_7wH~ve@>he^(VLBo$I2pi_w! zpjfhI!~zZWG5ve8)M@%?4R%9-y8w09U!b;=f7{R|X=6mQo}r8rZkt;A1`5t__%*qr zBlIs>CKmVB<0YSkrT-_an;^8`&uQXF)0d5A%dGc0y}e!hgWtj$#Sd9|lKs8{ zDGls{CIqGD&i2rL2%W`4^INPS!1Tp2TP99&11rBIk_LqG&qUT?W0#dAIQ3tgVCUD` z101s|l}a&5iF>@Id^fhRmKd4vJ95mhQ~@y*z>wZ`lX+iD{J0G>aW?x5iLxr zCh&zjGu1nkid+;#1caFCBOoq@ntFhk%)cG|hRuX#$ZL>p-J_{y4nm5YMVTeFW;5s; zv7AiVo@VPiTC3I)$8bFYsW?MM2s)bIe&!q)Nl*^#8NII&=HmS7>t5Fqn6WYf zRhuazJ@Vu_tK(!m<%`{VEBd*Ds9kfYXm*!Ezu?pb%>E+Cu6z;E_=7*Jnl>GatTr~V z`^bnAgtC#)3gmQ5$#Kru5}%T1?9rWnh)zsJSm?Y2oo>9Aw9fun2hzj4WhX6tfk2n} z=+`IORNg#sltJapNxmc5#x&;nRa_91sdI#_H@y4EhY|$Rnfc)dm-qBZJWMCK&k0-0 zqE;NteoafPb^Bi0<~mA>XYA99b8gN&%RfEu6d%!=sXHU>?yR>2Tz&fo+*sk z2+ZW$a+}=Xsxm+pDUBPY*p^c?i0Zjm+12^6e%=t}O~!0(a7#=1oJdGuH<%K%_L`{e zb5h#wrkmwd95^7VRI80^)~R+nkyVg|lsNxA1%|wA=j|k38xP`E2!MEmgo+VfEuSZlaao+vtRf-=sM>Ln^Rd#HaS32p*HITW_ zr~`NRIcWL0Hg{&Ay zS63Dr7p20UdrgzXs^_szjMHWsYzpfpsMc0f8ONpFmEXltgHRN37VvIGicatCIZ4I` z3|DqO!Q-iCzXauR?^@v%-Rq~+1SBy&GUsQ_S2Bwmxz`OhFM@(IT>>ae9*!Mi>(Qy9 z%lF6a!_B6^xIF?XS~S657S-ikQosTsv3t8zN~s$WaX~|a5ROfmPguhiVq|B_icMQf zS(VhzLz^*OxA;c_Mf~JPBH3NY%1*q%(Z|F_Mc5)bBQ(+v1-{#@M*S~syJ5cTJbT9m)d^+V z83bUR>vOLa93@mt8%gVbKo=&_p2A~|G`93DGI1XPY;pxCfJinUt($T<&lX**i{EcL z)9SF;@SZif=XB(PFv_&r!lzgVZalW7LolcD@5ge~7ti{>>ATJuq8Q+LumNGrc*JcD z_vt$m8|0fsr+EK0Db=hIa2UTpQKNzHf7_GF{T*^v&h z&PqN@{N7JXwlmy87mQj_fa|#0x;!2J1<^(R79l9GyKHFZR&$x(co18wNA9|*M&>ZK zJ9ty3 z{8Z4{f;vB41=f*>!p8LB9!z!E7x=R#+pB{(Cg)?VZ`mz@VqNpG|4dq%#=OYUSm1(? zD519P37Ty*_bJ3+6WN@cUbCv))&sl(*TCB0=z71JIheMTqpJ4+R))3V&*hlsNrAW8 z!CbCV@BW@Rv`gl0JbKgqhhTugqW`nw?SM(&!;UaUh)~YvJVhsI1;2M(*=yO|JXQ0f zJ37aM3t~!sHHW&7;D}ML1)Pk%>kKMGNPk?S+z@P47iy%?|)CETa|%t!BJZ8>fdq~ z`=B3G*6l;q^$0Ax%&Grwtqe*_a0#nIzYWBfQtp9kR3d~Ambo&UG|?-_QB!S;PW>N~jQvK(m< zf5%yRaJL+6{X)?-iL2;hga2>t#E6j6Ci6fFCYiO}wjzm#NyvmxwdD01&Sj#`5kM0f z}%NK|R1}zeyF|!}Rq)tTn#;H3{CS);_AR~~@v8;)E z5AxXV)Ca^vtR@ax#ZMxxS5<##Wl5G(liLy2dXsQirpC61sUzmw26o;??qiS_>N zQ2KDznXW{)zb6%~m5OKehdjobkWs_ol%ete{m%Vf*K)72%~EaV1)2Sf=d0_T*H|%b zxaLR_F88^H33294zo;r(?&BIT>Lf9NOV>EZ`7uG{h(EzCr)n+Q3_?q?&~7tx zbGw{wx%v*VLYVtFIy!F*h+jwdREye{RRRALE8qR2`vJE$QDjWg5B77PDvsX03gs(vyfD#55N{yf3+J zP{%PG$>UsBdwY8pXuq1PZN-T|WNrciIwndC_IAn5AoW;Ga*OUMcm9bo^}n>KOXdv& z@q@Pd72}jrzZp+!w$Ex@t}?j?j43?BF~N7JG|-ce_+LRYJ-zI{AS@I*HhtyU#QTgj zf{5iWK0#qrP@~UA4@IGp_Dm6=GF7DxM)%@%S5XIGT!e?p8!0Pe^ zw2D6(BlM{&fv$L?Ap~}9<;->Rs3Nbxkg#%|51y-d#LvO@oWA;=_l%yXFaS%$d={;?z=1*YHxL=)v_$uwTra{_dA7G)4qOq4s19oWN-+0v)Hj>5& zFL)(7R6xr7;4eqf<|dNa(lU zzSqZvLZ}14LwGQz5tTZ=Kx`eTct1yH<-BiXKzQ&|H;HntZeonqO$<&df|){qV+B)n>2Bm41fyLgAZy)7v>5X z5?6_IYJc=YT^vntR>$t?za>64>ip@NO5UKV4-P|8f6VK@6*o9-_+w$N*4@_s>$=~s zbFddroy#=;NHKN;n}@cbQ+!&&6T|{tT3XT*nl#($b}Kz`$seEWCa;(Ux zMq8K2Y(c&rtbTMmqxxF^Tnsz}?L)1L^9_Z&b81!-jE3l-V{lyl@o=>>C==1s13Omb zOes6Y#Jss4g8dx{MKBnNkd##am{r#98T{v4BDc^b!dUxp2d(3zQEO|uNf3dKK~$&S zw>b%t77lCnw(5Hh9foIc{o5LB_%~?*)97K4MGRVm9Ps;^42-(Z8YkvPZ2Z0$n@FoZnRNr z(FASh>v7-79cE3FwngEh0Q1jFp8j*o6d{?c$_q44M{C3W}KU%DNs35=r(>>8TiPKK);P4=fe zbH?AS^ZyHV=GQSX6LS`ko;>fuqViqCi?u+fZ`O!KUN2+A*O(cJ*0uUJf z_XJi)-epamYxWd^v!@^TxS3=k{w5{@Ju&)t4E0pjyZVgB(?a+|zSLo^A8Rl8l-8ys zOimxI$=Is6!;rXEe4QI^(fZQE$OXb8;hJ1N$+%R1@>VSJX#0hLC?_bRaq24B&pr`| zjo{k7D=75uXD=A9bsL!qaUA@?tLaanZ!7xaLwv&WI$gb=;RF0SrADbxWWzIY-nV&> z3gmoRX?rvbM;jvJpPspbZ)I0~xg98_g$G&|rcFWB&a7C2#05w8lt)IIW{In>hnfnc z8sadwF4BkE<^00nPHWKqzUTDr`wjD6> zr;KeT5xwt_`0fcQYlx^KUc$%APIqU&*M4_Zahe|K(8FsV2Y;m>U$KlA#c2<0{H3LK zBKZ|5=MpVUa*ATWP&ecG7X!k!?I}j-syqn&Q`JC%iM%9X)`IOLUX9Bu-f>MXOOw6< z<8=rtJ}@z$qBumax?0!2n>CV%Fj2P&sv|6t_gLp{-36I5&09DdPJ3uHC?bvu>ei#* z*;kt^>3Zez^?2|{%aZ3RK2Te3F#1#y+OK$IRJ5*eR1lMgn8`rr??&K637H>7TjkU@D*5L^`I{qg*vGk+}L{BMATxX>RkxzA5>(E$+S>_hdlGJO3@ilF_Xch6}>wtCnLI+u-_q&<=~M@o2knEE+n1 z_IxK`uFL=aAVBqAep4uxZ!F;#n0q;-otSAJE-&bbzkPCuk_SC}E5u2KeIN{M0VDQ; zBGAcv!)*&C_l=GeK~?{k(J#NME4!atPG5U~`JPAB%oJ%mTzl^3BSog@uU1RKRtLUb zC!_ai&yO_r@kj)KMLEwk7e{G`(f7F5H;-OD}p8*~Rv;B{jB zuHZ9!r^}P>ef#p5zxwF?$x>l<1tnQZmUj;k3q=)``-O%Ck(HB7|lrYQ2OdTwl%Xk`;3SdvK`{10<9s0xa9s6np zg+qB;yqFjfKT9HF=U`H$hBcZJ2{rs+K|#aCc$(r|BD>f-8BW*4LMTbRd`A4qMBXKR zy`mvvXs`-y3qLaw4Xrdy9H1pksEg#IK z*D~jcrA6j{CzMNXj5t3b$C#qU1XU~}UzKH>>4tt_j@1Nbs< z7oBrgJLj^Q>TNXsA>r%XD9Y^T{v;&HK|C-{C7SFpd-vg@7aiw9990@ePb~Q4KakPC z>v=;&xG|X;5~UL2Ik@~a^cI@<#!7{1i5J`lsa%)T_NGR7tY0GNE68knpO@xv~n&YXSL3;}I5XMPbCj=S@<*o?GqWCU?GtHy4{AoF%p(108%w?N-e6 z1z{!GGBt36t-0ygtu_IfA3Qay4W?<UV@X4sQ-jqvlpakf=|#ck#41-h6bW2c70AtKw^}@3WBdcNR>TzrzVN zU7VnB#cRZTll6OYeB7Ym4uWkt^L8e-ER&wI4IzK$iEHKf&TA{SE7NdUR?#eqf&R7f z^dod%V{s~J6l*Bo%JhM5!20Eg&ti|L8UO+B>4e<>wyOIfoNK>ooTL#4CAJgr&K)F(6a4>!f)>Q_;W8!c5yX z&#Aob)!O(+Z2e>fIP)Tf95zbu@0Go+Nf%v~Fo}8I&F@PGcL09{&48ick$2e_sdt~8H7R~|1t;E;ZKxFzgCd7}2N7*g6$4a}WjdLI4Ag9d%gP2+EIaFED)FlICM%}> z{az%`kOFTD+VVAtyyvvJFtk42Ys-P<`Kb({My$rv~f5U_y~C%JQ0nj6Jo-Ey|;e(#!;DmG&iQP$@~1ZH627s zlD;NGYyYn}LXJ8rklKbt5Keb5q1mvz)w~gF>Yr&PMeQN>tR@06W;A@H{xVn#77u$w zq|hFb-iwie*tVW!L(#z2MSfq1S{v<2i`i1hK)vDbvHP)zDQV+^O;fOOT-ahsKXpNE z@IdihV8rKxX8S(WsM^~B(3=Y#_&lrBm|%~Irs!1tdHEJeNkjzHjVCUrab+Tsk#joV zD@gK+0A9k{P-!@o*%%BB1VwEV@Hd7(?Hlq515P*8H&@wb!lw^TAjgUg-a=4l5-_2r<8SfBHi zN6v=%b$`C^kz&&WT^G7sk6ILA{XSm&HN%ZxN;DtssEPD0FqoQ33npk>OB7L)8iyKh z7}OVGRRCu3-DoCIH1)d-RG5gYCb#dhH4p#1$1WuBD+c@y1+S5zVh{N^OK@Fl)HLfQ z93xp&p+-F}btPen$WE1ja38@ojR<0(|m{cts!L@&}vQRJzK zS?nFVQvfr|kC46r(?QxxYVs_IM{9ix$AX7zb9)8c$OY(d^h7fMbHOPQ4sh*ALgXN5 zxUJ!lYx)zxhU^0!l$E(w#gaL0pe4b2V*vx$cJ`d*jQOjRY2K*5znl{PH2izepuXbf zP#!=pyF}{GCpa<=E4&#*FgFf^yWIL+t$=2V^n_qc)R6hy8g1nM9w&%X(}rM5J=RHc z-v||l6N9aORVfr??jSuaFK_L6pWChnH&mDzjNV)3H7Qs!fl~EsFy2@Z-JlA0JsZY- zooH?RKMF*+=0b&Nw4Gz}F#E@sKNnhVjF2%N4MQ2p+^4n&q_>hg7XeaKsd#<}^%OcH zLT_j{t!o0)2oB9tJU@PGxHc_KDB$WYI2$`<9{reI#5*8qLuy9YkpZs$o0h2>mKpdn zc`tjjfkLVtb4xEjhd}ez0!$OO{~KehT~j)-y{v(uwY&2x=V0{TuUX1WwOK)t4r^T9 z^N-b3C%Fs|JRC)C3@$3iQTF>c#Hg!knM9Jy1qKxyaY$dD;g55V%diZ21NPDi8BLj& zF+DXG$B1nY-{pr_iPg4_uQH*Gwcj%i_XW13TO_eFT`~2{eLY!_SbU{mg-ZT~pnK0? z6xcCv7%+I!_kO-(O&%^skro#T9&+?pzvLn%iYaO+7f8n<*VpA$iF$a5rz~*3?6t#~ zAy2o6IV4Yz8_tW`EGyU(fQgHIh$~z?&t9NX*7V~RZs;Vp_Ur}EK=P2r1 zjfy)2M#9gItFq)1e&MPkd~6MnVE1;0yYfK$y_uRg7SU$;k(8gQbQv#kh^lV6lG^p# z5Wa`ldQ3oM7u)m36Q6Pw(#j5z1LaZv)K+pNO1x&YJvU&c5 z#HF5;Ji)k#B;N0geF`&cfwGg(^(EnN?KO~cUI_q!a*EtKNu!$d!?c)Fq^03TcBy6higsnCkn{V|ydsbk)%$^umTA#m@Yww`P*5Cn}< zBvfKpLZCFBLiSW3Ro{gJdEhx}>Z_Jl^QMEe9VWM>gMtOS+~KmhtSym@gX6K{8m3{Z z$IlarcH-B#P6t5VFq2l4Yg|HlD|rDw3CX+&Jm1&nayo#GyzvCaJmu&Bp%A0MyaH~t ztw@6V&IP#Q>BN5XNcL|_#^^Qw)h!BJiQX|%KiJ?F?qeyixZ#ZAWx3950DgtLpugZf zbQF4X8~kf&93P3enaH!M{=LN$yE zT=0%V-P>o!SrV~0l>SFTIZf%BSV6@|hc4~ZgxM1}ve~@-QJ<7TuU(ocHgGTyge@CJ z4`flioN|5!38$<^YQWMWnFblo^F~q0L$cfEe{p(-_ z7v}+hqV+=Iro}dgktYrQd84xaHg#6pceHG5n&$uYcJBX7_ir3GXJ*2jnZt6YSx5G^qP=mlASG>foOQsG3QMix#FWQ z9qjxUzj+EkchZ*8YltNOruia4*|Lg@vmQW7>+9Xy(qsaZXp!!f@mlG!?3|Nt(o|lJ zU1)kVND$l9@e0m~T=wk&vbOe^kxli5soSwAZB1M>6f00b)&h^I^6}3K;rovP`x_F$ zS)@+bF=4~70#m(fQT6(Vd*N`=?bcfvwsrFrF3(j9TM*d61IYE{N%?e$ak932fbsaG z3+C1?&6~*cQ1y68lYrV`)0a!X<{FbPln^$Z7HV(mC??vBE(B>t`i2B%KdGW z*}IFyZFs2G0>4jE_ur8G9u)we5$nrSc2GD1OPcj-gYCuW3tyR;J#Ji}OBm^+$FCNO zO;iFp{W0iWl0Wf?_w~D;^OsAcq-$ipmG)41&on<4=(}QC@j(e=mh3rpoRsFT`lMl0 z7TstbADqDa7-sn9J1MrK*d3!+QWs**+YRPD{eB2bYdz*>#(F1sfBQ)BP>nx9m^Paa z!DXPEe-CbU7h`Lmu#!Z3f6W~G(-t8$dX<)&Gt>BXAgWWl%@EMXinpFYjOk;U9A%ny zeAZq*zd+o)75_8xy_mweq#CZyp98g}Es=BkfH|&g(X8Ot#Xk=(;!)0~La#DJ!xB78 ztvKYZ#EoA?xOsi0nqH{lK0%Bu*s^iF&aLK%kq7U#Zz04c&?aVcbUfwK#d4Tr*m0vX zM0mY*Y|jB?oq9Anvka|{ED=IOau3OWiw@qq8h$7$5c-Lh_HdiotJa2VUC)b2uyTO6 z;sl^79`;+$GUq(%3Ys-&qWwdq?nz1Zn*;xBSjf#fflf@#(noSiNhK@vre*ROov<#^ z(u>UYkbMey9r%6LCKBo_gNG!XDfzc|QePqY;QjKj8%bG;Gi*Z!VprV51$e)MasY5y zW^I8t8?`@Fh3|3Il_zA#s`~g|y!TWUv3e#KZ%{o?n{f#9+_pnB9!-mk)o}{bQ3KKf zNY0$R>bW>7eMs` zI?hR{xC~!u2n^Mm&>6&^jr-MV!vI$_njiO6OH-{)ukwMMe_=KvaL088v?nD<#y$>? zp-gKdDJHMB|4|}Z+>mi4%NY|dMQ)kx*=8*hr#xu9MGM9!{2AgJl4)WDA2d|)K{m{- zOxI$H7h`$gD30UXY~Rh4;j%YKdR>)6GcJ7diJ_&Mq9TF9%?#dk25Z14!&L&;l-cGU z77dMWNaS8WfLB%CT1zxqGC+3#1{-}MdAeK_x?k1Ju8!DEQy-Tg{&#~*ZLUm#AyBfiBj+l}9lQ_D zYdq;AEI+ZK4K=R~P$}f0!hZg6GOPslfU8YR8!~AJ`rR=4seog(xn?fS(ZGfCT1*4QDJPg*vp-{B zqB^}N;kll?qNrhe#=RkAD0e8P42#iG_3@sNMOTAb&!P8}!o7t-!&OAM@8WRT6kkB+>nT_`HsXTT)TmAT|5qVtSCoI?DAAtp;uS!)vVb8|G(TAASwar zi?JQO7;^>n;HaO$Glx8{PiFj~`CQ)#?h}hZfv~f;Gh;q@+!mau%s1G z#7LCydR~1*kJ`tkewQ=fzL6`K)sl^yVvo2I zn)>!lrDGawZ_1Y1in2>+fMbCXt>?HWN&*?}`l|6k#_O4m7wOqG0I#>Z5GfdrYm4nb zWp!^eshY1&g*Rac49TOFt-aT|d}7xZ@OWFgwuy-T@2L>+?U^sXNHa@&R&zU!#cvQp zFVH8!1y*_%*VLW|bN8#4IbzBV%SgQ3#iFp6PZhMbfmz+2X-+aLT;qO@A(ItIV7Zv4 zPCmR8%AO5X@B#h%%BVprufOJgp@u`>llIN`agTdI#esJ0a0AbO+%S*+ z-kE3-gWN)^%RXNEwR1|!2rHI0Vk@q29++Bm(Cz;Km|w^> diff --git a/lib/cli/test/fixtures/react_static_next/static.config.js b/lib/cli/test/fixtures/react_static_next/static.config.js deleted file mode 100644 index 8c2623407af2..000000000000 --- a/lib/cli/test/fixtures/react_static_next/static.config.js +++ /dev/null @@ -1,3 +0,0 @@ -// Though this file is optional, there are SO MANY COOL THINGS you can do here. -// Read the docs at https://github.com/nozzle/react-static/blob/master/README.md to learn more! -export default {} diff --git a/lib/cli/test/fixtures/riot/.editorconfig b/lib/cli/test/fixtures/riot/.editorconfig deleted file mode 100644 index c0e747256502..000000000000 --- a/lib/cli/test/fixtures/riot/.editorconfig +++ /dev/null @@ -1,12 +0,0 @@ -root = true - -[*] -indent_style = space -indent_size = 2 -end_of_line = lf -charset = utf-8 -trim_trailing_whitespace = true -insert_final_newline = true - -[*.md] -trim_trailing_whitespace = false diff --git a/lib/cli/test/fixtures/riot/.gitignore b/lib/cli/test/fixtures/riot/.gitignore deleted file mode 100644 index 250733808b79..000000000000 --- a/lib/cli/test/fixtures/riot/.gitignore +++ /dev/null @@ -1,4 +0,0 @@ -.DS_Store -node_modules/ -dist/ -npm-debug.log diff --git a/lib/cli/test/fixtures/riot/README.md b/lib/cli/test/fixtures/riot/README.md deleted file mode 100644 index e33077a461f2..000000000000 --- a/lib/cli/test/fixtures/riot/README.md +++ /dev/null @@ -1,39 +0,0 @@ -# riot - -> A riot.js project - -## Build setup - -### [yarn](https://yarnpkg.com) - recommend - -```bash -# Install dependencies -yarn install - -# Server with hot reload at localhost:8080 -yarn run dev - -# Build for production with minification -yarn run build -``` - -### [npm](https://www.npmjs.com/) - -```bash -# Install dependencies -npm install - -# Server with hot reload at localhost:8080 -npm run dev - -# Build for production with minification -npm run build -``` - -## Reference - -- For detailed explanation on how things work, consult the [docs for riot-tag-loader](https://github.com/riot/tag-loader). - -## License - -MIT © hypnos diff --git a/lib/cli/test/fixtures/riot/package.json b/lib/cli/test/fixtures/riot/package.json deleted file mode 100644 index 83775f2af6c9..000000000000 --- a/lib/cli/test/fixtures/riot/package.json +++ /dev/null @@ -1,28 +0,0 @@ -{ - "name": "riot-fixture", - "version": "1.0.0", - "private": true, - "description": "A riot.js project", - "author": "hypnos ", - "scripts": { - "build:js": "cross-env NODE_ENV=production webpack", - "dev": "cross-env NODE_ENV=development webpack" - }, - "dependencies": { - "riot": "^3.11.2" - }, - "devDependencies": { - "babel-loader": "^8.0.5", - "cross-env": "^5.2.0", - "css-loader": "^2.1.0", - "packer-webpack-plugin": "^0.0.5", - "raw-loader": "^1.0.0", - "riot-compiler": "^3.6.0", - "riot-hot-reload": "^1.0.0", - "riot-tmpl": "^3.0.8", - "style-loader": "^0.23.1", - "webpack": "^4.44.2", - "webpack-bundle-analyzer": "^3.3.2", - "webpack-cli": "^3.2.3" - } -} diff --git a/lib/cli/test/fixtures/riot/public/assets/css/app.css b/lib/cli/test/fixtures/riot/public/assets/css/app.css deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/riot/public/assets/images/logo.png b/lib/cli/test/fixtures/riot/public/assets/images/logo.png deleted file mode 100644 index fbfe95e79728bccce0ba20a3993644b4bb28fb0e..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 33983 zcmV*XKv=(tP)004R>004l5008;`004mK004C`008P>0026e000+ooVrmw00006 zVoOIv0RI600RN!9r;`8x010qNS#tmY4#WTe4#WYKD-Ig~0Du5VL_t(|+U>n*xOG=m zCc6L6l?D_Pq(FrNeJs7kuFA4~s;+u#t}h7*A%rfd7%+mNQIJNE!UmC|P-*lEXxShZ zib7d7AZQU$xmZ{rgdiX!ArKM*3CW!Mw0rOSL+)t{i=8_1kq+0w!h_3!3+pf8$dCU=zbadQuYc}{xmEl*pU(EFh3o2pjXWzy7DJ=6L95K5_0e3* z2Q79RZkE@(5tpqujxM9gI+3Uf`|2mVQ((^Ghzie4heJb zd^5-_OsgghR8A-s*1JNMs_^ylu;m3h7m%0z+urnQIWJKDO2M?ssJ1?bRkpV`ysh-9 zM?5w)Smw#ynP0D&bFY^@=p|JDS}xaH3vbHann~{MGTA%G-pX6FaOmuURrXxU z`TRnKt7gd`x>+uQZgJ!@m%<@=z<-rlEuvUi-l*%2$%z}+OL&I(Xq$je zN4!ABIpinz-OW*QccCl2l_O5}o>BHzg@nC1^>G!t%KB~@yHFVi4H~%y7?JZq2BBE% z%euXwm_f7ZePNbc-pUuTJjpVyVzj-hBA#Hf_cYsEV^_^vytH6VKhw|jGyR<5KO+~c z5zyY=h4v))ZAOH#TMYUJ8MwvB^yFgRGd7Sp(}J?e-V>VDY|!&uiTd9pr850YKhw|j zQ?+1?&b#-vHP-OPne;>bMiNIhbze!$F;xK_gbz7 zCNT?NEZ^HB$k8TydkiWHINa$k6bl)1oa?yXJ!*xN@v=-s(3!i>s}g~{G=_O7-EGn`fS0QY`6XtUg< zSXkGFe%i~{nqy5YzeCE*iZw^687jBus)F&gK;GEPv{h!vtXxui>tgjo72M1k{*2W? zc7e&>&Fvi;-_(akvsJOixylzThhC@N7s4QavX^ePH>4^|vcRoc$vn|ZFHyKt&7oF( zJbVRzvzMQ`-rlmqSnl7dIlUupgWj8}GJNiRZ%y`YVsFiZRs)}&Z6z0e5}k(Isyl4g z!QOgn&gPYedX)TD>>VA>jJWjmk{RW+Lwy!?!_3QMZ%y7~#K`Pn)w>wwocic&-=J5@ z7MHVeBa8^hho**#+-yKcU(fG7t31tVnU$?j6Bt@;=&f>8+PfOqI5qCmLGQx)S*?b& zF-`Vv%ij7}s%ABq4dS<4_0a|ndRA+wczbz)SA9xt<0v#&6(V50RHeNOaj(_o^hBBC zxU#}q_TGomPFB`oE6+*6-Woh}`Aqh*Vovssws)xC(`(nNpi6ktKZDpBHt$~EW+OEBu-#@+h*v;*&IoxFLN!vS=)@{|P=G4PGmwf_I1u*2Q zTK~Ex(^Q$+85Dc2su?+IV0)`RJ=EU7tqg{$%+8i)n|pKS?A^S`TiKGbNj`f-=6G9) zn91Hv=w-@J3RelorP6D1w>5dhRT17@iP#*GRw{F1 z1{DhHeX;UrCui@_%FNJ5W!xQAxklGKb(6il_LlvIn$%E#m2g$9Ji4l;fZyE z!A|cDQBz*&1#pyE8GDf;tLjdpUf;I9?lXF*Rh`^yA>ORCw{WFab&Vi{95u|>;Agx@E9m)uoO`-n(+6R-B;?o>S9=#NuH&zm-7Zz_V8Zhk9=B!&R1KK8? zz~Fqy#&q6TW%3IU`%Ue1nj zJrS2C5FBjAMtrepJEu>(V?463cm2n1WU=${r|Y9Q>3`v@Ahh&ByedNDc^cLBc5fFr z|7c+7Mn-$(od>RQ+Qf6!*dc~FjnH_tv&Z|>^H5HW?BJH3>>X`yq-V3U7gH0-g(M$k z9S?y64xsfab29nZq9MO$%z9v`NVp7v{D3@p77W})Eeo#DWdU|8VmBf zE-m5dE5c3fmb~5r4WBkf&>L3HyA7X;p;Y>R`mmvk>?$4@CHp?OoMlVn7i%f~yFN_X1l5`njf zgpFJ{jpICiiUHlRQDcTmYiM`tIM@u%T;tZ6GI_+b3EwqGhM^i5ibjqydsUoOR70(o zDtVy?*c;R8k1tQReu2y9jW<0ElKv=fn=ZSNR_b+n*yC=VXGM=?BUf+_A&)f_Y&t*L zyA^xa`7cjv<Vm1X{2jSeBD_kQQ4AIIQ0ut`8GafrWUD<&aVlC7(8;0F#Aqn; zOw*ex#h6|>=X#PYo;`j|bwdRVMk?)!6o@Er6Zc%1?lxW?XKLdt(ChzUp+9~y=QjznaDPgIi%0r28PYng|4GTiz zga_dOxR5D8pckE95ndeBOAH9(37n2nyY!9kJRLEPhnzx6>Un$F67M1?ARLcuTv0fU zGOs6c^Bt5X&B`TvVPuCej&2%s_xIT=W9lwyh|Vh2J4)n{WQ5C>;4n>A935v`cA|y@TwPk%!1Fc!3`>iw{sy4S24OHfIuQ7z9jX4a~vJ z@fyJ)leHp)D}oXEY^?DV2J#3`+4_olDzYY^hb+Cx0jWyhTKShQ`!29rJv*oTPC6~! zUmzDw#o&~ou=0_1KAsV9>*Tt)*u2O(34ZZu8eN7feIzo2n7ZoTRrU6&T(8W0=>s9| zhF*uRjd%s|t(JMuIm+h9lOsSzxH<<+7(q4==F<|OXR>#^y&aIM2yKQYFV=` z$_pw#Enoz`%fm&-kaT?cd%0kB6-rp?oi`J}s(^?%1}DmVA^!9A3BH0Eo0ny5o ziFb=!2N8!Mv*7YTjw5zlIC!Y8+>zWRYp5XaX>q@b8#*(T1IPkK@vxTF+Y2QgZExeb zenK!kjNIkLB70LEKn^8F7FAK1G{8y9n;}0`{t--azN7%a^)eZ*LdA9QDtwFishp0 z&FOq`^prP@Py+$<#=5Elr4n%-s6=DdbGkF>%?z$-udLNz-e9tKyuGoZ2T=P~UM7qA zNvBm(~w_MBA zrZGuz+>{QJXB=`#5ie2%oEk*FL9FAcxZACsu7yK10`lhMrm7h?2{9*dbMRe}N&{Ph zHesl}-BrWOmyX-`*dTnbtMbUJ*}z4Yn=%m@8weJ}>TiEn6p_2*!W|M)oB|*5U)*Hx zM)t_ADEU0+m2#VoV9N~@kwkXaBe^VYPJ#RtW zfyT}lgNVWfc(Sr~JlQ+WUWV^MSyR51dtj^l3O|N5Aif;X@v=(Qs85|&F(=@}7(WJ! zl>Q=D2I132u2448olx>ULp2sUAC?|37e{0AxF=)u@zm*ah|X!NzaA_Ap0%f!7X`et zhAJU^q1Av@_HuHRt%kk=+>K}&IBl^%VMZ-66Jv;GDf}_sMsRiTV2L!=}wsJ z9c8ZvPeLC~xHVCx%;+VW>R>)NKg)JJLUTaAc~VBd&LDDN_6(gSa~be@qtN!Uys7~7 zia-Le?4|kh&YD_BmeM>|ClJt&mDU^%3qEC@2?xXv(ODKLo*c%<+nuXOO_RG`1$&*R zvbSBS#FmMGpJKIJjsw-ns4ogS(Xw!1cZ@siNpdZhN~zlcCNSAM-rh(c0s5%P+G{_~ z;x97+Wt2!Q2?s?Gxm9rtu=XPk(<#KcObXI>Y~nEuA02l*ynVMe8_c zx_=^{N%$^}99?UjjaDW8Ec0)h(!78lhW?n><|(6ywnkGF*4&BQ#L8o?OucHw6Hv zaN0E@x3OkLBctOTu`eV;G&aaygODrfTt*LZ>nq>aci%=h_}EL7<6&Vu-8h!VT?n8ybj@AtImK|-SP@;n?er{`|BoN zN?Ewc-i_=v^5}NnhI6TaI89@=0*6Iwf!&%@K2apH!zQa%w;~RM>FUfsO7Kfnw=^M?B;X{Alyf-#ot6odK z-d@be`TzrZe9}alL|4yFm^ER$ap=~1Cn>D9eoFPGQ`B*oMhSSmkWOH-cci_&M1Zwa zg(?9zi%8(jSa!#~MUX^y$Qxa;8H<}DaD%2z$$(y!ILBmvP@6>hZmzb$F`afm;&a0F z1`5PzD7}g3{M^o(?LIiwvCLR!CWDt2srK~&_Nq@?{b?|Fc6P0x@M+e3WpAWzTQx~+ zmTVESgC(8JtR{O0*=uCbv7jWm>I~fg>${P1Sh0}i$PBmrjHlc z74kC7G&W?J_XaPuOji~24yvf?&5Ei8F}Li+?wr^|?@#UGnj=UiIDAgdqinC9Ln-^2 z>yWS8IpjV~Oyrim&V(2BzwLvovSPBg*Ivss-@B5ajDS7ntcJ{+I+jbc-!|@{#I%?H zs0~e7M8}&X5N6O?N?=>9>cGX!^Y?kp2t@$xZ1ExH5~;Y$RRc|_cPeMEbqGJm-k2Gx zd=D7kt&SQt;j=FsH}pNUlf9$uwTM4`;g;r2OEo8m1K^0N}WXR2DtEe1~@20#cVy9xYHeoIH>Nhfx5sy)1VcG6k9q zN_;n{bogZNNPFR_q~$E*;{&wNlj6<{RvDnw$;)Xtl@D_gCsy9gXOn8K40US}oW?t# z)SwS~D1C?qM{6v;3TGLTN4LgI@j*4O=TA}Z$R??VK6*YckW($JvbT_=a8yzRAfjP! zQJyDc1YLqFC1s6M=L%|@R>q{6?A@NdIZ&v?sb*-|%|p*j6njt=P|&?_n)IGh!alk> z{}xk#s^hv<-H$D_RWr2~!Dqd}T_-!GiRD^ja8=18DB?gR)+R8`*4vdD;#Hq#tJ|Sc zbF#*c$O4}O5+ZR<2+pI*!2|3CmPD*osRXk_GBzZ)z?;&`_Ze25=&rTwbx0*

*Hw z2O1ysZNrbsWbY_@8=C_zx=gCqp;nkv#BFPtFTgI^nLO^3RI)sn>O-X<&B1C=C!2#a zm9Y90)O4IJYE%lK8lMwJ4n$V#e6(oVp)yEh+vwJE!03!DDJyr$CQ@rClKJAHNQv5c zq~f-}+i$PF9J;LBv}Vy+f1NL@1HMfyd~JTqynk{NHnf*jS+?-?$=*TsD#mbAbO)H$ zwPv+US$smYFkjKhe`^4&r zWU`K0Lp%fMxmDQHP>O&NfSvYGfD4zXbO3@%q8O=7#A;*MUm9>IqPU=;;8TYqH_%=i zBn2QK28HyYVM4XN3@q{*D6jI52>oxo(dh+HRpvgobb~5(c2I&~n_bvZo?R4#Fn(G2yU5z!j3 zzkh(e4i%r&2@i@Ef?=*GI2N52WRw_1A52)U#uc+H72O*xu=Oj1ElNcQS>wsxQTAdS zDsMc{zLee9B;BH7*md)>BySFc%EuTLx`#Sm#6)e*nrJBf0B11pqXJZ3pl;@f1{>I> z;e2toIv-sKh3PSAN=RI%>AD=!6WTkI05!+_qHkG99-+N*i9taPJdF)?Bhtx%PqDpu zn7vU7sW}tb@6{E7Ns4R*Qi;=?(+$>Im)ol=>+x>UpW0WP$kFLQlf5JD1$_V{(dE7i zAGC-J$V3Aj+spuVTg`*PBAl1lLS$`+LIV(?h&MmHE0CyD<-&ag@kHbyaIKki&xq@J zgdllS8IV9CT5Sx0S40FV<5rpN_AI^zyzGLHwDD@F^oGEudGfOa4>z!sC~8yGeXF+D zQwhb80uro&*pV;E{^d|U*ij5+Iia%>N;iO7lFg)q)izN69A2@fFxflCUV5snpSg)YDHPp*JC00VAUT{J(IM3d){j9# zQDjUd00Bgo>J8w7^d$w2Y*36*S>+qS3>$lfl0p?8iKl&_bp&5xig^++5TRj0(J0v? zE9@n5NM@%H9Sa2SLdT7U>J%OY-!z0&EvdPPR$k+^OjN=^Vku)Hk;F{)Hj}-Z+bfhT z=q_?h(2UVB5RDKaaCB+GLS0!wY#0>Jp(KPMxhfQoz@daLmciKTq%J9QC`a@jJ3bl3 zVva*~eDIC8E&yielc20u{ODb$JI@@%UnQq4l5%7mcu)6-ML|Q7M_v{LHR6uo4-PnK+VkRscvudxCHda0v)~4#Dw4#9a~8Vlur>u0?%Q9}tNb zu*PBZGpf>FkfNj*nWE%O3k5h7*I>0VtI%mJ9IcE211O;}C^RZ+Eg=NZ`CM39ZBWx? zh`mv|42=*jR_Z=N3MGLjk>>}W$&^L`y(v@VF`~p|#FV1y!)K^)P>jHc;GOK<$X?ln zCP;PCaRb0j1&&$?5k^>E{S3TT>Lw#fmJCufh(J_o#4D|Ni;UH^x;;>O(Lr$Tm@kUZ zXh%S#0~>NyTi#7)=;e#i=J4zi3N3|lR$2w(jJV~RAhBzyh6vRp& z))_;CjzF)yN{EY z(01S_)WCPjow2~A1F`RdfhZ^0a(8#0xh1ePtije0iv8h{l)FIasZew9jF4s;%qn~3 z`W}s|V-ni5q2VhMXjo@_8lmaez>8=2b23C4YR+6lcL>m#?A^p(M^ax|=N2|WQQL$$p|X}s0hedb40?}o^f zbzU*pc`B%9C>}kemZ=k7-54-QmQb_!zb1P}+Uu>`5*QYQEiwfxqDw(^-YtAHgG$xn z)eB{|tj3$9f*KN`B(3t4&k~rfWTrGomztdO`8bQ3RswTf3(BupLM17{h!s_dMF>bG zrep*&d=>0Nsl-#mf6US)B0mH-U7_aS0DGAZT&m=v7KX$3q+`VZBFq8xO~+@Lv%i?T ziN@J5^B~xhWYI8L6yuY<1ML+tscg3h`Cc3&HH6>oWWHc2MU<15>{&tj0u3Sz^4&&~ zav<2$JbV$@FZz2odvNBVtQHR! zYjbHYDc8G`Q&MsU+ovY$2|1?bDxO)*TC{jX)3|C~xsGmiX@ZB~S>AQUd2E*29oW$Ut>)CD@t$=+&v&B^q!3`AFCa0X6ygG9kw#HKz& zcB3CcFLqYX2DUe&xSp5o%IPD*1Zc^1u``Owq^d;17U<^Z22o}})TupZpB{VXVF_@c z$i_6UOdby+CDl!G%{g#q(Bkg49#TkruHg4Jp!1}UXvax$fZWCA+sKWN>lCK5^l)y zWEx9#NhKkQ*f{i)B3cA~W@d-@1~l`TxeB}1Qbo}2m2?NwS3-fRhC zf(OaoN8}KeYEBKOyDzUn!Q9NVSVTKvtW^&(a?K?cCyt^E-X@QX7`f0CJMS_SLJG)7 ze118LyfqZblzC(A<8Ca?nQd@01@g`+?9E*QOd~>XX^tx~Cm0j(&JKzi$z(%?4%Wu( zN~7|(&#H(|_HN7GT(*H$OjjaellT8j5#{uWP`KJvEbqDaNHL~5p_#RyB;6i+cFwLc zGQnI{6VaWLnZ?e_CerNv>P&mRnzJ_<;Bxi`m$$c$x4LX^<~8O`9j87C7H<#byuP4C zttwxt2=^biyJS_8R+GI0?e!Ve9ABL(O|kP#uzz8eKD)Sr&LGqmoG!acSh+WfvW-V( zcao@P4>NFK)nmIkZ>Gwc@#f*G1a*z4atw%t82!wqlM=)$F;)5;w(kRC06Wa_y9i$Q z3d^25uHN*~o<_C3pgEKhF#+VuBpW@^6?nQj3OB32tA}bM9yc1FCKI9}>4vH(AE=$| z-O%2gua}cv$4zgEOCA4lM%^tMZcZzO!Eqs4WFq1iqiYcl!aNGu#$dHPb@?fcC0VzI z6Ga3Tl|@G$Xx1kXKuZUTfZ5{(lq54mzdLyEsn@~6Lj_fl2!=Sey49q}g(^5krK=ir zNT}n=I(w;eB8rJ&Ppq9{Glbe2!qC7o!xYj)|4(2PIV-0-r99H<*&IxS>X_`^*k1KV zYGQM(fimMppJdJ~IHg+Qm}xRD#JTKaRCaaFQ`+25I%$;BkzKG4WQ!TKzoCOMuIFwt?Dob z##g|^G6||yFpCQO&2s0&e%a80kTusCM7RRD>vd= z)njkpP)_v*RG1KZPi)@a*!Ze9SzeGXnjGOx<`PhK%v9VgzFZAmKbeSdS>?yc-i_>K ztiL5yPt5LyOgd4&ud9UoY%~@~-!45Ez6|s>Q<17(v*?o&83g~N6W`VL}sBfBBUogw= zu#EM&Ju=1=6*pX{Zdnr|Pm~O6&Qq*sQcSWq(0kU2q!-YGz%OV0$|XRsur` z`AmYj1`8o6YZTG(aS6r|MNbux^J3*>vUjAtQD_uMq-b!6uXZLP-Gd^mpwl`QQdJHf z$x^XYMuNH_t&(EV6B&2cnomohin|#_D(^ItDPz$G$|xJyF(uWdcvnc4re*yrpws4z zX^~o9s^)V0RY0ym;)XU!U;>FUxr9qFxUso?zt&#CDF!D{7JP%&;8Y|e;!{ryT!AVo zLPag0oQINJlC0+~(GW@UGLlmY*2t5+o7fv0thQxh)qr9*k?2X7_yC%pMV?jS=pBj) zlHY`)QY66^9JyTv)5RLsj&!JvDq)!C6n~crU6Qa^=)Q=SPG?YUFri=)2W%CUEfq24 z%)M?m$18d*Wus1e{s!qi)*f1+;H>a+Upk|`1s+~?>qdfe>ix< zU+us24ZBbN<(>cZ6Z5aXBHs7mCUVVe}*`70QImXN3I7QVWW4)YVs}CAQl`xY9tWyS-n2z9}ugzeXI(kCB^kMS{Uw&8pi(mQZ_<%>o z2Rt&~@6vdmOX9sQif5mSsBMFUq8`M-a5DmDX^To3$%pFFa3WT3f$1^*-v;O7S*PNI z9=myj|gY+grlAYwP7 zg4bO|NP z_MZFN75)_N$jYDccje}CzPr5b&gE@)E^hkl;`&c7K6u^X-(GX@rg!fD>YMkT|LZ%K zzA%2x55#+15YIZ5DBiJETV&aNM817NA&=L<0d01aY&o3EYh&Z%eJ@>p?v6o**Zj=S zdjhlOvy+v#*R@*JA__Scgobc$n)ET_S*PabU9tDPUq5`;HOshLzFxg1)8^u)&mO$t zf9+iS{P@Ke8Ir;cRULF~7FL_s`f}d)(&gvwAk*}j=~2TPIo~2qjYLsl|FZwS2*i@28@&xNEGOvdM_YUhII#(Q39KzNn#q$0pFPK5~2uo{~W348C+g1z(e zo}id^Ab($?RTJ#;bms)8i@AxSBtGad`!D~)bCg2%o21P)&Rc177Fi`vLKr+A+c383he%r=#yUP8NrU){2yL=5PG zX48>6i$t;}*X+o{Dy%`hn}fbv-nkHI>dobHxjbAPzVjb<{-0;YbIuQjyW5Es!ute3 zea^EcHd7}j4@(EF<}JvR%=ldEkdOhr7V~OLxj92xUCTZ;QrN=BdtJ2mW3O6#>eek@ zO>@(Xu#5vOmWNlrZ~k3Rjc1+83$%>1wbyVuEW; zB1uKqnXb+(M{8BbJ3$MUH}3$Gsp`nXD!2x{d8ooWWSm2;2kCM57K?+oynFsFSE``T z2nJ)Gl91uZ-HQkptoj^8IWU}`_XLIg=_BD){6vPgZ+(5|p+9-}fsdCnmFDZAkUgn+ zV$Ea0clQtWf9I|7fsd{szpl4eFIZ=Yz4a?pWnNh1u)Hb!Ww!U1*{i7IBBJVD*Gs5l z8AeV<)HIcPu=FWGy0nZ>S1jmqSa<86<#M^aJ?uUAHSvoc%AMPqH(hmKhlZdr=;>5f z2?s6E$2qLVl<@Lab-4u^Xoso<(q8G6eA&bIfBB8egTr#VWRs#;<^7X8;&QoMTz~V< zB|pWlUWf0VI(v_!AnGb9w<|gQ>GTI5mjpa z(UFH06`u)fN~ge9Bv1u_UL@nCy*@PU{5zj=_?~|%q)SG;t43sPs$A*a{k>oMgLt1y zWS{_gf))05n6=8J`(0@7wr>9892T~q$>xg09wWMUv7Z@mt%)JZ`AAs^fkv1a{mjl( zplMBRmcZ&YSnX0ue4TCO99FN#TXv6o3$*5Dr7NCuwh!O`vH3SVk+hw=H?{&IdVrNW zPb&7&wH>UXHx{T*ZLD)xt!m9d-S9+P=CufLzz`UMqqExGD_*j^{mxu~-y0K^FGo$1 zanRw8uiZP|8~^oVLWae-U@t)&&5-a6w6`X|mP?qX9G20vNV@L8lqp$u4Lv}G(t=i8 zXXUW6q@{Kp&=)_=C;ZXF8ssxqVpVe2zMS~XCBN#c$cs8vUPA4gt^g+FsxchhZslDg@`VqRyEC}>M#_DVBqaiQ33%dC54fAilvIeeI_=py) zGuhty9H{x}I)_!6=^jL^TzV*Gz=G)Xx@f#fv=TZB9qYa`;YF_>iPIkvZZTz+bIX^@ z<>IE#&cEr06+Ep~@{`n8j1U#XVO63QDianR4vRZ!!Lb5(5f?O(Eburbaqo-wU-Ku+ z#j+5dRK_fuBx?rMYIwj~Kfm)m&oBzOmc3o4PC7-6FC*R0G<(N|ncaegJ--%-`C2GU z5|)~$G&oRK&9&biF^+mus0!c+ijYKc&iR5oy+Nntz{4uzA?raUy%>{vu;?Z$;NqV@ z86Wf*V8759lM2nq!h*F)567{GRpe7tbIx)|9^Vi5yzt=n{<2%G#&wX4!$S@##I_b$dt+iROI4cL14OBGpN#D{jb-uAK#EQU)U( zinZdH{G368Atemb398?w4bDrXdri<+2+k|9BsH74j8(1&BDYW;{ExqhU-Z!ALm@d# za7v1UyU@ce$u$37{WIQY{srLn=2+k_AnV5Nx9K&=M_?(SmjNvbP=y!3!3$)}#*E202ob~%JmjhUZEV`vNxwz-_W;QEcbr=SE44> z?y}kd1Q$qmCn!KM>7KK95Pa-7hvlTF;DPNMu`D(YOEMpvb!zVyUSBwwHTa-$521NE z$|LuBI>&MS4L8rf{tDY(Abo5pCZYxF?qY9!wvm$VX+f7d3?#FHh(E!&=aH+=W_AZ2 zJ=ZN*SuxRyT$)QFLdsuLDj@6iODEko;b}Ozbk+D+?6aSrf9>Og5f>W-7||4Vt;1mr z4HzLL%oS41_H3)wboVJQFXUFr(Z|s2+X!q&{lY;%hwuOA_@$Sa)HJpvs`G`A@XWWj zGKZysquhLEfyM(YNjc_QrIqJ^D_r2POcHx6W``mZK3zPJy>l&7L>1{}Dz8NEb*jg^ zmp!aX%7-jgr4bCS=9|DFw`c0}Fp}qIt)+f|z*I1zMd|w?1@lqH#AIuz$x@Y@40;2T8XS}UN^dx3 ze|^3?|JEmA4>@Zhi4*`fKO@q;vOgm?Nx4J9Vac?kAl0KQ7$_InUGcAc^x}ipjlc)> zrdleYTQ%X;MnfGgcAxyq@(!1JLLzIE9*3G7)|qSXkW|`nFJWQ|l^xEOxQ?MAgrZ@R zc>y=&TVY0YbeeQolLr##Odu@-V94?;uD#|FrUfgvQVhk~<<`D3Qnco>RsPVDvH#jX zCG}=Wk(^XdNCrZLguO@UJw^0)$%hq?&^eS?sy(^)2fz21n*$n0pdYumGWIvRf9{U? zH~nyQbgO68iOdD-Ze(x$=DJFVoq3&Oo}w0!joH^Kz3X+1*w5efZ*|H;zlF zmoxNb&}sSaBgoNePVDmFaQ6u>g|tatcv$xm-u>*&AD4imnKY3v-O{G=v$5%8hTd;R zr9^1^1hI03!*Vuofl%@a)?lzTR1(Op>e{0US*k2YQboYE$}kA_y3hx2`s;AkDb#oJ zTJA}2)=(r@qA}RRvUTk}N)Y*oo881r9K#?srQT$4nG1Wgx6+#@H4n77@s{`%k4j#! z18|mXW2i~GpZWGyhJ+HE7Mvntb;J_Gk~vC2*(4@oQN9`E$r38Z7uLmS)VVM)bS=h- zn8R}3#9<9>QLY4ku0}OKmvivFIV=G6eCpPC--nZ?4$3j%W`|x;IIP^_)tkMN`*#F> z0g|T34kRQhXp-}P^MlLV?kqfny}jat`nT&x9#l~ol+#%*mwPXMJ)RSN>aqlWcRPE_ z-#z+SC*6f!NrTie#9pg5!39IY1y-&R5Yd^CLB(nji--YxY;X|$K@y}Wwa_hmy*aEw z&1h%HPi}fpD@3SA&@hpvpCWk^WL6^Zb9RRi*YAM=s@?yUH=j}G_Vf(3{LJm~{+D4@ ziwj-_PWQW=y}duj9#(QW74I%mVj)GPCzgwd!U*PKa&*(qIu0615MgkNYVtW26wwZs zBC+ebpsm)NdU#a!wQ$>=2e12!gWr5h|G(e=Ux#o1hs8&3T*jR;tIVK;SMKe!d)3PW zzAj`Kh+=4l2t}cvzBePQJ+A~DMa2-!=AO#FT@~!>eu$#fUbJ*?sViHr_}m=_fBx>h z=e~C5qUX=Q<;r-!N5uO*BHsV9`8Qv=bIA+#{_}4hzU@8B&wjopFt5Rg6;d`wzwiCb zZ%0W1&|qtB)5gZn|J{=oAG~hy;ZJPg-zPs)xZ6kCySKlcxqbK(`@i`6LQUQS-J5_M zq|Ca56gx`Wdx`JUEf!J8g3L0gYd?T2Li9-IaPwN$P_She`IGOSI{K`k$WGOBY?8JLr6z_fU=Kppd`=Xu#^l*C@|MZEi%q`yg;D4ZdgcFC{41qLgP{2uU36@!*gDRtvtzoH97(u*%cO^+gxHMM?Lhoa%gJCQ?vK zkN1DXkw-JMp`^b4yWHE~`}yCE_kTnX6>&=`ZavSVwf;Vr?EUm_E$^I{+e(Ha2K3MF zRWDae;?iY+`%TfU2v@>c#4Kphwu7eJm>sUx>i!7(DemI6CW~qdfm=P3)XgXSc?zcU>!8& z;Ebi9sGpLv7n8g!}T>YCoS#V2l-^u(Bvg~;Zg(59>l5)fk@>sLu z2?0A&qAQI_drGq`0$G<@FS~KPkQYs{ac;pH$5DCwmc|^GIBOo^tf=0R-X1jx{fO)B# zGoIdpy|iG}H0bo&n{rsJdY$G2X({xB>h0AzEJSMp8*;ah0YhnH9q~x{IW#>XYha{& zPOaVtGx}|^LaN&Zk90XKaHn67`#{^zk4BfL7 zRZ=ga^AZ68&?>9j24Z6&?zX0#@d&TT;;=^eRwk?=AS5KPf>4$}XMWxll?ScFWUW@K z#rr=drx6%U=L5DP6Moss>4+C(5=;d!woRtXOS{Z6V-mo8ah(!*abvK%aqHm@%!& z4JkqhsY_VNS>AiYL6y*zM6rcO>XX3Y(Sr5wpKRVJHM)nnJi_6-uVu{+p)P6HRr6By zHSnuKi_$Sga%Q~_PSUC!&uZt?bLzpLHKaYqzZ@LyJnCl{C?A^Weg@ank3a~gkhn1Bt^D5WY4z<^Us#z;W zmT1pFajvE6RmXB@JarVZ%&O&{bP+GDtV+WQ7)J|~o|PR>riT?k3)?4`N-%Z>-aMZF z&PC5J=Q1iW765B_+k3FdnYmc8DXJ&wzS@kk;)uXcaNTgz0w{*MHn?{0=YMxKkjbQG zCW~u69>4e^5+exsMh%(7f}Oj-&Hdl`i~32{=Ytj>x;~zBeqoY<-Upmusj~N^U=1=D zV!uS4SVihtX>U|*Gg?2DIQU3NHMgkE4Dt}&pyS%I+X6{0#!x7nz5BAk6{aqab^ z-N1sq^KX2jnzPsVby=_ zn%RwP&g>5&S0x*uhQ?#A-Oz~6=@RBz(t070MlT`zjGi4X@^a5PfB#i)E~JN619eck zpPm2sW1QMUd~ndGwDI)|)*#M26jIH+@#K|#z#|toeYT$Cw9@}NeD{aqxffu{Ltty* z6lE@)RKRq09(Vs`zu%i)7;z4FE`6a8r?Ns+mL>L9il=0+PPz{*bZUF$f)(`wA%im4 z66Ro#y_v{e`SPwxs$RNKvtTeZ_*fR95QPQ`YxQVJ;{YAtoXl4lX;r2rKo1KPhk{}# zuQ-gVab2fey?*RHBd&C7JHmt>rnkMk1tf7CgX@+KOWx4HP8I-0pE z^f#iN^=mcXd*6iSC-e`|lWZz4>!n4z?X7MXkff^KS#owd9wEip0yugmx0?-fb#XT+{{KD^(7Pq%&G}&vwlpF5p5OgNbo1dzG|<5~|)sa|(7@ zPQKSOm_fh+BixHL$tWdvsjRVdyW!^_d`CZdX{7lV0cKj^+HlUVXV_{Bz4< zV!U!U_jQOHm&1L|T-gkYa8kTR^60oFWj*F=sdk{*343;FGAa{cL$^Cv;rE*Cj-z2){GK3$sJ znA1Ave1h`i_nW6JINo zuk5E?gnj>KorUcW^#@satR!veKuXxVEw6v@-fBX@aHxM1&)Nhl;i<*j0~=wX%0W3G zg6P}oy`olLR(UtMtA7G-nI{a3>LO`--3EjAa+#&Z{sUeozq=-+rZ!gcns}5I_%vzA z1cQ9^WVwj4ks8tXo+}yaF<)g<^Jx46=y91BR{1)? z_++w9##x3K&#wvJuj-}qU54LEPuRY$=6_!78wJBBnx5ioT4{?zTbU8u=0I_A zpBW@4G10q=^>)!FSuQI&d>fs7oJ3%hSq5Qj!80^vP&&4-Qd85vp`dY!zLd^|kl0&& zTqA$4pstj9Bmo!sX;W4~qOARXcSlTc7(vz`XnmK}Z?i4`bb+jKBh_Ng)FnIQ z-3XS-$jckmXXczc{BW>GfklOxi%B6#6{d^p*|)2aTxAl=lX1)hXs@cRY6ZpfO>7Hp z?9%Ui=-`reY*kbdIrL`U+)X7Q__c?MG@e|+jFyEwrU_z&>7&6yURuia#Kh8xi}*=K z6)d6y_-x|F_8i#P9P1Y%%nh8}$P0Ng` z3?h<2iqqf!GIc%{sGvGlIU@di?)XNJ9y{VSXu~J{rA4f1T$wa}+TH_@6yBEb_oX^b zp;aeYUiyRr$VssiGSs6+Q4N)eiKD4iLlrrs_^i(mX8}7Px15~)Zix9^$4~VA_*^KTaX^g3I0*RqPKJG z?u5@DU(gq z{1;#!Zwo}@nh1bmYkW>NWCC}ToL=OY;Fy_m3GoU%8K zhuBhFEWE8TYw6Mv{RWzZ>!+-?V2sWQg5TziX|**-6GzV9={rAWcrky{E##2epPjXa ztyFUGY;oy}HF7{_)dl9mSK4`eG}CHTcuNifA)5Eo{80XsIr7WOi6Cu6Fw|r|-xH!O zPaxj?AGX#NE!z-=4Pcax6(uvhVwt1FgsQsSA`jQF@?Q?pPC6A8Z0^IMpl-CeRM2*J z5jbmV(YXu^A1OFAr$UB*y_zq>#>dDbX`oKUCI1fGg~TYarPnZ|vEpTn7ZeR?MNvJ9 zc%1zEbX)(;;(s={{PjnPf@I7wtQE5#fXr(6BwAGs_a##xP00a)@-BqY1-Db)3daO^@r}QBjmtAmF0iaCYiHDMSX2BZ0d_jj& z*mMnm%4tFFsIz9!==Ep8GV5`s==I*8!o_-aP6K>>an`gS{rR`F!vr`@SP5&PfsO)% zJb~7%Wq16Vx)Zr5-@mxda5%9g>g{G*X1>N|4Su`-Z!q*+rin<(7~~Tfq$q?bSt@0e z13%jKZ)*QKHc&F7 z7B_O5u)m`tlsH2kZ$?W5sn95QSrT1mKT`FxTMy>?SfX5w&H+69ej!UF0v+on-?%Q} z&8%;GDM`3iIPZ<*<-0cH=(7}2^m~@Xs$zC+4noHb_-Tt&e6>P9d2zu<=3AveQyi$J z`(qr3c4-brK}bB2zwX92S^jYBY>P?AQYEN&?P6E3y_rF5$bgc#A$j*|d@{p6}_?GA?z;4N3#bPd%q)`0tC_d;P ztTLO&{)-(0O}1)m(lkCI;D>j7t|V@vs@SB!;8o64AXhVM33@R;@W}r+e`KPTg!v(zFNX(9`2#0DO7c;oNy9Kpbg2G6e`DXsd4 zYmT0Zq<@3|L1OwvJfdt3aIEez}nHrW06B$a02C6Q~^q{uP+voj8arUMQ*8=ZL=Ar%DlUV{Y zxq#doe_i$N_^citgl^d2hrP`Q>F?K?94adH+VpAD`YA-xguS{cT2gSCnce5dg!_L2i z7^#Jj-CS?h^N+5-z9zniw=YOZW{S-#1B#H}-9+H<#XFaRG}Hoa6f8?1;or5$OtF*E zo<26}d5fA>4?8ou{`ZSrL-vWJ+(QW}FVu+5Q&UAkFza0cq0uin3OF*|YGyb`4-(XDE(}E$V^X3b zoS{`OBq6cPC@lIFC|TJCEOAQ(93uDadc2Shgtc@t*LRRvUT-4N!h1{Pgw1ILhyeSj+s< zt1D}AIm|eMQ2E6#a=9dNiFwU1?U?aXTn1i|Ang$$?MehEus)&UH)Bsgi2lg22C7uU z@kz@qswZ@oiR)`Wx$Ro;Gxbi65b7;GfC7|9M)?S&|5u^$8m2g|m~?AS!)U1Ky6>9Y zD&RB-j29K;pEO5x4~op&cS-DgRwaKNC}JDarw@k0V` zpHwbYiM3@PHVc%s{ch2a(#>2rd7XmREb$B@l1qEN1poPN8geN|#NgUW%NAWHJeaGO zO>mc$goo-kNeL{;`a1FN^hkuYFz?5|zNwBmwlqoCF<{`S5TjK!dIkB9a(H=51JmI* zJ)GM&s)vybBL1Yot{`wNFAKd}PAtCw%iZ5uLWx(6Bw`vSXt%hKncV;~brI)Q#8N*yk?sj0F%Bs@3oHO{KI zTUA-)B>wNaNWJ}FCS-9i+X9wM7VxfuGu~I>_0VD?M1Z63*co9$tq}Jx<3^@quN3{@ z$6?ULVD%0*kt0rU0tH(RdHgQ~!OY_H{_O|^YT~p-W{lHJ0vm_2A4xlpY2>oir{+1Cw+_X+Qi*mTp#^xtBv2Yn zOZx2VgX2qIHjHBtnkQK$ZlJ23z_##Utvo>l-)oJa$0dhLJXI~*N^T$&kaK;c?_+$& z3kTa+I`_aZKpO=GQ|VMbFsLeBTf^FbWr*=}L0E)I1bMH?R5NmofsVEcHU-{rK8Xh ze9g@L`=t-W;}Y4C5}rY9f^17;f`$CFUO~4L3_XEcxz9t};Ho!BHEW8wUwlnwAKJTwz#D5qx;2T$xznf#`6FM zInh0Z5+90&iWj{j|Kn}K0(^s%-@iKSzY->cYup*h z5g_l(C{M7GyH7%+)uWS;)Dc%+@vc3zAv4<8Z`iynWMe$uIaPkoz%p} z4ZVI37(_inN6^i-|H+4~KXZ{bI9&9c+HR~(R@vqxaj#3xbtumBy3e7pPWhtRSUvNY z@iVU)-r@+Mwk=ExiiAhEk(byo)5`p1je^{TepxcvL;9OO(;j8y!!RP(4gZJGjsCyn zvmFX1ZQqZwIhvSl=?5S-0ql0cDyJY9wTeX29}*X*@_mnWGwVe+b>qC^sgq)5z+@Nl zmaZ2Jb?SRq7-JONR*`?3+(-a5t=~Kk_5S+&FJRK90=rGGZJ(#x3kF`dmft(hH^eKL zhRYFnx-)CPkFs|^nUdr0t4c36M0G|YuT3URqy9Xwt1G^C=(E#r&`~ED-Y($n|(-2Wuf>;5*4#`|Tk?SA6y@q5tbtf1!fK92jl z>aT>zI=tJg@nHi$q= zq}9AI4Fd)mr&o++jW1buy?T%nIVzIh65L$2v9E&>wQj?B2?YmE9dMqn*hinXLH564 znxL*_MY7c}JJ8+!=y>(gf=DxETSR#*7a@u1nu;U!60gvx`+=`U&WEBZ@!XXLRL@v$ zT*m{du(Nq9QvImYm;bE7pT~FUGrkx;Szw@}`u5AV1{#y@@6GElL{6vgZ1L&^r@RKq z$fDax#P>hTq8%1A9^I!6rjj(f-~xSDGzbHqhl-;LwD)RZ8+z%9KoqK=NHJkPoOPbJ z@y%5I(^QcZ@Q5BWhGW|v%c>^;v7t35{Tn;z(}EI=b^A+y8KDdIrTlGb(9)V~L!-p& z4sP0IVUP+Kbf#IWrKleK(-{SwO*8Rq2kks4u02jow6xzQ{{H;$%xCN()HzHl7n&#+ z3s?of+$vu@=s!1%tkGfDWbiNsF-xxFHGUA}rg11s3r|aVx%6j(T2VvS&XbQuF2Z&k z6>|JN5qjzpu^O+U|`RxBhub6f*Bl4$ihydz4tY13>%%i$;N(m0mh6ebd9T^MO)(Sfrp>{E?H{EpQSxf@$F0 z*EExf?@W;}%}f@!#%lg)s!zK7Z~4mjD^@9{A|Y$vQFHl$gl?6A^wehew1CG0V@yS6 zX^=cO@t&XaBcxN)Kca0d!j8Y#NfM&L40-$#Bm4Yn2p-xh-1LIX8PBKW>Op*%gegcLhWjJOY zCp#%p_ijQ4tM;(36vp6@C-9bL>c75*sT_W4Fk4~~-$16n-x2`nSv}lVIPA%m;DN`S z=Tq|(lYu-oqE(9@b~5T|OD<$^h?77Z7YNK>)@m)@_G9Vp!EyBwdyW(5nq`=6uDxzs z{-_g48=CgN2q$$ypGzKF&beCe`ZtTX<}3s&V`t&;{KuoxRA~U#+anIB?3pY`^rOab z(cE=Q2)v7tc6WZYlk(9%Y8$@`qA>sKsM!_&9m>kH({3^H>l<*=9i|kKz}%D)C)|bD z?wV*&=1b`PT7XHEmM|#qYu&UqwGQDF=>Ae!pK!E-`s==ceu*;9(T^bctLNpR7jK4_ z!p25*Mx$Z56gRXd&NEU(ex(?fu;S#%6_%^<#j0O)N@T{QrBcJR8*mTQ@f^v6BNTX{ zbrvDEdx^-2Fq=0ywH4tN`Imwk)kK(DBi?5iaINWCn{*k*YA|{w~>dXJW_~p>+22r-hIAg5g z|FT>Ao9MjL{VV3;`R@N58LQN%|7dhacwB; zQ|@Fs7urwp!;prE02p`)weZiKhO}44aE;@-%h1>JmuCG2W`9Kp?uYury2Uw7 zF>ckCUiW{!LKr}(;<=Or{igO=g+`-y8wa}vH!g+MyX&C=MTTBjc)FqyB0Lpqt^CbA zov`O5f4t&O-|T1E6#XqsEp3Yz+~e}mS9pp+`*j(RB4XkbJ4$gkXjWG*k3zS^musqn zOs(hg$J}Ax^<>Ta{VlE)yS2kgSZREw(l^{KkJ`KkSlqNq9(@MYPi%XnF~&Y6js#o1 z!MWi?v-99eyOiFBkM@k~)jzA0o(00qw|wRi!)V+FBzeZuh^a{Pt0sJKKRYBUt!WF?+T2SG?B_B zw&hDjx=kq~V2o|FVmoU;vo#U;IQ@P%Ahkgc7$qCm_0i7JOlPDsOJoqj3V<(o3H^ww zOkReL?yK+q@nn(PH&{gJAj9J>e*3)KOLSt9o*sXIa|48oFDl3Wx(CtIE5LH0w?-5Q zVGu6QR_PFxcNw9gkh_SubMKRzdkBuAa0`83moo?v(b8#(75)%wgwYeu+$MBq^!M-I zruKw^;KgU3>AD~ctbzo-(fj?;TJcVYxovT#17YnNUq7i;I#2=fPi$PK5=e9>1H08~ zQ9+gbst}SJF-Xh;(w~ZHSx`>%P>d>IQWp*vy4u0>4aK7U9~br7{?89b6h_GiqkG@4 z(%mx@a5Pns-s*JSAU!8Wh8XIW0&NdE`{_IM?|bzI1>xQ#}W$n}W19 zQTB^XVro{){&izX^F6LQa73sN${uMCT`lfi!cF|SW`6+-o4 zqaW(&Q^BW>j)!2D2?;6!k7k5&5$+o}0;l~zQ8H>6`rTRb4%1)63dX$GK)z8U+^&q~ z3Y<$Bg^0qc_?N!@fI!)ue|lMktRoK?s;F#RoAZf2lC3y+a_*pW0y;&Hng)clAAI9r zJ5S;G+4}Cs2VP!#`|&}lt+IKyP*A$x>G3`p*L3d#4H~f4=Tt+vrE*td3_cOWxk}Np#oA=PXuBdw z9%<+q4ArfMeo=32v^vxh;)2CicmJ2Q`s=A;ha?HX^ZS)nQ9I?^IoisMhOjJ(O8yg| zL?S_pjazf7g_9;b0dgJU%@;a!(joV*2Snv0^ZVI*dA^g zt|-0IER_YF^i4;gEPW0+Z$c>TrStSQ_om+1n@-s^)nABz)9dsBqXke(Usm8H^KaLn z#3!(!5QQE;JOrk_E%GE1O^P#oT)fG1fzWUVNZkdTAN_YvO3bIGE^A7_)yl^0s^0ob zZTdXdyEP^KOvI4(r@c(g1}TL)#>zjvn-|+VVnyxEW zq3cDhm!;E4{~_b*dnA9@Wtys?ezd+C>ki5r*7nx$DgMn#I%8e4ls&K0J%?JNQf~i8 zq1=t{$A0+r*C-QXT~}oo^TVTf1aQB8SE=Wbe}C_J6P-y+v6b&%0`LVBC{d09#raL1 zcukcu$gA+oNoWn@dN!tKS*+LF4Q3e$Ie}0vmUc0Lre=#Kf#f0@c${@3I^dk3A)J3= zgpx5xO3&niHTd=CM312zlYUD)+;CYn}=O-{9&JR)U0M)`AraQqd#5v`{)LnvpI8 zm*H(OqHoSS@^$+cjbf+V>>m^PSj89ewuhT`8ypWCYIYX^ee>bl;U})Y(1N%WRC^Gt z{4=kt0C}cw5k`R&BgBg)b`&EO!@Au}BML|8Hakb**&o)EWwFTKliPAT4M0Q^S9`fC z3#p||WdEP}^V!T*@8!#ZmVhEfFrZOp3-{pCzWoUN$vT8JORiWA`xWw2hN*#&|UQy9NhncJwlr4w`Bj;Zz|^w(%u@UuHq_VQ5d~v@c;Bq zg5X>1zCojK@ytTN&>FxZt>ozes_%@`^bfoqNAE?#?RxzI$e>dMg^Hs{q>41L6 zrbYmW{Y!xoI4GPZKSbb;vd=_$%LN6$laEN=_9%0~pR`NkM|y20Ya3i4If6rl`Kt(| zBH7{vToQxX)w4qZ(0s|gpkqhv)GG`M!5T@~X;~XWheV~4BYL2)G5qFplrnRdP~mLY zkE8j@w(aisP>)4_qu4*Mi#+hNN^SlL7ZP;c(wdc-PA?UwK~h z_lCnyASd={&*WXEdT?;qEq@z0PrLWrWZoHIFXU(#k$y`Ppl&p#ui{P~%->L9pyd(z zB-ZxBW8(kACf5r27&Y(ZHYE^Gl9iBr!=D$h((YzUxNa)p{w^ch1_F3?FFVtvOc5tJ zGbv(Nbef~=J~O?*l~+FI&=i+`kd8j93X}g+Kn{RB3J0}9^Fe=F&aR=QX_uQ`UBdD?jL^Yc8pDUK)Z+P z&K%kys<%6HTu=pCtC$fQB*nlvLIMBN(Y^&Pt+ZK|?UZ;n#@s2RaL@?1nLY+oQ&K^n zM&w)F-<(cRX!w+1h%3*sA(hSAGk)mFNSI#;Yi2Vw#6Q^(+aEceISsavH%EkPi=i|k zdfX%H_<)GMhoXSxjZUxoE#Ggae|5H4M4yNEab7gdUMIeHN?iCop91f_&q6PG?^(Gw z?~%abf@xh9V4LuR_kJnU>Lj@}9p?BHxA0b;`9Ny)C|~4Rw~mt0bIMI-)?2=2b*oge1Ve zL@w`;(5wh$3@@>YMXt5(I!{w6X-p39+1|eFuZ<6%rv9P%=!sza@awu)7JySVLbG{tI^sDn%0=^sBi z+T+RYbwEL7_!4&QqZup)j>xCva#Dv#2W#+|zx(8kP?(sZvGb@)Z1x;As@+Jd9o)@2Bu(9c8uE4kP$Mf|RqPcR?7bsJ^5p$EoEfC)H8Mbp z^CK0+#sv*?T+T+twmeq2|3C&32Ak=;_<4jq1{WfZeh@zZw=(M&_zCuzCNmWxSAq$= zlk`qvQcvyPPqHS(v{);2DjG?5v=*?bQr3PY@pSM@w>%2w1;8npBj{TQ&=!{qkSg;i zGK_1(wg;=Cj<5SzOo1*VO@O8ck2b=x))fd)In^=hOQ~{cIfenXu%J#Y>SZIni;B{l zxQyg*LiSs4Fv#yZWzVFq8^R#ut5+)3jHW;dUIvAmgvsI719zXRR19#fr*8dG4Sq?Z zsa!rbp=YvGz^MOvoc?B>^(d*z1OXkFI*nsWx;7d)?)%3MUCYz8aymrYxMYGjlZlao ze3vhA(sQ=fb&*PVlbC_x7dWa1d*u{|G^bz$O88ndK_Ub^gkI4;WztUz&{r7~u|rO2 z3or?A6|;h9YT#T8&Rg-N=Xa(P3rqna^AR{QV@Cux^8|?{Z?`1|xo_4dgrlMK6)|KZ zrKu9Rw7l=fOEM8Wv?)CWLwT>#F{YsRvHpsUTFT5|egc`m$G0{!HjF;8X17S&qAzhS z8*7kG&5yL_(d#HrYW4!aJxBTa%DTEgTj)|!pTWLx#gJV}sKaq?sOf26LyZhEw>sYP zCj(6K{^I=Xo0IFh{8f#HBN0U4Vc5d94Zt4m}>=4RbZqn6RR8e2d!^*s)=)XP~2u z<#V17T~a5;7Eedn(QPy8-~#4rZuPwi>ScGts>Gdv8R`dui;cdHnXr75{XF%th%v6M z&hr8AFCAESv!2nLK*RTS3T~QWRO7j}q<|cnm$~t*v2|tUEBleP3l~zAQwir%3iibn z8&n)tX9=YZx@Q>1!-@6iH4Td(lCvq}2O7m^%?-K^Vb+8)G%SJkG`|15Esb9iCcj&0 z*(A2n8LNwmNIWFDqTV7Q0(G1(8rqP2i_*9x;=Ar;b+7vptS#t1F$!NNEcLD$8VwM$ z-xhbfrfVPyMFR&vc*~x}23z?lP83X_xf>^^!LN>9#cjPy43)Qe&Tp{p$6s^Bjt#v| zDpLMAo{Vj?JmV4!#eVK1WYT&y2qK0t8bi?&q0|yJ#7oIoY5xOXDN-viycwmV-2WSw ztgl>^UcsV_7??OD_BoTEKP^#JrO&zZET>2n}F?1z+qnu+nOB{k(y zob4`E_bHaTe7W0m+3k=_99NPPTZty|of1Y^MJ#>ubmLv-fp@5Inob0kF0q;-ZkQ+} zA~JdP+5zw#t;yA*icZbysa9?>Q<-bhxMr}dZ?KeC6e`J)C^7!Rdo8j{ct1gu zLRM6#oT8MVH{FEj5lh@k^p}D7ddVU}0oaNY0K+{&VApZMf|P>f@?o}12mo21_xb5q zCvUa$6eU5*X$rhUW}ifrlCEpngFNca;l`ncCRNF7ag37;P>yjdFw`69o^}SX7{F2? zlokpD(8Ji)K`es#Gv!r2vR-3Hfo_oAM2p$Ray^o&sxni<7et0@n|vF&!ZV7OOaFFW znEBe0Q_lqi9c0#C55CW-;s?X9a4G0nu#K6q1J)a3^G`wPvg_Jq{CM7!ZBZZH567^) zYAP7LdcY!5A*^H(D899VPx6PpsZp6sri|x{pz@XeOTk#rwWM1&p9XJk4IWU(Q-a?_^S~9 z@Bk4M44FHF#0=G_Dshm~UQ!3tna#Wub8ImQyW;eqvblu0G!C`%?vvGIE-%f`XDIj} zd9;qk#O_K1b2<#lSsMQeNehtf$rY$}8DC~obV!!;=BN)h2R~rU1DQ`OYtVTR0!^am zj6Ws%Z}~)op8Qz9QJQkxtswOQ5NE6EA>ngle96|;`Jc)-_w1}b5mA|WB)f_Vs;mM= z#U>)Z49It5O0*mLb(&HQXH!)=6*zvNDbWO~kQ0O^5iHvp<^rfwvDEEZHoT{F@RYe= z&J}QQt8sqJu$gql&S&`YK@}h2@liCC@U3-40wmR~?$D}zx@Ku=L)0nO*vtfQe?IMJFU& zj@xr9bb7FVSNg(N7A7cWQ^knN4_kW{v_X?%pKZ!wD;cmIrC7IWJ=B1mg<7T!jp)@} zfd#>AS_WTo)K%_r@=lmLmL=!8Z6nsA*u+Vofei=kvl*5bc3)SH3SuM!QlD|f^J?8I zV2`E8IG_<^p$#s2df=CBu*i zf|wnR39)vbOi|jyM1;JjWz|m=cIUugJD*jC__zPd^1bWx`Fvup;Ue~}5r54#ASq%g zq@cThUucdy7tB#cWc8NNeT0qYzi<{848N?qvC}E{+Ay`r2;xO@r}_hgRU-51?I;XqG?j(G{D(4Ih2UyE`@}AtCY`J~ zI8dux6Edfvlfq&Km9cXiI5NYN=GV)yZIWl!7FkhZV~RrZ7%(P+B!|c&Hbs zr4t&3Q-qHcdL@X2lun_?+<(y6iwtnn=y#E1!q@kQcv%mMHXh8t!-^v8`c zv+{X9Enb#!&z=)bd|=-^&hprMQVLtB@(R2Z!YQiKvGb3&5yranxDL4LPapp zb3o@{Bp1^z7;O^g<}Axp{$Oh;#mF6FCO}_sDhBT6Km>WAUtrUN@^v~iO0|-yT?Pc! zo*Sh~lggdiHF?wkXcZ>;M>aL>O?v0vP5*>}b;9Aj_|BTu$M)-!7+p)l?u zv>Sh!2vbU-k1};AGHZb%1?HyZteAtf&QQ`uzX`^ghkoH@?sX;L6KgV(KKqM(WGg3C zglUb{g6g3b*T)H6hdQwwA$mAZ#>CppoXKXg1@{8m`k3?{tVgz0$aOE1RsX+-nJ^h~ z=30cu%!eCX*|^XvpqQE%$JBxE<2h6|xxack4k zj3T~jT?H;i&-r610ZFIamv`+D;RlRkCFv75?}dF@Yr0;2qmjP71LXjs0?|U{1k_jI zSfPA?ozxvLx&}(rG&mBB5+5vF7igihZcAGWHI`Ot4&F?MQ1gS0GQXJ@Dn`>FsznE4 zmd+2_0tthg%we!AfwYX?xiHX(gU|9u1U;+o3Fc5Qg$ceH7F`EJAisD&E2WaIusYH& zZL_ocb4+Rd+Cc?NM%t-mN-NTE9o$u(O2}QV8L%)fj#c2_Bcu zMhGy%#N6Sy?pYEn9F|_fIO^XME>Va&p!7RO%#mBMn#wS))mT7Ocd1-F^E9UK?-x5d z6`D7NmEWvnFnLOQwlkDi4`{+gj3S2{9`B6-R~ef_+iBwdGMmwtjaZramiAHM{CVX= z_lSWo8!rmigqK-X5g92Nq^3$JEvdA_kLUTMtkDd7aHpeaaZ)Yk=O)}yvm0R_L|q81 zpkJ{oUXg^=4-MoYLkN&dQSrHW#LOP%kDOI)2dc}y9-dj~k=`yjWzpy z#w4(ynn9YClBQs~c=M%8yu!`mRP>M25x-17(!n(5z=@yWlLGxS0B0VcOLK?jNe>Ym z*u4FO`OLDTu2=-~oUoc@eFJa?ir_xdN7IA~Vb3j(ntjKu|AqMJ0*`DP^mrIgLgX_{ zT1tGd7B_t@69jJf@pM(;=B&HsB|H+JC_Wd;p^=VvAXTg0A@l9Xdx#;DdM`+BPeK$% zNlZzneF<-&DXMi}H}@J{uv=dkQb|~nO)Pz!BwC%iTp2gb z(!2l`drBpU2w2)s(c+?&F-lpwbJrgp9nei`v< z9E>L@sa!;g%u52J`c{3FRA!J_6NaSbH8hD|cMc2a@vapN&=eQ@qE zI%{8%(8VG=>{aRAve{N+$F-P{tZDYjW!h+a$u{Da3|&$BF59CbEKEnq@FnNtQK|L$ z=)V|Zr4$Yk0E!>7DT!t1n68NwF#m!UCwD*zkz?XIkV@A#%~(T+3_*V%)Gnh(3O@qN z&l)@reW~+q!V24-QQ<;Ea$SOKU9*uYCL3roGS*I`f?zTFDinzw=`XF(Cj_6S2OccY zWh-TuQLM9!VN{i}xProxpwvZk;p(Ja$hcK9nY)_S9=buvlnrNZO~C-c3~Vb?3S-io z514bCr)SwQtYf4m+vt&LoRk<_dtA~r%kpq%3nutISZ3Np?~AOjQIe|}vl~aBVzo$A zDTTjD(z)W&e)2z%ESmBurY9-?c9w5(s&-pt76~`)^93iV$KkYKKx@?FuG?j@2g&*z z+B=g>TE1$ufAqWJ@N_^wH(+$LX8jts#Cz$h}in3m*!b(lDn%~Ge!UP z8ri4x0g&rcTIxhfo7k+WgtisT!P7{ef?y+XF=j{P1nik4N#@`#nkTyzP>yR&)AXRo;lHy8 ziqSFmoWV~We+t3o>RK*ARJ&(SEv2mr|A$#RQ~bpj!0PTLALnhhPVlpZ|X zF1-YtCs=;a?w7}(L^^gOCz{$Hi)=OW*bp6K(blABXK?6FGXedFXVmNZhskr1E)ZBe2qn3PA$M3i0bH`4C6q%Q%uA_tRlP%xAp|@; zBsrS!1mnwI&8W!Ax|{C3Kq@X)2oHBNWA6qtfauBEBox*A(OR?h*`zGrNIY`CY@>ul zgnUcPCyj0mPb8B-4(<%==``C177idGQKsB_e_;=if9i~=@2r2q@DAAXtV$za%i z%qbhPe5r9GNwRRMp!hxJt(E16ff>g*jlwa^yn*0)Z4geDd)Gw*>tn4%&n3q|bk|_k zasYQAu4?oXgx!aGOO{b@AulEm$vd&JId=-n*xqxNz%M9?S{v@+QG!#_2#BTAi^FYL z()cHc4oY5q^k^~h_En+)nk0SohUh^@_NrQ4|8$G)XyFv%v zfz`4t+J@J$Yhn9e9hYnMBm8_j;^XHr+l!4#hHaBa0zjSJQ4p`1SItOyNPZwHQ-Nb? zHL8XuME!c9V8bs5Ia8tfwF78e?<$l4sO-$O4Vxd6o>q{3F;LIK;YcoAz8h+SkuQ%` zv{)kxpI2r;I$HAZ`(eyvDev2ovdW<9rCJy%3C?Ego&tz)9sm{+kHyo}^A5pp+j6X^ugF+Xu z*T=v-UuEt^h^k9^yH%C#ye&1(idPDPIv7n3sUlI%m*m;Rj}-btJ&}yq*dVeoNUz^X zs_<}i%s)MXi0(2LaTUI;3;ek#f(I#+NAa1L$>4{$x~(I+F>>3fCEtRM zVO5SF-4W0LL6~4fto-irwn)YXI*p^_3P$UlB~C047CHoerbh85N(S`lHL3SR^CQtj zj1q(8b~x+Goz$}G{zb-mFQOAF!SJ;(B`%lTAVaIfC5)9v+}{sb zplh_)EG>!Z>A%evXw+;h3W2Lm^j(5Zzmi6lRii?AD4NJi13J|H9JHhk7^ao?HI6Mp zv%J;}EpqRSUqSHlWaAy)sofQAyi*UJnD%OFTQ@lPTwk?;%7hZsi_dk`wl4!lEeBc4 z=0japAWWw?A8xyX|1s1Mg`~oIhTvAOqT6LG;1{cCN12WXFWs)^yE*?IjFYDypn5Bhn~_ap`>xp zw7|FThO);DYr2|h_wQfx9>z-eE30g=?+V^)`Y$7biuD(XS?<)KjK;=-*^Q?U+o7D_ zEhSz%xWHa>?v3|4Fzu4-Gy7|c;cH5h>b6;*5&rj$;M5hT$>G)X19_a_X;-i!>Xq8p zc)N8Dr_aSr5#m+q@14W2oJ)ZYg1G0xwP{6@$|6(sJSUg7&9SBYtn?CpGl50tPc@f1 zm#(qGNB*g?m+ghOZ>O2y91Q>S?(taE_v)B$ z09S%A-zHZK^j*hnwsmOUznaI-knZKUaBS$xZ$k9nx(;Mk-^l;Q8os{qpkEST6Ujeo z@uS2Ts+jLCCVOes7uft9}WmMuzJc44Xx>B z#KxN4%@-TbQFpkql!m_zsYOd;L3@wB^={`o&B3zm5PC;e|)|&008`btHxM+*E z8TX{?U|Q@W=6{S#4yo|&dak3;rR0A+ojDs{*gw?0L8+WJ7rb=7Lsz?o@pl^Vm$3#f zMJiA28KU*%746O4zJeNG>SP~sNoIgI@9B%7ADY-T58lbHI%7`p=b=8i;WL#F_|4nR zviRR4*&Xb24?2QF)ScRphQ%G{gX8Wo4=SGt7sgHhqYvjG4g}GN6!g8&n%e?-wJBWn zW|%ld-ApGpo(mo6^VEe`0ME+3&QvKBEfwd$c2>3KG(NI7W%xE>YMa7M;Qu1AnObaS z#efzxh_z5iL42tXj@5w)bLv%p3rKBgkJG(C8doQeaYav703vmVLj9L zwZ-PX%6@58C@iUaMi$FuWvt5RajA&)pbKeRmv4n|m4NX=Z>DP-HeY3js#5>M?OPi? zvHt}dqbdVqubzr>Z0Bz|E~Kx8kEqK1VX5o=p0uY#CKTA{tkZ*=Qz==D5I{HE_7u+$p^ja}^(9HB2yXv+w!8hX?s)u+{~Z_9gF zzb!a;qYW$5<=nwf39W#JUMi=j^s((>t=Iu(vwM&}vWC(c_&Ii^W*ZHTIVA1!!6NKM zWLwNe;;vh9lJ@H-XVdLS06bPAFx>nE&6?Ws)+qlDu#WN&`&e>N*`hcaYuJTe0PFx9 zE6#A0j!oVoP)7l_8g@O^k&_bw0o9}}Mf|ZMikh(pTRsIMnGs8lz?blS#qCharNqm7 zg!?BF1O&WQMqETak`0*AUNrYSP215rKCv)6wT)@RQ6keWXsyBHjFX|8JXkgMnEoIh zIv`=3Q;Y8*j#PbItNb8|^U_1p>!wIr&bFr40kN`~d<322pSg8ZQ6!?Bnmh{qzbtZ> zb$>}N&if#@bylhJ*xOz5w@#(&EY zj5o?2?~%6uLf7kPtrDRc-GKaf4u~zoWRsiH0zE_#`+2mjaQ%!1EbLpT8*oa>F2PAIr_db~I3v=kX9zV@x}+TV4p5 zD@OJ5q5p4ha~pS@mVY_f`y?<89zAwy-Hm%SN8LgXO}1t&5B*oM`{Xm8%vZaQJ+!NK_A9=i=>nm@~jz4=! z*r?An;e|@}3Vroz_bdO*_B`ypHivh%*{jSCSq1m@8r*SIxcaMNZQI1O?!HSGPWI$| zjOKlL_(s>>#g!G>?>EljZ06gj^XeM#&f|>yb8`fF?w+0#^7n;#P3po`6LKYI9g_-= zk@otzX;t&r>C^X|icY*xm_3V~t??iG&D*y{!s`65iJS<#T6*c%KdrsDFMI~3sB`zE zF72ywPII2WPB*RFEM3g@bG=`^-h;eCJN4@Q8{XPlUiNEQn>aaP>!q!F4enLxrd!sQ z%$#m<_t#gA%gOmg*ZH1)Ub&^JxZ$70tJA(Y>v=AyRhw_$E|eN2uQq?dge=|*btNiW zk4`Q8oNcccYB1Y-U3&mVXpS|;2#SMcW%&>iyMez7YDI8G>$KehStZLgrd zlUsiqOgUV9)!jDAdCP`V!i&B=+u$CsGBj-yTWRK%HRrxgzH{N8@2jNf%B$CbM?8ji z0S(#w>giYAHXgOk z6fSJ>y))VI@{K>W1~;p(-}0Wl+<#Twi*w~~pIs}Ch?kgsS#pLMdoJIr-qkn%{AWDM zeqz-Qxt - - - - - - - riot - - - -

- - - diff --git a/lib/cli/test/fixtures/riot/src/App.tag b/lib/cli/test/fixtures/riot/src/App.tag deleted file mode 100644 index 7e4624a63440..000000000000 --- a/lib/cli/test/fixtures/riot/src/App.tag +++ /dev/null @@ -1,30 +0,0 @@ - diff --git a/lib/cli/test/fixtures/riot/src/components/Hello.tag b/lib/cli/test/fixtures/riot/src/components/Hello.tag deleted file mode 100644 index e0600dcf7287..000000000000 --- a/lib/cli/test/fixtures/riot/src/components/Hello.tag +++ /dev/null @@ -1,18 +0,0 @@ - diff --git a/lib/cli/test/fixtures/riot/src/main.js b/lib/cli/test/fixtures/riot/src/main.js deleted file mode 100644 index 459fd1db1a00..000000000000 --- a/lib/cli/test/fixtures/riot/src/main.js +++ /dev/null @@ -1,5 +0,0 @@ -import App from './App.tag' -import Hello from './components/Hello.tag' -import { mount } from 'riot' - -mount('#app', 'app', {}) diff --git a/lib/cli/test/fixtures/riot/webpack.config.js b/lib/cli/test/fixtures/riot/webpack.config.js deleted file mode 100644 index 6db8c46d1f76..000000000000 --- a/lib/cli/test/fixtures/riot/webpack.config.js +++ /dev/null @@ -1,24 +0,0 @@ -module.exports = { - target: 'web', - mode: 'production', - module: { - rules: [ - { - test: /\.tag$/, - use: { loader: 'riot-tag-loader' } - }, - { - test: /\.js$/, - use: { loader: 'babel-loader' }, - exclude: /node_modules/, - }, - { - test: /\.css$/, - use: [ - { loader: 'style-loader' }, - { loader: 'css-loader', options: { sourceMap: true } } - ] - }, - ], - }, -} diff --git a/lib/cli/test/fixtures/sfc_vue/.babelrc b/lib/cli/test/fixtures/sfc_vue/.babelrc deleted file mode 100644 index ba3f407ed478..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/.babelrc +++ /dev/null @@ -1,19 +0,0 @@ -{ - "presets": [ - ["@babel/preset-env", { - "modules": false, - "targets": { - "browsers": ["> 1%", "last 2 versions", "not ie <= 8"] - } - }] - ], - "plugins": ["@babel/plugin-transform-runtime"], - "env": { - "test": { - "presets": [ - "@babel/preset-env" - ], - "plugins": ["istanbul"] - } - } -} diff --git a/lib/cli/test/fixtures/sfc_vue/.editorconfig b/lib/cli/test/fixtures/sfc_vue/.editorconfig deleted file mode 100644 index 9d08a1a828a3..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/.editorconfig +++ /dev/null @@ -1,9 +0,0 @@ -root = true - -[*] -charset = utf-8 -indent_style = space -indent_size = 2 -end_of_line = lf -insert_final_newline = true -trim_trailing_whitespace = true diff --git a/lib/cli/test/fixtures/sfc_vue/.gitignore b/lib/cli/test/fixtures/sfc_vue/.gitignore deleted file mode 100644 index 1622bc4c1c03..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/.gitignore +++ /dev/null @@ -1,13 +0,0 @@ -.DS_Store -node_modules/ -dist/ -npm-debug.log* -yarn-debug.log* -yarn-error.log* - -# Editor directories and files -.idea -*.suo -*.ntvs* -*.njsproj -*.sln diff --git a/lib/cli/test/fixtures/sfc_vue/README.md b/lib/cli/test/fixtures/sfc_vue/README.md deleted file mode 100644 index b2989a67aab1..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/README.md +++ /dev/null @@ -1,21 +0,0 @@ -# sfc_vue - -> A Vue.js project - -## Build Setup - -```bash -# install dependencies -npm install - -# serve with hot reload at localhost:8080 -npm run dev - -# build for production with minification -npm run build - -# build for production and view the bundle analyzer report -npm run build --report -``` - -For detailed explanation on how things work, checkout the [guide](http://vuejs-templates.github.io/webpack/) and [docs for vue-loader](http://vuejs.github.io/vue-loader). diff --git a/lib/cli/test/fixtures/sfc_vue/config/dev.env.js b/lib/cli/test/fixtures/sfc_vue/config/dev.env.js deleted file mode 100644 index efead7c840a1..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/config/dev.env.js +++ /dev/null @@ -1,6 +0,0 @@ -var merge = require('webpack-merge') -var prodEnv = require('./prod.env') - -module.exports = merge(prodEnv, { - NODE_ENV: '"development"' -}) diff --git a/lib/cli/test/fixtures/sfc_vue/config/index.js b/lib/cli/test/fixtures/sfc_vue/config/index.js deleted file mode 100644 index 196da1fa7da0..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/config/index.js +++ /dev/null @@ -1,38 +0,0 @@ -// see http://vuejs-templates.github.io/webpack for documentation. -var path = require('path') - -module.exports = { - build: { - env: require('./prod.env'), - index: path.resolve(__dirname, '../dist/index.html'), - assetsRoot: path.resolve(__dirname, '../dist'), - assetsSubDirectory: 'static', - assetsPublicPath: '/', - productionSourceMap: true, - // Gzip off by default as many popular static hosts such as - // Surge or Netlify already gzip all static assets for you. - // Before setting to `true`, make sure to: - // npm install --save-dev compression-webpack-plugin - productionGzip: false, - productionGzipExtensions: ['js', 'css'], - // Run the build command with an extra argument to - // View the bundle analyzer report after build finishes: - // `npm run build --report` - // Set to `true` or `false` to always turn it on or off - bundleAnalyzerReport: process.env.npm_config_report - }, - dev: { - env: require('./dev.env'), - port: 8080, - autoOpenBrowser: true, - assetsSubDirectory: 'static', - assetsPublicPath: '/', - proxyTable: {}, - // CSS Sourcemaps off by default because relative paths are "buggy" - // with this option, according to the CSS-Loader README - // (https://github.com/webpack/css-loader#sourcemaps) - // In our experience, they generally work as expected, - // just be aware of this issue when enabling this option. - cssSourceMap: false - } -} diff --git a/lib/cli/test/fixtures/sfc_vue/config/prod.env.js b/lib/cli/test/fixtures/sfc_vue/config/prod.env.js deleted file mode 100644 index 773d263d3126..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/config/prod.env.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - NODE_ENV: '"production"' -} diff --git a/lib/cli/test/fixtures/sfc_vue/index.html b/lib/cli/test/fixtures/sfc_vue/index.html deleted file mode 100644 index aa86473e44c1..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - sfc_vue - - -
- - - diff --git a/lib/cli/test/fixtures/sfc_vue/package.json b/lib/cli/test/fixtures/sfc_vue/package.json deleted file mode 100644 index c10937076cd5..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/package.json +++ /dev/null @@ -1,61 +0,0 @@ -{ - "name": "sfc-vue-fixture", - "version": "1.0.0", - "private": true, - "description": "A Vue.js project", - "author": "hypnos ", - "scripts": { - "build": "node build/build.js", - "dev": "node build/dev-server.js", - "start": "node build/dev-server.js" - }, - "browserslist": [ - "> 1%", - "last 2 versions", - "not ie <= 8" - ], - "dependencies": { - "vue": "^2.6.8" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-transform-runtime": "^7.1.0", - "@babel/preset-env": "^7.4.1", - "@babel/preset-stage-2": "^7.0.0", - "@babel/register": "^7.0.0", - "@storybook/semver": "^7.3.2", - "autoprefixer": "^9.4.9", - "babel-core": "^7.0.0-bridge.0", - "babel-loader": "^8.0.5", - "chalk": "^2.4.2", - "connect-history-api-fallback": "^1.6.0", - "copy-webpack-plugin": "^5.0.0", - "css-loader": "^2.1.0", - "cssnano": "^4.1.10", - "eventsource-polyfill": "^0.9.6", - "express": "^4.16.4", - "extract-text-webpack-plugin": "^3.0.2", - "file-loader": "^3.0.1", - "friendly-errors-webpack-plugin": "^1.7.0", - "html-webpack-plugin": "^4.0.0-beta.2", - "http-proxy-middleware": "^0.19.1", - "open": "^6.1.0", - "optimize-css-assets-webpack-plugin": "^2.0.0", - "ora": "^3.2.0", - "rimraf": "^2.6.3", - "shelljs": "^0.8.4", - "url-loader": "^1.1.2", - "vue-loader": "15.7.0", - "vue-style-loader": "^4.1.2", - "vue-template-compiler": "^2.6.8", - "webpack": "^4.44.2", - "webpack-bundle-analyzer": "^3.3.2", - "webpack-dev-middleware": "^3.6.0", - "webpack-hot-middleware": "^2.24.3", - "webpack-merge": "^4.2.1" - }, - "engines": { - "node": ">= 4.0.0", - "npm": ">= 3.0.0" - } -} diff --git a/lib/cli/test/fixtures/sfc_vue/src/App.vue b/lib/cli/test/fixtures/sfc_vue/src/App.vue deleted file mode 100644 index a4dd50d719c1..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/src/App.vue +++ /dev/null @@ -1,28 +0,0 @@ - - - - - diff --git a/lib/cli/test/fixtures/sfc_vue/src/assets/logo.png b/lib/cli/test/fixtures/sfc_vue/src/assets/logo.png deleted file mode 100644 index dd735898997753eeeeb310e27711ffea84a0b8ed..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 5863 zcmZ`-2{=??+a3(f*b`%C(xB{PAN!E41&u6OvP?2%%QBflF_P?)C<>93bu8J&P8i9W z7|E6qWml1{d}qGzyRPs1umAtAxz3#Tea?B$dC#-l&;2}cHdf|b>>}(S5Qxjt;xq<0 z_b?6!8}MJ|NX`LHU~lw!Gze6g!g1ii3e4eH3(R>C=(Y?96nPH>+5<$9-#{R|3JA31 z4g%?9fIxybvKlVv0TP~+SLOaG&ZD_2vkldL>T49N*5z|+;p34--XAn|gJjqD7Nv^YzGA6HM! zQPLB^%n68v-SHdhHGhr8t%PG}30W=Lwz0N-!yorJisbHH6;rI$$bE^O)kQKL;O}jD zZ!psv++740hnwqXIA%wLhq#lX{P4#dUAW*hfxAHkUdKtxQn?}2JB8db86U*4XLv9T z*uL;2!?fi-+GStVl9YR(MkKHT7uy|a?VU*JmZjbzb7;z22%L$&tK9bcDr{2swo#B~ zq>H%HU$AmY_Zg!h|Y@BYk`}XX8+f=Owo-6Z9Di+CXH`c!~%{;qQ8Wj1x zQvfYQ>tae%4hiB9mz8N7{=g1-4LoKKm2NzqvU0dRNYAI+cl1;t%u#p>C@w(Y3+z)^O78GwaaH$bjQp^T2EKb zjhPw+9ckO^aT?kd4UP-h+8GL&Z6K8rdmV!-h@>6RZ@VN4^}|7_Gc=Tg$GdC7?S$MD4EIfY)W8z)&> zPSD+X{J;q;?<)g@<|kB6zT=Lakn}zy7n))jEF<7`{chGNK;$B-d0F(nxx6{cxQS?6 zC_!u|kJBDCaQS`AGSt(gF+OX6xVRVrr!d2nO{zQ=(G|PT4hw(DW|Zi5ySSRZ(Ctq9 z3w{I0P6i@Ms8zfcWDw!>~K&g8z6*O7!oq z>OJo};G6Jdb45kSSo-pzx%h*bqF>#BFDoiEBVTcMu2+*?4w3QLDIKg=`jeRU{UDKQ zI^EGB<^9#N!Arc|cx2>9!bbKdHgZUx_O`18`e)(S$)UY-NCUl#=9oT8-qtns6#Mu6 z*r^cCaPL|VS5)Nki$gQ+$#bO7^-4;)E~eZmQJN_B+Vti27gDJ0GWIB!8OWJ{gD`SC zB6zEtBRa72K%dewOyCldDEkN+wPXJ{A%FoJ;nV}z46KB{XvlAak> zYb{?D=yYB-vqZkvCHn%sb+_%{({-J9D-V-KaC>FfJKQU^BKM1wR{q$_``aJZNkQlh z+V_8ON%Tdo?|{c?HIZE{Z2k9L$=uN;`ORkHDvc38ALx+W$+)m27xC^l$hvZ-{RY^E z_%qNQ-qp&rO6Q_K&H`7U69#3Ej?I432c_yhpl^C^kB8z%?v{M#x7|Co`#B6Su}+p} z?dbW#7_ar?b}@j7&ujNA@cl`b$0tkWT>-+mc19#FuI$o%lU{`20qiLrMqf`vsnh7w~nb9A$r8e4@O^nhSX8~D~LGEBp9OO(AZORSaO%P+ZmBwnbjRk->) z=Yr5Gg)+7u4&L-M*xu5kVbxVV;}(Cw$65NlCr#oGIn)&I

4yNN4B|9l)OQu=Wd; zEuwxQodS-7fer2tcL#gRv{gbq^t2jA%acQtO07$@20lKtT8Q`G!X^ysI61XzMeCR~ z-ZiK(a6`lLk{4UF!Kyq_FZ1FT|Jn(knOs{^Yw&l~4}J**UIg+Lr?h{a{`4;gb)-|j zkoS6mNp624_Od=q00a2=L({3(qo1R`jnfhrYkda_qvLj|xFg5w2%o&I zY!0*n&f%dg;Gv^OV5|;$w3b)9*4?4|)5g#3pAQFkxs4pis{gTnZwx=hw6U_pBDr=) zo`a1MT@rnpF5Xla{Q`&W^Rcn*^Gi3Dy2Bny&=X!~JAZaYNWQouzbta&W^T&xUvs7F zx(>w2xA;J)kKU7YQ8voNI7{xXK^b){qIkQjwdhwT`A|AY9|_=Z>$M2qsnxBg? z*-Sum@-ekT9y#INP${`QhJ^t}5bG8m)F5A|(DLgL8Z2wo$tmGRWB{-s;hZ=&Tn!DU z%0^0_{v3eUrfp^Mpe2mN2mfq=EOOvvAO1U&zr69|iHif>xVymcA`M0$&hBo3aIzO9 zmknSdbXbjzPT=Vuy{WIX<+nN?IaUam;cl&r~8 zMz;V!fSe$#`7oE_E#@c=vIvYDSiMu3Sp=xe)QNtF2`1%~W)-c=da|#I_;isj}0n1C63jyeS99`*_w0{pSM&?V%SFuz@e1n z=;ouqGjPa>?xa~=9qw>;AS-+~9`ns(y#>MR{eJQXUc@BkwsbY~iQ9kA zFk(V436-6=U?c#RWMtpRxe( zYG@&#^~{r;#hI{X^oS(-p&$(HAzFDO^7*{Y9MhJ^AOK14=ii#EVI=thSwWl$6gS z_`8A?u7iA2$`}${?6Aag%OE~b7aHVKYCQFNYecDHT*QcciV1yP%Dqw}a{smK_6CeSIDHV&?X5E>73a(p^* z(X+dDt$|-;rbp>$zAJZDj6c7|%W({h!yMzc#_N=r&z9Y}(OoMPG&_~C-r*8G&bq5f z>+;6YDXrpc6qtuzsHT~-DAQl(kI0F^K9md^X2g%z3sv_J+aHr!u1o!snl_z!JWRH~(GZiEIeYpm`5 z>l$i;gLe>!YJK6*{tLP>LPQF3g=k~6hJD=Wn z%toNNCIW#(^rW96g^q6nEf^>|=sczo$Uuc8FaCBqVAQQw!+wc4*^Lim^3w|q;`f!O zMN88*CqD_T_HN~#e~~`2q&F^daqpYwnmL3h%%1ALZx@#J=_Iiklb4a@# zksi$`XoPy1Q5j4#o6w5#_y06|BboJInJTO_tW@lJi3|7=vDSKd9!$8&6FJXKyjZh= zbt{qsr|Lp-rdWV{<7iBr^^^q|F92RL6M}b=j9tNxd+z|_q(QxnZRb^mCk=A4=(V|q z9saL!K_Oy0@+aWRZfzRu3pK1iegH`*QONMv;?iauN)Q1tu5~xqwo`-B-@e_I07{nJ ztH5?Y_ZGeCJrCsdKyKiRby#lR{W(deTumHX3t;opiAI@)ktdgm#904DAhl9H2ls!* z=?~_m4BxgSeQ-Bqc#;^M@}_RMwwf5ghEKeC7d3{Vuvb9>^g_j&l)0lyV-n?|{x?fY zVvNR&XCne3)tP}nDJ#YIvbyKR+Q`ys{cdIXt0^f&*_?QTc=@GnUL z(9WQF>f-psZ7EupIKtu@Ut5!hLtW@)Lk5IQO~*xGB~C7i$b~YHRni7FmL@#N<#vK` zk?R@Ksfh+_vRm7-g%TZy$WpIm+TN7#Afz`A$rnhEV~jA&48GQ4Tex4QfUvk#aRh+g zPs40y%dXZ104jH)MZRH)NW5t+{n4rb62wF6k_J$t1t?IjpD>o+{BL4~Jwr@8I^~#R zSu)_u;-$?E`xM~ftRfaGH%V=nO2=rWBN%Cz=d0WgGq&nzVLE2$DFk;!Ew?$Uc4n#h zOmXI!V=pCE@Bf(x7kPF53I(p?p%hw|u3&oE<43&^7#=>D~9?zRAK+47%Fp%Z#dGx|3}BKZ!tW z{Nbx6+jkn6@5Dkx+xZKYq}~O))Y*n6r|(;6; z>Xi)Or^p*oC>aEVt3$y4k&uJq`7I-&OTq{uR{K027^TEo@NV*sGC_k*+;pfAYrOW? zlJqQ4i`KO$aFV*X5cXOGj`lxO#ms8?q3IDk_{$V~D&6&I0N)kzM|%>yMtug+6P{5F zLcPM}Sdw;w?y^FH4ExofRlGS$SX9odU1>C|R}0vOoC(T6bw;!w39WK}+G|6SdFsH2 zc+%u*7Swe9rzLS-#9SCUm%EEV|7dSfC1EA|Pe4J`B)E`vicRuQb!7wuR?N$eG5u*w zbe{uBp}2>_N$_#UL<>@vx+DT(mU9|TeWcEVfY>woG8GSk!f`EZPdWI&iVvmO`SLbp z(PyIGn3CuUNxD#s+;}|vK~i@%_>}ZE%qF>6eHvj=6sSz=`pVoB`02n^eF0(dZrBZk z-n*7%Ny2>9Bqwm(N~05Zb#bMZq*O0c3D!$!`dMNc3-t$_iWG6+d+FksdIbG=s6G|` zwR1qMxAIZb|d%1#p9|iYQPexdvg8i9-vhp`ipnJvFnZcVM zb{@jh+y36_seIm@1TNx-^_!4P)%_6`(hswv#V&~`^S%5~AH6&`r`QuXe9)+V6=BhJ zw4N2stZoI|^K*=Ao{-QT3oZ&#(BkbhrkfCX8^(jVP}@WGB>25{eV~g%PNk>rdaG+9 zARZqg(&1C;5(vnqozk-*M-seK1E-l+*(L=6@qz=zalHR$Q}jRW(*Lwfd*lx}24_%a zTE{zo0Bv9C5L3sHD;^`tL826qDvGM=7gdou8X7uCEqN6c9Tk;hKU=i^ z#{$2AE7z{x`u`VrlGze~1;UIs*aln;3H1o_0->)2czVGt{XD$AFkT*4ZUw&cVsxKD NmZnyx$;R%)e*jGm>$v~` diff --git a/lib/cli/test/fixtures/sfc_vue/src/components/Hello.vue b/lib/cli/test/fixtures/sfc_vue/src/components/Hello.vue deleted file mode 100644 index 65cd35fd567b..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/src/components/Hello.vue +++ /dev/null @@ -1,53 +0,0 @@ - - - - - - diff --git a/lib/cli/test/fixtures/sfc_vue/src/main.js b/lib/cli/test/fixtures/sfc_vue/src/main.js deleted file mode 100644 index 7b7fec763bdf..000000000000 --- a/lib/cli/test/fixtures/sfc_vue/src/main.js +++ /dev/null @@ -1,13 +0,0 @@ -// The Vue build version to load with the `import` command -// (runtime-only or standalone) has been set in webpack.base.conf with an alias. -import Vue from 'vue' -import App from './App' - -Vue.config.productionTip = false - -/* eslint-disable no-new */ -new Vue({ - el: '#app', - template: '', - components: { App } -}) diff --git a/lib/cli/test/fixtures/sfc_vue/static/.gitkeep b/lib/cli/test/fixtures/sfc_vue/static/.gitkeep deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/update_package_organisations/.gitignore b/lib/cli/test/fixtures/update_package_organisations/.gitignore deleted file mode 100644 index 927d17bb9c5b..000000000000 --- a/lib/cli/test/fixtures/update_package_organisations/.gitignore +++ /dev/null @@ -1,18 +0,0 @@ -# See https://help.github.com/ignore-files/ for more about ignoring files. - -# dependencies -/node_modules - -# testing -/coverage - -# production -/build - -# misc -.DS_Store -.env -npm-debug.log* -yarn-debug.log* -yarn-error.log* - diff --git a/lib/cli/test/fixtures/update_package_organisations/.storybook/main.js b/lib/cli/test/fixtures/update_package_organisations/.storybook/main.js deleted file mode 100644 index 94e6dabfea00..000000000000 --- a/lib/cli/test/fixtures/update_package_organisations/.storybook/main.js +++ /dev/null @@ -1,3 +0,0 @@ -module.exports = { - stories: ['../stories/**/*.stories.js'], -} diff --git a/lib/cli/test/fixtures/update_package_organisations/README.md b/lib/cli/test/fixtures/update_package_organisations/README.md deleted file mode 100644 index ba219d73d4e0..000000000000 --- a/lib/cli/test/fixtures/update_package_organisations/README.md +++ /dev/null @@ -1,1595 +0,0 @@ -This project was bootstrapped with [Create React App](https://github.com/facebookincubator/create-react-app). - -Below you will find some information on how to perform common tasks.
-You can find the most recent version of this guide [here](https://github.com/facebookincubator/create-react-app/blob/master/packages/react-scripts/template/README.md). - -## Table of Contents - -- [Updating to New Releases](#updating-to-new-releases) -- [Sending Feedback](#sending-feedback) -- [Folder Structure](#folder-structure) -- [Available Scripts](#available-scripts) - - [npm start](#npm-start) - - [npm test](#npm-test) - - [npm run build](#npm-run-build) - - [npm run eject](#npm-run-eject) -- [Supported Language Features and Polyfills](#supported-language-features-and-polyfills) -- [Syntax Highlighting in the Editor](#syntax-highlighting-in-the-editor) -- [Displaying Lint Output in the Editor](#displaying-lint-output-in-the-editor) -- [Debugging in the Editor](#debugging-in-the-editor) -- [Changing the Page <title>](#changing-the-page-title) -- [Installing a Dependency](#installing-a-dependency) -- [Importing a Component](#importing-a-component) - - [Button.js](#buttonjs) - - [DangerButton.js](#dangerbuttonjs) -- [Adding a Stylesheet](#adding-a-stylesheet) - - [Button.css](#buttoncss) - - [Button.js](#buttonjs-1) -- [Post-Processing CSS](#post-processing-css) -- [Adding a CSS Preprocessor (Sass, Less etc.)](#adding-a-css-preprocessor-sass-less-etc) -- [Adding Images and Fonts](#adding-images-and-fonts) -- [Using the public Folder](#using-the-public-folder) - - [Changing the HTML](#changing-the-html) - - [Adding Assets Outside of the Module System](#adding-assets-outside-of-the-module-system) - - [When to Use the public Folder](#when-to-use-the-public-folder) -- [Using Global Variables](#using-global-variables) -- [Adding Bootstrap](#adding-bootstrap) - - [Using a Custom Theme](#using-a-custom-theme) -- [Adding Flow](#adding-flow) -- [Adding Custom Environment Variables](#adding-custom-environment-variables) - - [Referencing Environment Variables in the HTML](#referencing-environment-variables-in-the-html) - - [Adding Temporary Environment Variables In Your Shell](#adding-temporary-environment-variables-in-your-shell) - - [Adding Development Environment Variables In .env](#adding-development-environment-variables-in-env) -- [Can I Use Decorators?](#can-i-use-decorators) -- [Integrating with an API Backend](#integrating-with-an-api-backend) - - [Node](#node) - - [Ruby on Rails](#ruby-on-rails) -- [Proxying API Requests in Development](#proxying-api-requests-in-development) -- [Using HTTPS in Development](#using-https-in-development) -- [Generating Dynamic <meta> Tags on the Server](#generating-dynamic-meta-tags-on-the-server) -- [Pre-Rendering into Static HTML Files](#pre-rendering-into-static-html-files) -- [Injecting Data from the Server into the Page](#injecting-data-from-the-server-into-the-page) -- [Running Tests](#running-tests) - - [Filename Conventions](#filename-conventions) - - [Command Line Interface](#command-line-interface) - - [Version Control Integration](#version-control-integration) - - [Writing Tests](#writing-tests) - - [Testing Components](#testing-components) - - [Using Third Party Assertion Libraries](#using-third-party-assertion-libraries) - - [Initializing Test Environment](#initializing-test-environment) - - [Focusing and Excluding Tests](#focusing-and-excluding-tests) - - [Coverage Reporting](#coverage-reporting) - - [Continuous Integration](#continuous-integration) - - [On CI servers](#on-ci-servers) - - [On your own environment](#on-your-own-environment) - - [Disabling jsdom](#disabling-jsdom) - - [Snapshot Testing](#snapshot-testing) - - [Editor Integration](#editor-integration) -- [Developing Components in Isolation](#developing-components-in-isolation) -- [Making a Progressive Web App](#making-a-progressive-web-app) -- [Deployment](#deployment) - - [Static Server](#static-server) - - [Other Solutions](#other-solutions) - - [Serving Apps with Client-Side Routing](#serving-apps-with-client-side-routing) - - [Building for Relative Paths](#building-for-relative-paths) - - [Azure](#azure) - - [Firebase](#firebase) - - [GitHub Pages](#github-pages) - - [Heroku](#heroku) - - [Modulus](#modulus) -- [Netlify](#netlify) - - [Now](#now) - - [S3 and CloudFront](#s3-and-cloudfront) - - [Surge](#surge) -- [Advanced Configuration](#advanced-configuration) -- [Troubleshooting](#troubleshooting) - - [npm start doesn’t detect changes](#npm-start-doesnt-detect-changes) - - [npm test hangs on macOS Sierra](#npm-test-hangs-on-macos-sierra) - - [npm run build silently fails](#npm-run-build-silently-fails) - - [npm run build fails on Heroku](#npm-run-build-fails-on-heroku) -- [Something Missing?](#something-missing) - -## Updating to New Releases - -Create React App is divided into two packages: - -- `create-react-app` is a global command-line utility that you use to create new projects. -- `react-scripts` is a development dependency in the generated projects (including this one). - -You almost never need to update `create-react-app` itself: it delegates all the setup to `react-scripts`. - -When you run `create-react-app`, it always creates the project with the latest version of `react-scripts` so you’ll get all the new features and improvements in newly created apps automatically. - -To update an existing project to a new version of `react-scripts`, [open the changelog](https://github.com/facebookincubator/create-react-app/blob/master/CHANGELOG.md), find the version you’re currently on (check `package.json` in this folder if you’re not sure), and apply the migration instructions for the newer versions. - -In most cases bumping the `react-scripts` version in `package.json` and running `npm install` in this folder should be enough, but it’s good to consult the [changelog](https://github.com/facebookincubator/create-react-app/blob/master/CHANGELOG.md) for potential breaking changes. - -We commit to keeping the breaking changes minimal so you can upgrade `react-scripts` painlessly. - -## Sending Feedback - -We are always open to [your feedback](https://github.com/facebookincubator/create-react-app/issues). - -## Folder Structure - -After creation, your project should look like this: - - my-app/ - README.md - node_modules/ - package.json - public/ - index.html - favicon.ico - src/ - App.css - App.js - App.test.js - index.css - index.js - logo.svg - -For the project to build, **these files must exist with exact filenames**: - -- `public/index.html` is the page template; -- `src/index.js` is the JavaScript entry point. - -You can delete or rename the other files. - -You may create subdirectories inside `src`. For faster rebuilds, only files inside `src` are processed by Webpack.
-You need to **put any JS and CSS files inside `src`**, or Webpack won’t see them. - -Only files inside `public` can be used from `public/index.html`.
-Read instructions below for using assets from JavaScript and HTML. - -You can, however, create more top-level directories.
-They will not be included in the production build so you can use them for things like documentation. - -## Available Scripts - -In the project directory, you can run: - -### `npm start` - -Runs the app in the development mode.
-Open to view it in the browser. - -The page will reload if you make edits.
-You will also see any lint errors in the console. - -### `npm test` - -Launches the test runner in the interactive watch mode.
-See the section about [running tests](#running-tests) for more information. - -### `npm run build` - -Builds the app for production to the `build` folder.
-It correctly bundles React in production mode and optimizes the build for the best performance. - -The build is minified and the filenames include the hashes.
-Your app is ready to be deployed! - -See the section about [deployment](#deployment) for more information. - -### `npm run eject` - -**Note: this is a one-way operation. Once you `eject`, you can’t go back!** - -If you aren’t satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project. - -Instead, it will copy all the configuration files and the transitive dependencies (Webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you’re on your own. - -You don’t have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn’t feel obligated to use this feature. However we understand that this tool wouldn’t be useful if you couldn’t customize it when you are ready for it. - -## Supported Language Features and Polyfills - -This project supports a superset of the latest JavaScript standard.
-In addition to [ES6](https://github.com/lukehoban/es6features) syntax features, it also supports: - -- [Exponentiation Operator](https://github.com/rwaldron/exponentiation-operator) (ES2016). -- [Async/await](https://github.com/tc39/ecmascript-asyncawait) (ES2017). -- [Object Rest/Spread Properties](https://github.com/sebmarkbage/ecmascript-rest-spread) (stage 3 proposal). -- [Class Fields and Static Properties](https://github.com/tc39/proposal-class-public-fields) (stage 2 proposal). -- [JSX](https://facebook.github.io/react/docs/introducing-jsx.html) and [Flow](https://flowtype.org/) syntax. - -Learn more about [different proposal stages](https://babeljs.io/docs/plugins/#presets-stage-x-experimental-presets-). - -While we recommend to use experimental proposals with some caution, Facebook heavily uses these features in the product code, so we intend to provide [codemods](https://medium.com/@cpojer/effective-javascript-codemods-5a6686bb46fb) if any of these proposals change in the future. - -Note that **the project only includes a few ES6 [polyfills](https://en.wikipedia.org/wiki/Polyfill)**: - -- [`Object.assign()`](https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/Object/assign) via [`object-assign`](https://github.com/sindresorhus/object-assign). -- [`Promise`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) via [`promise`](https://github.com/then/promise). -- [`fetch()`](https://developer.mozilla.org/en/docs/Web/API/Fetch_API) via [`whatwg-fetch`](https://github.com/github/fetch). - -If you use any other ES6+ features that need **runtime support** (such as `Array.from()` or `Symbol`), make sure you are including the appropriate polyfills manually, or that the browsers you are targeting already support them. - -## Syntax Highlighting in the Editor - -To configure the syntax highlighting in your favorite text editor, head to the [relevant Babel documentation page](https://babeljs.io/docs/editors) and follow the instructions. Some of the most popular editors are covered. - -## Displaying Lint Output in the Editor - -> Note: this feature is available with `react-scripts@0.2.0` and higher. - -Some editors, including Sublime Text, Atom, and Visual Studio Code, provide plugins for ESLint. - -They are not required for linting. You should see the linter output right in your terminal as well as the browser console. However, if you prefer the lint results to appear right in your editor, there are some extra steps you can do. - -You would need to install an ESLint plugin for your editor first. - -> **A note for Atom `linter-eslint` users** -> -> If you are using the Atom `linter-eslint` plugin, make sure that **Use global ESLint installation** option is checked: -> -> -> -> **For Visual Studio Code users** -> -> VS Code ESLint plugin automatically detects Create React App's configuration file. So you do not need to create `eslintrc.json` at the root directory, except when you want to add your own rules. In that case, you should include CRA's config by adding this line: -> -> ```js -> { -> // ... -> "extends": "react-app" -> } -> ``` - -Then add this block to the `package.json` file of your project: - -```js -{ - // ... - "eslintConfig": { - "extends": "react-app" - } -} -``` - -Finally, you will need to install some packages _globally_: - -```sh -npm install -g eslint-config-react-app@0.3.0 eslint@3.8.1 babel-eslint@7.0.0 eslint-plugin-react@6.4.1 eslint-plugin-import@2.0.1 eslint-plugin-jsx-a11y@4.0.0 eslint-plugin-flowtype@2.21.0 -``` - -We recognize that this is suboptimal, but it is currently required due to the way we hide the ESLint dependency. The ESLint team is already [working on a solution to this](https://github.com/eslint/eslint/issues/3458) so this may become unnecessary in a couple of months. - -## Debugging in the Editor - -**This feature is currently only supported by [Visual Studio Code](https://code.visualstudio.com) editor.** - -Visual Studio Code supports live-editing and debugging out of the box with Create React App. This enables you as a developer to write and debug your React code without leaving the editor, and most importantly it enables you to have a continuous development workflow, where context switching is minimal, as you don’t have to switch between tools. - -You would need to have the latest version of [VS Code](https://code.visualstudio.com) and VS Code [Chrome Debugger Extension](https://marketplace.visualstudio.com/items?itemName=msjsdiag.debugger-for-chrome) installed. - -Then add the block below to your `launch.json` file and put it inside the `.vscode` folder in your app’s root directory. - -```json -{ - "version": "0.2.0", - "configurations": [{ - "name": "Chrome", - "type": "chrome", - "request": "launch", - "url": "http://localhost:3000", - "webRoot": "${workspaceRoot}/src", - "userDataDir": "${workspaceRoot}/.vscode/chrome", - "sourceMapPathOverrides": { - "webpack:///src/*": "${webRoot}/*" - } - }] -} -``` - -Start your app by running `npm start`, and start debugging in VS Code by pressing `F5` or by clicking the green debug icon. You can now write code, set breakpoints, make changes to the code, and debug your newly modified code—all from your editor. - -## Changing the Page `` - -You can find the source HTML file in the `public` folder of the generated project. You may edit the `<title>` tag in it to change the title from “React App” to anything else. - -Note that normally you wouldn’t edit files in the `public` folder very often. For example, [adding a stylesheet](#adding-a-stylesheet) is done without touching the HTML. - -If you need to dynamically update the page title based on the content, you can use the browser [`document.title`](https://developer.mozilla.org/en-US/docs/Web/API/Document/title) API. For more complex scenarios when you want to change the title from React components, you can use [React Helmet](https://github.com/nfl/react-helmet), a third party library. - -If you use a custom server for your app in production and want to modify the title before it gets sent to the browser, you can follow advice in [this section](#generating-dynamic-meta-tags-on-the-server). Alternatively, you can pre-build each page as a static HTML file which then loads the JavaScript bundle, which is covered [here](#pre-rendering-into-static-html-files). - -## Installing a Dependency - -The generated project includes React and ReactDOM as dependencies. It also includes a set of scripts used by Create React App as a development dependency. You may install other dependencies (for example, React Router) with `npm`: - - npm install --save <library-name> - -## Importing a Component - -This project setup supports ES6 modules thanks to Babel.<br> -While you can still use `require()` and `module.exports`, we encourage you to use [`import` and `export`](http://exploringjs.com/es6/ch_modules.html) instead. - -For example: - -### `Button.js` - -```js -import React, { Component } from 'react'; - -class Button extends Component { - render() { - // ... - } -} - -export default Button; // Don’t forget to use export default! -``` - -### `DangerButton.js` - -```js -import React, { Component } from 'react'; -import Button from './Button'; // Import a component from another file - -class DangerButton extends Component { - render() { - return <Button color="red" />; - } -} - -export default DangerButton; -``` - -Be aware of the [difference between default and named exports](http://stackoverflow.com/questions/36795819/react-native-es-6-when-should-i-use-curly-braces-for-import/36796281#36796281). It is a common source of mistakes. - -We suggest that you stick to using default imports and exports when a module only exports a single thing (for example, a component). That’s what you get when you use `export default Button` and `import Button from './Button'`. - -Named exports are useful for utility modules that export several functions. A module may have at most one default export and as many named exports as you like. - -Learn more about ES6 modules: - -- [When to use the curly braces?](http://stackoverflow.com/questions/36795819/react-native-es-6-when-should-i-use-curly-braces-for-import/36796281#36796281) -- [Exploring ES6: Modules](http://exploringjs.com/es6/ch_modules.html) -- [Understanding ES6: Modules](https://leanpub.com/understandinges6/read#leanpub-auto-encapsulating-code-with-modules) - -## Adding a Stylesheet - -This project setup uses [Webpack](https://webpack.github.io/) for handling all assets. Webpack offers a custom way of “extending” the concept of `import` beyond JavaScript. To express that a JavaScript file depends on a CSS file, you need to **import the CSS from the JavaScript file**: - -### `Button.css` - -```css -.Button { - padding: 20px; -} -``` - -### `Button.js` - -```js -import React, { Component } from 'react'; -import './Button.css'; // Tell Webpack that Button.js uses these styles - -class Button extends Component { - render() { - // You can use them as regular CSS styles - return <div className="Button" />; - } -} -``` - -**This is not required for React** but many people find this feature convenient. You can read about the benefits of this approach [here](https://medium.com/seek-ui-engineering/block-element-modifying-your-javascript-components-d7f99fcab52b). However you should be aware that this makes your code less portable to other build tools and environments than Webpack. - -In development, expressing dependencies this way allows your styles to be reloaded on the fly as you edit them. In production, all CSS files will be concatenated into a single minified `.css` file in the build output. - -If you are concerned about using Webpack-specific semantics, you can put all your CSS right into `src/index.css`. It would still be imported from `src/index.js`, but you could always remove that import if you later migrate to a different build tool. - -## Post-Processing CSS - -This project setup minifies your CSS and adds vendor prefixes to it automatically through [Autoprefixer](https://github.com/postcss/autoprefixer) so you don’t need to worry about it. - -For example, this: - -```css -.App { - display: flex; - flex-direction: row; - align-items: center; -} -``` - -becomes this: - -```css -.App { - display: -webkit-box; - display: -ms-flexbox; - display: flex; - -webkit-box-orient: horizontal; - -webkit-box-direction: normal; - -ms-flex-direction: row; - flex-direction: row; - -webkit-box-align: center; - -ms-flex-align: center; - align-items: center; -} -``` - -If you need to disable autoprefixing for some reason, [follow this section](https://github.com/postcss/autoprefixer#disabling). - -## Adding a CSS Preprocessor (Sass, Less etc.) - -Generally, we recommend that you don’t reuse the same CSS classes across different components. For example, instead of using a `.Button` CSS class in `<AcceptButton>` and `<RejectButton>` components, we recommend creating a `<Button>` component with its own `.Button` styles, that both `<AcceptButton>` and `<RejectButton>` can render (but [not inherit](https://facebook.github.io/react/docs/composition-vs-inheritance.html)). - -Following this rule often makes CSS preprocessors less useful, as features like mixins and nesting are replaced by component composition. You can, however, integrate a CSS preprocessor if you find it valuable. In this walkthrough, we will be using Sass, but you can also use Less, or another alternative. - -First, let’s install the command-line interface for Sass: - - npm install node-sass --save-dev - -Then in `package.json`, add the following lines to `scripts`: - -```diff - "scripts": { -+ "build-css": "node-sass src/ -o src/", -+ "watch-css": "npm run build-css && node-sass src/ -o src/ --watch --recursive", - "start": "react-scripts start", - "build": "react-scripts build", - "test": "react-scripts test --env=jsdom", -``` - -> Note: To use a different preprocessor, replace `build-css` and `watch-css` commands according to your preprocessor’s documentation. - -Now you can rename `src/App.css` to `src/App.scss` and run `npm run watch-css`. The watcher will find every Sass file in `src` subdirectories, and create a corresponding CSS file next to it, in our case overwriting `src/App.css`. Since `src/App.js` still imports `src/App.css`, the styles become a part of your application. You can now edit `src/App.scss`, and `src/App.css` will be regenerated. - -To share variables between Sass files, you can use Sass imports. For example, `src/App.scss` and other component style files could include `@import "./shared.scss";` with variable definitions. - -At this point you might want to remove all CSS files from the source control, and add `src/**/*.css` to your `.gitignore` file. It is generally a good practice to keep the build products outside of the source control. - -As a final step, you may find it convenient to run `watch-css` automatically with `npm start`, and run `build-css` as a part of `npm run build`. You can use the `&&` operator to execute two scripts sequentially. However, there is no cross-platform way to run two scripts in parallel, so we will install a package for this: - - npm install --save-dev npm-run-all - -Then we can change `start` and `build` scripts to include the CSS preprocessor commands: - -```diff - "scripts": { - "build-css": "node-sass src/ -o src/", - "watch-css": "npm run build-css && node-sass src/ -o src/ --watch --recursive", -- "start": "react-scripts start", -- "build": "react-scripts build", -+ "start-js": "react-scripts start", -+ "start": "npm-run-all -p watch-css start-js", -+ "build": "npm run build-css && react-scripts build", - "test": "react-scripts test --env=jsdom", - "eject": "react-scripts eject" - } -``` - -Now running `npm start` and `npm run build` also builds Sass files. Note that `node-sass` seems to have an [issue recognizing newly created files on some systems](https://github.com/sass/node-sass/issues/1891) so you might need to restart the watcher when you create a file until it’s resolved. - -## Adding Images and Fonts - -With Webpack, using static assets like images and fonts works similarly to CSS. - -You can **`import` an image right in a JavaScript module**. This tells Webpack to include that image in the bundle. Unlike CSS imports, importing an image or a font gives you a string value. This value is the final image path you can reference in your code. - -Here is an example: - -```js -import React from 'react'; -import logo from './logo.png'; // Tell Webpack this JS file uses this image - -console.log(logo); // /logo.84287d09.png - -function Header() { - // Import result is the URL of your image - return <img src={logo} alt="Logo" />; -} - -export default Header; -``` - -This ensures that when the project is built, Webpack will correctly move the images into the build folder, and provide us with correct paths. - -This works in CSS too: - -```css -.Logo { - background-image: url(./logo.png); -} -``` - -Webpack finds all relative module references in CSS (they start with `./`) and replaces them with the final paths from the compiled bundle. If you make a typo or accidentally delete an important file, you will see a compilation error, just like when you import a non-existent JavaScript module. The final filenames in the compiled bundle are generated by Webpack from content hashes. If the file content changes in the future, Webpack will give it a different name in production so you don’t need to worry about long-term caching of assets. - -Please be advised that this is also a custom feature of Webpack. - -**It is not required for React** but many people enjoy it (and React Native uses a similar mechanism for images).<br> -An alternative way of handling static assets is described in the next section. - -## Using the `public` Folder - -> Note: this feature is available with `react-scripts@0.5.0` and higher. - -### Changing the HTML - -The `public` folder contains the HTML file so you can tweak it, for example, to [set the page title](#changing-the-page-title). -The `<script>` tag with the compiled code will be added to it automatically during the build process. - -### Adding Assets Outside of the Module System - -You can also add other assets to the `public` folder. - -Note that we normally encourage you to `import` assets in JavaScript files instead. -For example, see the sections on [adding a stylesheet](#adding-a-stylesheet) and [adding images and fonts](#adding-images-and-fonts). -This mechanism provides a number of benefits: - -- Scripts and stylesheets get minified and bundled together to avoid extra network requests. -- Missing files cause compilation errors instead of 404 errors for your users. -- Result filenames include content hashes so you don’t need to worry about browsers caching their old versions. - -However there is an **escape hatch** that you can use to add an asset outside of the module system. - -If you put a file into the `public` folder, it will **not** be processed by Webpack. Instead it will be copied into the build folder untouched. To reference assets in the `public` folder, you need to use a special variable called `PUBLIC_URL`. - -Inside `index.html`, you can use it like this: - -```html -<link rel="shortcut icon" href="%PUBLIC_URL%/favicon.ico"> -``` - -Only files inside the `public` folder will be accessible by `%PUBLIC_URL%` prefix. If you need to use a file from `src` or `node_modules`, you’ll have to copy it there to explicitly specify your intention to make this file a part of the build. - -When you run `npm run build`, Create React App will substitute `%PUBLIC_URL%` with a correct absolute path so your project works even if you use client-side routing or host it at a non-root URL. - -In JavaScript code, you can use `process.env.PUBLIC_URL` for similar purposes: - -```js -render() { - // Note: this is an escape hatch and should be used sparingly! - // Normally we recommend using `import` for getting asset URLs - // as described in “Adding Images and Fonts” above this section. - return <img src={process.env.PUBLIC_URL + '/img/logo.png'} />; -} -``` - -Keep in mind the downsides of this approach: - -- None of the files in `public` folder get post-processed or minified. -- Missing files will not be called at compilation time, and will cause 404 errors for your users. -- Result filenames won’t include content hashes so you’ll need to add query arguments or rename them every time they change. - -### When to Use the `public` Folder - -Normally we recommend importing [stylesheets](#adding-a-stylesheet), [images, and fonts](#adding-images-and-fonts) from JavaScript. -The `public` folder is useful as a workaround for a number of less common cases: - -- You need a file with a specific name in the build output, such as [`manifest.webmanifest`](https://developer.mozilla.org/en-US/docs/Web/Manifest). -- You have thousands of images and need to dynamically reference their paths. -- You want to include a small script like [`pace.js`](http://github.hubspot.com/pace/docs/welcome/) outside of the bundled code. -- Some library may be incompatible with Webpack and you have no other option but to include it as a `<script>` tag. - -Note that if you add a `<script>` that declares global variables, you also need to read the next section on using them. - -## Using Global Variables - -When you include a script in the HTML file that defines global variables and try to use one of these variables in the code, the linter will complain because it cannot see the definition of the variable. - -You can avoid this by reading the global variable explicitly from the `window` object, for example: - -```js -const $ = window.$; -``` - -This makes it more clear that you are using a global variable intentionally rather than because of a typo. - -Alternatively, you can force the linter to ignore any line by adding `// eslint-disable-line` after it. - -## Adding Bootstrap - -You don’t have to use [React Bootstrap](https://react-bootstrap.github.io) together with React but it is a popular library for integrating Bootstrap with React apps. If you need it, you can integrate it with Create React App by following these steps: - -Install React Bootstrap and Bootstrap from npm. React Bootstrap does not include Bootstrap CSS so this needs to be installed as well: - - npm install react-bootstrap --save - npm install bootstrap@3 --save - -Import Bootstrap CSS and optionally Bootstrap theme CSS in the beginning of your `src/index.js` file: - -```js -import 'bootstrap/dist/css/bootstrap.css'; -import 'bootstrap/dist/css/bootstrap-theme.css'; -// Put any other imports below so that CSS from your -// components takes precedence over default styles. -``` - -Import required React Bootstrap components within `src/App.js` file or your custom component files: - -```js -import { Navbar, Jumbotron, Button } from 'react-bootstrap'; -``` - -Now you are ready to use the imported React Bootstrap components within your component hierarchy defined in the render method. Here is an example [`App.js`](https://gist.githubusercontent.com/gaearon/85d8c067f6af1e56277c82d19fd4da7b/raw/6158dd991b67284e9fc8d70b9d973efe87659d72/App.js) redone using React Bootstrap. - -### Using a Custom Theme - -Sometimes you might need to tweak the visual styles of Bootstrap (or equivalent package).<br> -We suggest the following approach: - -- Create a new package that depends on the package you wish to customize, e.g. Bootstrap. -- Add the necessary build steps to tweak the theme, and publish your package on npm. -- Install your own theme npm package as a dependency of your app. - -Here is an example of adding a [customized Bootstrap](https://medium.com/@tacomanator/customizing-create-react-app-aa9ffb88165) that follows these steps. - -## Adding Flow - -Flow is a static type checker that helps you write code with fewer bugs. Check out this [introduction to using static types in JavaScript](https://medium.com/@preethikasireddy/why-use-static-types-in-javascript-part-1-8382da1e0adb) if you are new to this concept. - -Recent versions of [Flow](http://flowtype.org/) work with Create React App projects out of the box. - -To add Flow to a Create React App project, follow these steps: - -1. Run `npm install --save-dev flow-bin` (or `yarn add --dev flow-bin`). -2. Add `"flow": "flow"` to the `scripts` section of your `package.json`. -3. Run `npm run flow -- init` (or `yarn flow -- init`) to create a [`.flowconfig` file](https://flowtype.org/docs/advanced-configuration.html) in the root directory. -4. Add `// @flow` to any files you want to type check (for example, to `src/App.js`). - -Now you can run `npm run flow` (or `yarn flow`) to check the files for type errors. -You can optionally use an IDE like [Nuclide](https://nuclide.io/docs/languages/flow/) for a better integrated experience. -In the future we plan to integrate it into Create React App even more closely. - -To learn more about Flow, check out [its documentation](https://flowtype.org/). - -## Adding Custom Environment Variables - -> Note: this feature is available with `react-scripts@0.2.3` and higher. - -Your project can consume variables declared in your environment as if they were declared locally in your JS files. By -default you will have `NODE_ENV` defined for you, and any other environment variables starting with -`REACT_APP_`. - -**The environment variables are embedded during the build time**. Since Create React App produces a static HTML/CSS/JS bundle, it can’t possibly read them at runtime. To read them at runtime, you would need to load HTML into memory on the server and replace placeholders in runtime, just like [described here](#injecting-data-from-the-server-into-the-page). Alternatively you can rebuild the app on the server anytime you change them. - -> Note: You must create custom environment variables beginning with `REACT_APP_`. Any other variables except `NODE_ENV` will be ignored to avoid accidentally [exposing a private key on the machine that could have the same name](https://github.com/facebookincubator/create-react-app/issues/865#issuecomment-252199527). Changing any environment variables will require you to restart the development server if it is running. - -These environment variables will be defined for you on `process.env`. For example, having an environment -variable named `REACT_APP_SECRET_CODE` will be exposed in your JS as `process.env.REACT_APP_SECRET_CODE`. - -There is also a special built-in environment variable called `NODE_ENV`. You can read it from `process.env.NODE_ENV`. When you run `npm start`, it is always equal to `'development'`, when you run `npm test` it is always equal to `'test'`, and when you run `npm run build` to make a production bundle, it is always equal to `'production'`. **You cannot override `NODE_ENV` manually.** This prevents developers from accidentally deploying a slow development build to production. - -These environment variables can be useful for displaying information conditionally based on where the project is -deployed or consuming sensitive data that lives outside of version control. - -First, you need to have environment variables defined. For example, let’s say you wanted to consume a secret defined -in the environment inside a `<form>`: - -```jsx -render() { - return ( - <div> - <small>You are running this application in <b>{process.env.NODE_ENV}</b> mode.</small> - <form> - <input type="hidden" defaultValue={process.env.REACT_APP_SECRET_CODE} /> - </form> - </div> - ); -} -``` - -During the build, `process.env.REACT_APP_SECRET_CODE` will be replaced with the current value of the `REACT_APP_SECRET_CODE` environment variable. Remember that the `NODE_ENV` variable will be set for you automatically. - -When you load the app in the browser and inspect the `<input>`, you will see its value set to `abcdef`, and the bold text will show the environment provided when using `npm start`: - -```html -<div> - <small>You are running this application in <b>development</b> mode.</small> - <form> - <input type="hidden" value="abcdef" /> - </form> -</div> -``` - -The above form is looking for a variable called `REACT_APP_SECRET_CODE` from the environment. In order to consume this -value, we need to have it defined in the environment. This can be done using two ways: either in your shell or in -a `.env` file. Both of these ways are described in the next few sections. - -Having access to the `NODE_ENV` is also useful for performing actions conditionally: - -```js -if (process.env.NODE_ENV !== 'production') { - analytics.disable(); -} -``` - -When you compile the app with `npm run build`, the minification step will strip out this condition, and the resulting bundle will be smaller. - -### Referencing Environment Variables in the HTML - -> Note: this feature is available with `react-scripts@0.9.0` and higher. - -You can also access the environment variables starting with `REACT_APP_` in the `public/index.html`. For example: - -```html -<title>%REACT_APP_WEBSITE_NAME% -``` - -Note that the caveats from the above section apply: - -- Apart from a few built-in variables (`NODE_ENV` and `PUBLIC_URL`), variable names must start with `REACT_APP_` to work. -- The environment variables are injected at build time. If you need to inject them at runtime, [follow this approach instead](#generating-dynamic-meta-tags-on-the-server). - -### Adding Temporary Environment Variables In Your Shell - -Defining environment variables can vary between OSes. It’s also important to know that this manner is temporary for the -life of the shell session. - -#### Windows (cmd.exe) - -```cmd -set REACT_APP_SECRET_CODE=abcdef&&npm start -``` - -(Note: the lack of whitespace is intentional.) - -#### Linux, macOS (Bash) - -```bash -REACT_APP_SECRET_CODE=abcdef npm start -``` - -### Adding Development Environment Variables In `.env` - -> Note: this feature is available with `react-scripts@0.5.0` and higher. - -To define permanent environment variables, create a file called `.env` in the root of your project: - - REACT_APP_SECRET_CODE=abcdef - -These variables will act as the defaults if the machine does not explicitly set them.
-Please refer to the [dotenv documentation](https://github.com/motdotla/dotenv) for more details. - -> Note: If you are defining environment variables for development, your CI and/or hosting platform will most likely need -> these defined as well. Consult their documentation how to do this. For example, see the documentation for [Travis CI](https://docs.travis-ci.com/user/environment-variables/) or [Heroku](https://devcenter.heroku.com/articles/config-vars). - -## Can I Use Decorators? - -Many popular libraries use [decorators](https://medium.com/google-developers/exploring-es7-decorators-76ecb65fb841) in their documentation.
-Create React App doesn’t support decorator syntax at the moment because: - -- It is an experimental proposal and is subject to change. -- The current specification version is not officially supported by Babel. -- If the specification changes, we won’t be able to write a codemod because we don’t use them internally at Facebook. - -However in many cases you can rewrite decorator-based code without decorators just as fine.
-Please refer to these two threads for reference: - -- [#214](https://github.com/facebookincubator/create-react-app/issues/214) -- [#411](https://github.com/facebookincubator/create-react-app/issues/411) - -Create React App will add decorator support when the specification advances to a stable stage. - -## Integrating with an API Backend - -These tutorials will help you to integrate your app with an API backend running on another port, -using `fetch()` to access it. - -### Node - -Check out [this tutorial](https://www.fullstackreact.com/articles/using-create-react-app-with-a-server/). -You can find the companion GitHub repository [here](https://github.com/fullstackreact/food-lookup-demo). - -### Ruby on Rails - -Check out [this tutorial](https://www.fullstackreact.com/articles/how-to-get-create-react-app-to-work-with-your-rails-api/). -You can find the companion GitHub repository [here](https://github.com/fullstackreact/food-lookup-demo-rails). - -## Proxying API Requests in Development - -> Note: this feature is available with `react-scripts@0.2.3` and higher. - -People often serve the front-end React app from the same host and port as their backend implementation.
-For example, a production setup might look like this after the app is deployed: - - / - static server returns index.html with React app - /todos - static server returns index.html with React app - /api/todos - server handles any /api/* requests using the backend implementation - -Such setup is **not** required. However, if you **do** have a setup like this, it is convenient to write requests like `fetch('/api/todos')` without worrying about redirecting them to another host or port during development. - -To tell the development server to proxy any unknown requests to your API server in development, add a `proxy` field to your `package.json`, for example: - -```js - "proxy": "http://localhost:4000", -``` - -This way, when you `fetch('/api/todos')` in development, the development server will recognize that it’s not a static asset, and will proxy your request to `http://localhost:4000/api/todos` as a fallback. The development server will only attempt to send requests without a `text/html` accept header to the proxy. - -Conveniently, this avoids [CORS issues](http://stackoverflow.com/questions/21854516/understanding-ajax-cors-and-security-considerations) and error messages like this in development: - - Fetch API cannot load http://localhost:4000/api/todos. No 'Access-Control-Allow-Origin' header is present on the requested resource. Origin 'http://localhost:3000' is therefore not allowed access. If an opaque response serves your needs, set the request's mode to 'no-cors' to fetch the resource with CORS disabled. - -Keep in mind that `proxy` only has effect in development (with `npm start`), and it is up to you to ensure that URLs like `/api/todos` point to the right thing in production. You don’t have to use the `/api` prefix. Any unrecognized request without a `text/html` accept header will be redirected to the specified `proxy`. - -The `proxy` option supports HTTP, HTTPS and WebSocket connections.
-If the `proxy` option is **not** flexible enough for you, alternatively you can: - -- Enable CORS on your server ([here’s how to do it for Express](http://enable-cors.org/server_expressjs.html)). -- Use [environment variables](#adding-custom-environment-variables) to inject the right server host and port into your app. - -## Using HTTPS in Development - -> Note: this feature is available with `react-scripts@0.4.0` and higher. - -You may require the dev server to serve pages over HTTPS. One particular case where this could be useful is when using [the "proxy" feature](#proxying-api-requests-in-development) to proxy requests to an API server when that API server is itself serving HTTPS. - -To do this, set the `HTTPS` environment variable to `true`, then start the dev server as usual with `npm start`: - -#### Windows (cmd.exe) - -```cmd -set HTTPS=true&&npm start -``` - -(Note: the lack of whitespace is intentional.) - -#### Linux, macOS (Bash) - -```bash -HTTPS=true npm start -``` - -Note that the server will use a self-signed certificate, so your web browser will almost definitely display a warning upon accessing the page. - -## Generating Dynamic `` Tags on the Server - -Since Create React App doesn’t support server rendering, you might be wondering how to make `` tags dynamic and reflect the current URL. To solve this, we recommend to add placeholders into the HTML, like this: - -```html - - - - - -``` - -Then, on the server, regardless of the backend you use, you can read `index.html` into memory and replace `__OG_TITLE__`, `__OG_DESCRIPTION__`, and any other placeholders with values depending on the current URL. Make sure to sanitize and escape the interpolated values so that they are safe to embed into HTML! - -If you use a Node server, you can even share the route matching logic between the client and the server. However duplicating it also works fine in simple cases. - -## Pre-Rendering into Static HTML Files - -If you’re hosting your `build` with a static hosting provider you can use [react-snapshot](https://www.npmjs.com/package/react-snapshot) to generate HTML pages for each route, or relative link, in your application. These pages will then seamlessly become active, or “hydrated”, when the JavaScript bundle has loaded. - -There are also opportunities to use this outside of static hosting, to take the pressure off the server when generating and caching routes. - -The primary benefit of pre-rendering is that you get the core content of each page _with_ the HTML payload—regardless of whether or not your JavaScript bundle successfully downloads. It also increases the likelihood that each route of your application will be picked up by search engines. - -You can read more about [zero-configuration pre-rendering (also called snapshotting) here](https://medium.com/superhighfives/an-almost-static-stack-6df0a2791319). - -## Injecting Data from the Server into the Page - -Similarly to the previous section, you can leave some placeholders in the HTML that inject global variables, for example: - -```js - - - - -``` - -Then, on the server, you can replace `__SERVER_DATA__` with a JSON of real data right before sending the response. The client code can then read `window.SERVER_DATA` to use it. **Make sure to [sanitize the JSON before sending it to the client](https://medium.com/node-security/the-most-common-xss-vulnerability-in-react-js-applications-2bdffbcc1fa0) as it makes your app vulnerable to XSS attacks.** - -## Running Tests - -> Note: this feature is available with `react-scripts@0.3.0` and higher.
-> [Read the migration guide to learn how to enable it in older projects!](https://github.com/facebookincubator/create-react-app/blob/master/CHANGELOG.md#migrating-from-023-to-030) - -Create React App uses [Jest](https://facebook.github.io/jest/) as its test runner. To prepare for this integration, we did a [major revamp](https://facebook.github.io/jest/blog/2016/09/01/jest-15.html) of Jest so if you heard bad things about it years ago, give it another try. - -Jest is a Node-based runner. This means that the tests always run in a Node environment and not in a real browser. This lets us enable fast iteration speed and prevent flakiness. - -While Jest provides browser globals such as `window` thanks to [jsdom](https://github.com/tmpvar/jsdom), they are only approximations of the real browser behavior. Jest is intended to be used for unit tests of your logic and your components rather than the DOM quirks. - -We recommend that you use a separate tool for browser end-to-end tests if you need them. They are beyond the scope of Create React App. - -### Filename Conventions - -Jest will look for test files with any of the following popular naming conventions: - -- Files with `.js` suffix in `__tests__` folders. -- Files with `.test.js` suffix. -- Files with `.spec.js` suffix. - -The `.test.js` / `.spec.js` files (or the `__tests__` folders) can be located at any depth under the `src` top level folder. - -We recommend to put the test files (or `__tests__` folders) next to the code they are testing so that relative imports appear shorter. For example, if `App.test.js` and `App.js` are in the same folder, the test needs to `import App from './App'` instead of a long relative path. Colocation also helps find tests more quickly in larger projects. - -### Command Line Interface - -When you run `npm test`, Jest will launch in the watch mode. Every time you save a file, it will re-run the tests, just like `npm start` recompiles the code. - -The watcher includes an interactive command-line interface with the ability to run all tests, or focus on a search pattern. It is designed this way so that you can keep it open and enjoy fast re-runs. You can learn the commands from the “Watch Usage” note that the watcher prints after every run: - -![Jest watch mode](http://facebook.github.io/jest/img/blog/15-watch.gif) - -### Version Control Integration - -By default, when you run `npm test`, Jest will only run the tests related to files changed since the last commit. This is an optimization designed to make your tests runs fast regardless of how many tests you have. However it assumes that you don’t often commit the code that doesn’t pass the tests. - -Jest will always explicitly mention that it only ran tests related to the files changed since the last commit. You can also press `a` in the watch mode to force Jest to run all tests. - -Jest will always run all tests on a [continuous integration](#continuous-integration) server or if the project is not inside a Git or Mercurial repository. - -### Writing Tests - -To create tests, add `it()` (or `test()`) blocks with the name of the test and its code. You may optionally wrap them in `describe()` blocks for logical grouping but this is neither required nor recommended. - -Jest provides a built-in `expect()` global function for making assertions. A basic test could look like this: - -```js -import sum from './sum'; - -it('sums numbers', () => { - expect(sum(1, 2)).toEqual(3); - expect(sum(2, 2)).toEqual(4); -}); -``` - -All `expect()` matchers supported by Jest are [extensively documented here](http://facebook.github.io/jest/docs/expect.html).
-You can also use [`jest.fn()` and `expect(fn).toBeCalled()`](http://facebook.github.io/jest/docs/expect.html#tohavebeencalled) to create “spies” or mock functions. - -### Testing Components - -There is a broad spectrum of component testing techniques. They range from a “smoke test” verifying that a component renders without throwing, to shallow rendering and testing some of the output, to full rendering and testing component lifecycle and state changes. - -Different projects choose different testing tradeoffs based on how often components change, and how much logic they contain. If you haven’t decided on a testing strategy yet, we recommend that you start with creating smoke tests for your components: - -```js -import React from 'react'; -import ReactDOM from 'react-dom'; -import App from './App'; - -it('renders without crashing', () => { - const div = document.createElement('div'); - ReactDOM.render(, div); -}); -``` - -This test mounts a component and makes sure that it didn’t throw during rendering. Tests like this provide a lot value with very little effort so they are great as a starting point, and this is the test you will find in `src/App.test.js`. - -When you encounter bugs caused by changing components, you will gain a deeper insight into which parts of them are worth testing in your application. This might be a good time to introduce more specific tests asserting specific expected output or behavior. - -If you’d like to test components in isolation from the child components they render, we recommend using [`shallow()` rendering API](http://airbnb.io/enzyme/docs/api/shallow.html) from [Enzyme](http://airbnb.io/enzyme/). You can write a smoke test with it too: - -```sh -npm install --save-dev enzyme react-addons-test-utils -``` - -```js -import React from 'react'; -import { shallow } from 'enzyme'; -import App from './App'; - -it('renders without crashing', () => { - shallow(); -}); -``` - -Unlike the previous smoke test using `ReactDOM.render()`, this test only renders `` and doesn’t go deeper. For example, even if `` itself renders a ` -); - -Button.propTypes = { - children: React.PropTypes.string.isRequired, - onClick: React.PropTypes.func, -}; - -export default Button; diff --git a/lib/cli/test/fixtures/update_package_organisations/stories/Welcome.js b/lib/cli/test/fixtures/update_package_organisations/stories/Welcome.js deleted file mode 100644 index f5be220e77e3..000000000000 --- a/lib/cli/test/fixtures/update_package_organisations/stories/Welcome.js +++ /dev/null @@ -1,80 +0,0 @@ -import React from 'react'; - -const styles = { - main: { - padding: 15, - lineHeight: 1.4, - fontFamily: '"Helvetica Neue", Helvetica, "Segoe UI", Arial, freesans, sans-serif', - backgroundColor: '#ffffff', - }, - - logo: { - width: 200, - }, - - link: { - color: '#1474f3', - textDecoration: 'none', - borderBottom: '1px solid #1474f3', - paddingBottom: 2, - }, - - code: { - fontSize: 15, - fontWeight: 600, - padding: '2px 5px', - border: '1px solid #eae9e9', - borderRadius: 4, - backgroundColor: '#f3f2f2', - color: '#3a3a3a', - }, -}; - -export default class Welcome extends React.Component { - showApp(e) { - e.preventDefault(); - if (this.props.showApp) this.props.showApp(); - } - - render() { - return ( -

-

Welcome to storybook

-

This is a UI component dev environment for your app.

-

- We've added some basic stories inside the src/stories{' '} - directory. -
- A story is a single state of one or more UI components. You can have as many stories as - you want. -
- (Basically a story is like a visual test case.) -

-

- See these sample{' '} - - stories - {' '} - for a component called Button. -

-

- Just like that, you can add your own components as stories. -
- You can also edit those components and see changes right away. -
- (Try editing the Button component located at{' '} - src/stories/Button.js.) -

-

- This is just one thing you can do with Storybook. -
- Have a look at the{' '} - - React Storybook - {' '} - repo for more information. -

-
- ); - } -} diff --git a/lib/cli/test/fixtures/update_package_organisations/stories/index.js b/lib/cli/test/fixtures/update_package_organisations/stories/index.js deleted file mode 100644 index cd66c187d783..000000000000 --- a/lib/cli/test/fixtures/update_package_organisations/stories/index.js +++ /dev/null @@ -1,17 +0,0 @@ -import React from 'react'; -import { storiesOf, action, linkTo } from '@kadira/storybook'; -import Button from './Button'; -import Welcome from './Welcome'; - -storiesOf('Welcome', module) - .add('to Storybook', () => ( - - )); - -storiesOf('Button', module) - .add('with text', () => ( - - )) - .add('with some emoji', () => ( - - )); diff --git a/lib/cli/test/fixtures/vue/.editorconfig b/lib/cli/test/fixtures/vue/.editorconfig deleted file mode 100644 index 4a7ea3036a20..000000000000 --- a/lib/cli/test/fixtures/vue/.editorconfig +++ /dev/null @@ -1,12 +0,0 @@ -root = true - -[*] -indent_style = space -indent_size = 2 -end_of_line = lf -charset = utf-8 -trim_trailing_whitespace = true -insert_final_newline = true - -[*.md] -trim_trailing_whitespace = false diff --git a/lib/cli/test/fixtures/vue/.gitignore b/lib/cli/test/fixtures/vue/.gitignore deleted file mode 100644 index 060b35bff0e2..000000000000 --- a/lib/cli/test/fixtures/vue/.gitignore +++ /dev/null @@ -1,4 +0,0 @@ -.DS_Store -node_modules/ -dist/ -npm-debug.log diff --git a/lib/cli/test/fixtures/vue/README.md b/lib/cli/test/fixtures/vue/README.md deleted file mode 100644 index eff6d9588dad..000000000000 --- a/lib/cli/test/fixtures/vue/README.md +++ /dev/null @@ -1,39 +0,0 @@ -# vue - -> A Vue.js project - -## Build setup - -### [yarn](https://yarnpkg.com) - recommend - -```bash -# Install dependencies -yarn install - -# Server with hot reload at localhost:8080 -yarn run dev - -# Build for production with minification -yarn run build -``` - -### [npm](https://www.npmjs.com/) - -```bash -# Install dependencies -npm install - -# Server with hot reload at localhost:8080 -npm run dev - -# Build for production with minification -npm run build -``` - -## Reference - -- For detailed explanation on how things work, consult the [docs for vue-loader](http://vuejs.github.io/vue-loader). - -## License - -MIT © hypnos diff --git a/lib/cli/test/fixtures/vue/package.json b/lib/cli/test/fixtures/vue/package.json deleted file mode 100644 index ad5375707db0..000000000000 --- a/lib/cli/test/fixtures/vue/package.json +++ /dev/null @@ -1,37 +0,0 @@ -{ - "name": "vue-fixture", - "version": "1.0.0", - "private": true, - "description": "A Vue.js project", - "author": "hypnos ", - "scripts": { - "build": "run-s build:**", - "build:autoprefixer": "postcss --use autoprefixer -o public/assets/css/app.css public/assets/css/app.css", - "build:cssnano": "cssnano public/assets/css/app.css public/assets/css/app.css", - "build:js": "cross-env NODE_ENV=production rollup -c", - "dev": "cross-env NODE_ENV=development rollup -cw" - }, - "dependencies": { - "vue": "^2.6.8" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "autoprefixer": "^9.4.9", - "babel-core": "^7.0.0-bridge.0", - "cross-env": "^5.2.0", - "cssnano-cli": "^1.0.5", - "npm-run-all": "^4.1.5", - "postcss-cli": "^6.1.2", - "rollup": "^1.4.1", - "rollup-plugin-alias": "^1.5.1", - "rollup-plugin-buble": "^0.19.6", - "rollup-plugin-butternut": "^0.1.0", - "rollup-plugin-commonjs": "^9.2.1", - "rollup-plugin-livereload": "^1.0.0", - "rollup-plugin-node-globals": "^1.4.0", - "rollup-plugin-node-resolve": "^4.0.1", - "rollup-plugin-serve": "^1.0.1", - "rollup-plugin-vue": "^4.7.2", - "rollup-watch": "^4.3.1" - } -} diff --git a/lib/cli/test/fixtures/vue/public/assets/css/app.css b/lib/cli/test/fixtures/vue/public/assets/css/app.css deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/lib/cli/test/fixtures/vue/public/assets/images/logo.png b/lib/cli/test/fixtures/vue/public/assets/images/logo.png deleted file mode 100644 index b3e543889d4b2bb26ba6417c1808a1e84bb10ac6..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 2799 zcmbtWX*kqt8y8bXp_y^Y8qFBIO~^LPVmFv6Cu^3b;&vifB{rla|y*$r{hi-MzT;!lc6{`(Zu(upYjE0DO##H|7c%bJBJ?sN^>U*03uE+e#u}8y8B``1 zR8b6T5)JPr0g-6oFKc3)G%=1^2A8!AuV@jjqRpMrBv(u8@A4cB}^u2uE z-u8R*gNC}As`6io^0Tw(X~_vO5g`FSo-UW|Z7nYl35I$)nrbK|d0A-*F^Dio@Q^?o z(0r918uIahok#>DyOb&?#>%6)b*<+TaYSjXfV~_MA-m&YAT4^Nzrs z0S8JtIarDa1Qtc4U{9{b9zd71HZ)B#54QJ#%gr_!I zK1HNGZcw9489Q?6XxeK2TWLC>HDL3*5(#(ojk-`$?#`u+%;75)qf~;$B6g#pfGU`V z!9aFAc|XdG<_CRFBJw!n@R{~Hh;t9A)APNc6YHFeggdykV96t7{0exGziee=fwX3n zE;s04?+x*hOSXiq|MaVmus$dC!IAqm6D1t8kY@^NDbD!AeluNvwZH8$TLSI6Y05mY zd;-3>b(XjfVvN_kJFPvZ)5EN5Ycs0nj;5*vNWu2598Y^ATpQu3+SE=d}bQt{$5 zOVrBxNOI@iYzdmCy{sme{rQR)DB2#1D;SFJ`%<>t7>#K=Tyfgr9{kmG^(G|b`B5b{ zTzKs4x&1C^LWM&xnG!FTJ)U&wI*$ml4<1uo8Vf~rA3=Iptt#$vD_!$FCW5T2y-!13 z+JFAgqG?xli};-Dg5>r_5<5eEA>YQtv8khXVampcugbOKL0efttl&wK>u)wP5<(4E zXE@9{ve?=JZ5P#pikXfh*0vNUR*HWc%XoL%{!G_zT6Hb$iMJ`G6udROd2lw1w5shi z5oDc<{pJw7MZuf9uL)NT9~;>I?7ekfbFf8yVXQJ9+so-VUna z7Qv(i>+Zv)5E0?^zlpbiyF>7>(O72B!DhwayzO zx>IH&MOW$phsC|#>cE3o`dTO6Gocrd%kf~o-pext*`0&XCrV{tlC7>M8l~tG+iI@$ z#Jx$URDyjSLJ^*K?HO~#5INdn=#`K1JO1$yGWueKOtDzyQ zr4`^y4dIg=hY{r+FLq1`DZ_Iz@tq>HoobXsDxqm;bA);0k03@9(d%KY`ze_ETIe() zr``xLXLrIjk6752Cx|eW1J1I$^imY*!S-n%Q2OGO|KJFH-ioPw8nL&E>!kURL}|)a zkA7=(nYr52p@5hu;?}w!c4-g*e3~N87V?XIHxYpFR#YI84O*kuN9K}gHNjMlV)awy zjlmH4*QOn-DzK93h|$9%b1sS`EP}N2Mhe+<;mm!cz<2v49ca?T2QXdP`trP78e!n( zkNd8mb3L)!Yq>U_BCsCE{kU7<8~3{ z3fNALeRZ!c@=Jru%nl`!@b!%Iny5UYyFBE+2R;3YXkx$P!KX?Y^qYt8H~;;Zef$doJsL zb(~0-K`ZRd20j@c%b-6 zJQH2+j1rd237itMeveF?i!3(ic~r6R;32==$>ZNx$`UYmV+_Z0%GTOxXYhMCkRZy>|?-5r>YxhW7~{2e>HyITKMy zx#ZrDNgrGG^TAH*Dyh96O+oK6$~5))nXP?bI+pHhS$X!>NKvRgj zlw*}mW{AceS(b?#s5_b<#}99uU5fnK+%4fhs6U|+ayNP-K;0R)HBM1^l`M<@Qip(w zCJG)EU;u!}Vwk&yZ@1rDE|AIT^#y<@icy2JCe}_;{AbO{eqgo~vl`y$Z&#Gjb;DXR zr)#-kd~3TI##BH6O8caVWtOrub-Jo40c4-k8*?x$LmlC$DX60!s?XdllBFz1JyF?I z*Zlbdz&?3fLzX&xz%I(^9o=s32w%tawwRI>Uc~K*oaE zd-2X_{tG7mEI*yR^4F)k`^aK?Zy3aJcm4M*%P - - - - - - - vue - - - -
- - - diff --git a/lib/cli/test/fixtures/vue/rollup.config.js b/lib/cli/test/fixtures/vue/rollup.config.js deleted file mode 100644 index 480212517ab1..000000000000 --- a/lib/cli/test/fixtures/vue/rollup.config.js +++ /dev/null @@ -1,55 +0,0 @@ -import alias from 'rollup-plugin-alias' -import vue from 'rollup-plugin-vue' -import buble from 'rollup-plugin-buble' -import nodeResolve from 'rollup-plugin-node-resolve' -import commonjs from 'rollup-plugin-commonjs' -import nodeGlobals from 'rollup-plugin-node-globals' -import butternut from 'rollup-plugin-butternut' -import livereload from 'rollup-plugin-livereload' -import serve from 'rollup-plugin-serve' - -const plugins = [ - alias({ - vue$: 'vue/dist/vue.common.js' - }), - vue({ - css: './public/assets/css/app.css' - }), - buble({ - objectAssign: 'Object.assign' - }), - nodeResolve({ - jsnext: true, - main: true, - browser: true - }), - commonjs(), - nodeGlobals() -] - -const config = { - entry: './src/main.js', - dest: './public/assets/js/app.js', - format: 'es', - sourceMap: true, - plugins: plugins -} - -const isProduction = process.env.NODE_ENV === `production` -const isDevelopment = process.env.NODE_ENV === `development` - -if (isProduction) { - config.sourceMap = false - config.plugins.push(butternut()) -} - -if (isDevelopment) { - config.plugins.push(livereload()) - config.plugins.push(serve({ - contentBase: './public/', - port: 8080, - open: true - })) -} - -export default config diff --git a/lib/cli/test/fixtures/vue/src/App.vue b/lib/cli/test/fixtures/vue/src/App.vue deleted file mode 100644 index f602805c32b2..000000000000 --- a/lib/cli/test/fixtures/vue/src/App.vue +++ /dev/null @@ -1,34 +0,0 @@ - - - - - diff --git a/lib/cli/test/fixtures/vue/src/components/Hello.vue b/lib/cli/test/fixtures/vue/src/components/Hello.vue deleted file mode 100644 index 4323ef4fa9e6..000000000000 --- a/lib/cli/test/fixtures/vue/src/components/Hello.vue +++ /dev/null @@ -1,23 +0,0 @@ - - - - - diff --git a/lib/cli/test/fixtures/vue/src/main.js b/lib/cli/test/fixtures/vue/src/main.js deleted file mode 100644 index 95c5712505a4..000000000000 --- a/lib/cli/test/fixtures/vue/src/main.js +++ /dev/null @@ -1,8 +0,0 @@ -import Vue from 'vue' -import App from './App.vue' - - -const app = new Vue({ - el: '#app', - render: h => h(App) -}) diff --git a/lib/cli/test/fixtures/webpack_react/.babelrc b/lib/cli/test/fixtures/webpack_react/.babelrc deleted file mode 100644 index e636022c817b..000000000000 --- a/lib/cli/test/fixtures/webpack_react/.babelrc +++ /dev/null @@ -1,4 +0,0 @@ -{ - "presets": ["@babel/preset-react"], - "plugins": ["@babel/plugin-external-helpers"] -} diff --git a/lib/cli/test/fixtures/webpack_react/index.html b/lib/cli/test/fixtures/webpack_react/index.html deleted file mode 100644 index bcb2f9489a6f..000000000000 --- a/lib/cli/test/fixtures/webpack_react/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - Hello world - - -
- - - \ No newline at end of file diff --git a/lib/cli/test/fixtures/webpack_react/index.js b/lib/cli/test/fixtures/webpack_react/index.js deleted file mode 100644 index 8e5bb96fc9cd..000000000000 --- a/lib/cli/test/fixtures/webpack_react/index.js +++ /dev/null @@ -1,7 +0,0 @@ -import React from 'react'; -import ReactDOM from 'react-dom'; - -ReactDOM.render( -

Hello, world!

, - document.getElementById('root') -); diff --git a/lib/cli/test/fixtures/webpack_react/package.json b/lib/cli/test/fixtures/webpack_react/package.json deleted file mode 100644 index 32fe5474bd86..000000000000 --- a/lib/cli/test/fixtures/webpack_react/package.json +++ /dev/null @@ -1,21 +0,0 @@ -{ - "name": "webpack-react-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "webpack" - }, - "dependencies": { - "react": "^16.8.0 || ^17.0.0", - "react-dom": "^16.8.0 || ^17.0.0" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-external-helpers": "7.2.0", - "@babel/preset-react": "7.0.0", - "babel-core": "^7.0.0-bridge.0", - "babel-loader": "^8.0.5", - "webpack": "^4.44.2" - } -} diff --git a/lib/cli/test/fixtures/webpack_react/webpack.config.js b/lib/cli/test/fixtures/webpack_react/webpack.config.js deleted file mode 100644 index b5bc5e4b10b4..000000000000 --- a/lib/cli/test/fixtures/webpack_react/webpack.config.js +++ /dev/null @@ -1,19 +0,0 @@ -const path = require('path'); - -module.exports = { - entry: './index.js', - output: { - filename: 'bundle.js', - path: path.resolve(__dirname, 'dist') - }, - module: { - rules: [ - { - test: /\.js$/, - use: [ - 'babel-loader' - ] - } - ] - } -}; diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/.babelrc b/lib/cli/test/fixtures/webpack_react_frozen_lock/.babelrc deleted file mode 100644 index e636022c817b..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/.babelrc +++ /dev/null @@ -1,4 +0,0 @@ -{ - "presets": ["@babel/preset-react"], - "plugins": ["@babel/plugin-external-helpers"] -} diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/.yarnrc b/lib/cli/test/fixtures/webpack_react_frozen_lock/.yarnrc deleted file mode 100644 index b162bd8bc9b5..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/.yarnrc +++ /dev/null @@ -1 +0,0 @@ ---install.frozen-lockfile true diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/index.html b/lib/cli/test/fixtures/webpack_react_frozen_lock/index.html deleted file mode 100644 index bcb2f9489a6f..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - Hello world - - -
- - - \ No newline at end of file diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/index.js b/lib/cli/test/fixtures/webpack_react_frozen_lock/index.js deleted file mode 100644 index 8e5bb96fc9cd..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/index.js +++ /dev/null @@ -1,7 +0,0 @@ -import React from 'react'; -import ReactDOM from 'react-dom'; - -ReactDOM.render( -

Hello, world!

, - document.getElementById('root') -); diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/package.json b/lib/cli/test/fixtures/webpack_react_frozen_lock/package.json deleted file mode 100644 index 71106b61b892..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/package.json +++ /dev/null @@ -1,21 +0,0 @@ -{ - "name": "webpack-react-frozen-lock-fixture", - "version": "1.0.0", - "license": "MIT", - "main": "index.js", - "scripts": { - "build": "webpack" - }, - "dependencies": { - "react": "16.8.3", - "react-dom": "16.8.3" - }, - "devDependencies": { - "@babel/core": "^7.3.4", - "@babel/plugin-external-helpers": "7.2.0", - "@babel/preset-react": "7.0.0", - "babel-core": "^7.0.0-bridge.0", - "babel-loader": "^8.0.5", - "webpack": "^4.44.2" - } -} diff --git a/lib/cli/test/fixtures/webpack_react_frozen_lock/webpack.config.js b/lib/cli/test/fixtures/webpack_react_frozen_lock/webpack.config.js deleted file mode 100644 index b5bc5e4b10b4..000000000000 --- a/lib/cli/test/fixtures/webpack_react_frozen_lock/webpack.config.js +++ /dev/null @@ -1,19 +0,0 @@ -const path = require('path'); - -module.exports = { - entry: './index.js', - output: { - filename: 'bundle.js', - path: path.resolve(__dirname, 'dist') - }, - module: { - rules: [ - { - test: /\.js$/, - use: [ - 'babel-loader' - ] - } - ] - } -}; From 091ea500f3d180de2d41555932d1a127d00f59d3 Mon Sep 17 00:00:00 2001 From: jamesgeorge007 Date: Sat, 28 Nov 2020 13:09:42 +0530 Subject: [PATCH 19/19] test: cleanup --- lib/cli/test/default/cli.test.js | 2 +- lib/cli/test/helpers.js | 7 ++++--- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/lib/cli/test/default/cli.test.js b/lib/cli/test/default/cli.test.js index 12075cffda40..b7ead3851c9e 100755 --- a/lib/cli/test/default/cli.test.js +++ b/lib/cli/test/default/cli.test.js @@ -5,8 +5,8 @@ describe('Default behavior', () => { const { status, stderr, stdout } = run(['upgraed']); // Assertions + expect(status).toBe(1); expect(stderr.toString()).toContain('Invalid command: upgraed.'); expect(stdout.toString()).toContain('Did you mean upgrade?'); - expect(status).toBe(1); }); }); diff --git a/lib/cli/test/helpers.js b/lib/cli/test/helpers.js index 3419f87f6186..a3a2d9a23a5b 100644 --- a/lib/cli/test/helpers.js +++ b/lib/cli/test/helpers.js @@ -6,10 +6,11 @@ const CLI_PATH = path.join(__dirname, '..', 'bin'); /** * Execute command * @param {String[]} args - args to be passed in - * @param {Boolean} [cli=true] - invoke the binary + * @param {Object} options - customize the behavior + * * @returns {Object} */ -const run = (args, options = {}, cli = true) => - spawnSync(cli ? 'node' : args[0], cli ? [CLI_PATH].concat(args) : args.slice(1), options); +const run = (args, options = {}) => + spawnSync('node', [CLI_PATH].concat(args), options); module.exports = run;