'
- );
- await nextHighlightingUpdate(languageMode);
- expectTokensToEqual(editor, [
- [
- { text: 'text = ', scopes: [] },
- { text: 'html', scopes: ['function'] },
- { text: ' ', scopes: [] },
- { text: '`', scopes: ['string'] },
- { text: '<', scopes: ['string', 'html'] },
- { text: 'div', scopes: ['string', 'html', 'tag'] },
- { text: '>', scopes: ['string', 'html'] },
- { text: '`', scopes: ['string'] },
- { text: ';', scopes: [] }
- ]
- ]);
-
- buffer.undo();
- await nextHighlightingUpdate(languageMode);
- expectTokensToEqual(editor, [
- [
- { text: 'text = ', scopes: [] },
- { text: 'html', scopes: ['function'] },
- { text: ' ', scopes: [] },
- { text: '``', scopes: ['string'] },
- { text: ';', scopes: [] }
- ]
- ]);
- });
-
- it('terminates comment token at the end of an injection, so that the next injection is NOT a continuation of the comment', () => {
- const ejsGrammar = new TreeSitterGrammar(
- atom.grammars,
- ejsGrammarPath,
- {
- id: 'ejs',
- parser: 'tree-sitter-embedded-template',
- scopes: {
- '"<%"': 'directive',
- '"%>"': 'directive'
- },
- injectionPoints: [
- {
- type: 'template',
- language(node) {
- return 'javascript';
- },
- content(node) {
- return node.descendantsOfType('code');
- },
- newlinesBetween: true
- },
- {
- type: 'template',
- language(node) {
- return 'html';
- },
- content(node) {
- return node.descendantsOfType('content');
- }
- }
- ]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText('<% // js comment %> b\n<% b() %>');
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: ejsGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- expectTokensToEqual(editor, [
- [
- { text: '<%', scopes: ['directive'] },
- { text: ' ', scopes: [] },
- { text: '// js comment ', scopes: ['comment'] },
- { text: '%>', scopes: ['directive'] },
- { text: ' b', scopes: ['html'] }
- ],
- [
- { text: '<%', scopes: ['directive'] },
- { text: ' ', scopes: [] },
- { text: 'b', scopes: ['function'] },
- { text: '() ', scopes: [] },
- { text: '%>', scopes: ['directive'] }
- ]
- ]);
- });
-
- it('only covers scope boundaries in parent layers if a nested layer has a boundary at the same position', () => {
- const jsdocGrammar = new TreeSitterGrammar(
- atom.grammars,
- jsdocGrammarPath,
- {
- scopeName: 'jsdoc',
- parser: 'tree-sitter-jsdoc',
- scopes: {},
- injectionRegExp: 'jsdoc',
- injectionPoints: []
- }
- );
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(jsdocGrammar);
-
- editor.setGrammar(jsGrammar);
- editor.setText('/**\n*/\n{\n}');
-
- expectTokensToEqual(editor, [
- [{ text: '/**', scopes: ['comment'] }],
- [{ text: '*/', scopes: ['comment'] }],
- [{ text: '{', scopes: [] }],
- [{ text: '}', scopes: [] }]
- ]);
- });
-
- it('reports scopes from shallower layers when they are at the start or end of an injection', async () => {
- await atom.packages.activatePackage('language-javascript');
-
- editor.setGrammar(atom.grammars.grammarForScopeName('source.js'));
- editor.setText('/** @babel */\n{\n}');
- expectTokensToEqual(editor, [
- [
- { text: '/** ', scopes: ['source js', 'comment block'] },
- {
- text: '@babel',
- scopes: ['source js', 'comment block', 'keyword control']
- },
- { text: ' *', scopes: ['source js', 'comment block'] },
- {
- text: '/',
- scopes: ['source js', 'comment block', 'meta delimiter slash']
- }
- ],
- [
- {
- text: '{',
- scopes: [
- 'source js',
- 'punctuation definition function body begin bracket curly'
- ]
- }
- ],
- [
- {
- text: '}',
- scopes: [
- 'source js',
- 'punctuation definition function body end bracket curly'
- ]
- }
- ]
- ]);
- });
-
- it('respects the `includeChildren` property of injection points', () => {
- const rustGrammar = new TreeSitterGrammar(
- atom.grammars,
- rustGrammarPath,
- {
- scopeName: 'rust',
- parser: 'tree-sitter-rust',
- scopes: {
- identifier: 'variable',
- field_identifier: 'property',
- 'call_expression > field_expression > field_identifier':
- 'function',
- 'macro_invocation > identifier': 'macro'
- },
- injectionRegExp: 'rust',
- injectionPoints: [
- {
- type: 'macro_invocation',
- language() {
- return 'rust';
- },
- content(node) {
- return node.lastChild;
- },
-
- // The tokens within a `token_tree` are all parsed as separate
- // children of the `token_tree`. By default, when adding a language
- // injection for a node, the node's children's ranges would be
- // excluded from the injection. But for this injection point
- // (parsing token trees as rust code), we want to reparse all of the
- // content of the token tree.
- includeChildren: true
- }
- ]
- }
- );
-
- atom.grammars.addGrammar(rustGrammar);
-
- // Macro call within another macro call.
- buffer.setText('assert_eq!(a.b.c(), vec![d.e()]); f.g();');
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: rustGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- // There should not be duplicate scopes due to the root layer
- // and for the injected rust layer.
- expectTokensToEqual(editor, [
- [
- { text: 'assert_eq', scopes: ['macro'] },
- { text: '!(', scopes: [] },
- { text: 'a', scopes: ['variable'] },
- { text: '.', scopes: [] },
- { text: 'b', scopes: ['property'] },
- { text: '.', scopes: [] },
- { text: 'c', scopes: ['function'] },
- { text: '(), ', scopes: [] },
- { text: 'vec', scopes: ['macro'] },
- { text: '![', scopes: [] },
- { text: 'd', scopes: ['variable'] },
- { text: '.', scopes: [] },
- { text: 'e', scopes: ['function'] },
- { text: '()]); ', scopes: [] },
- { text: 'f', scopes: ['variable'] },
- { text: '.', scopes: [] },
- { text: 'g', scopes: ['function'] },
- { text: '();', scopes: [] }
- ]
- ]);
- });
-
- it('notifies onDidTokenize listeners the first time all syntax highlighting is done', async () => {
- const promise = new Promise(resolve => {
- editor.onDidTokenize(event => {
- expectTokensToEqual(editor, [
- [
- { text: '<', scopes: ['html'] },
- { text: 'script', scopes: ['html', 'tag'] },
- { text: '>', scopes: ['html'] }
- ],
- [
- { text: 'hello', scopes: ['html', 'function'] },
- { text: '();', scopes: ['html'] }
- ],
- [
- { text: '', scopes: ['html'] },
- { text: 'script', scopes: ['html', 'tag'] },
- { text: '>', scopes: ['html'] }
- ]
- ]);
- resolve();
- });
- });
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
- buffer.setText('');
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars,
- syncTimeoutMicros: 0
- });
- buffer.setLanguageMode(languageMode);
-
- await promise;
- });
- });
- });
-
- describe('highlighting after random changes', () => {
- let originalTimeout;
-
- beforeEach(() => {
- originalTimeout = jasmine.DEFAULT_TIMEOUT_INTERVAL;
- jasmine.DEFAULT_TIMEOUT_INTERVAL = 60 * 1000;
- });
-
- afterEach(() => {
- jasmine.DEFAULT_TIMEOUT_INTERVAL = originalTimeout;
- });
-
- it('matches the highlighting of a freshly-opened editor', async () => {
- jasmine.useRealClock();
-
- const text = fs.readFileSync(
- path.join(__dirname, 'fixtures', 'sample.js'),
- 'utf8'
- );
- atom.grammars.loadGrammarSync(jsGrammarPath);
- atom.grammars.assignLanguageMode(buffer, 'source.js');
- buffer.getLanguageMode().syncTimeoutMicros = 0;
-
- const initialSeed = Date.now();
- for (let i = 0, trialCount = 10; i < trialCount; i++) {
- let seed = initialSeed + i;
- // seed = 1541201470759
- const random = Random(seed);
-
- // Parse the initial content and render all of the screen lines.
- buffer.setText(text);
- buffer.clearUndoStack();
- await buffer.getLanguageMode().parseCompletePromise();
- editor.displayLayer.getScreenLines();
-
- // Make several random edits.
- for (let j = 0, editCount = 1 + random(4); j < editCount; j++) {
- const editRoll = random(10);
- const range = getRandomBufferRange(random, buffer);
-
- if (editRoll < 2) {
- const linesToInsert = buildRandomLines(
- random,
- range.getExtent().row + 1
- );
- // console.log('replace', range.toString(), JSON.stringify(linesToInsert))
- buffer.setTextInRange(range, linesToInsert);
- } else if (editRoll < 5) {
- // console.log('delete', range.toString())
- buffer.delete(range);
- } else {
- const linesToInsert = buildRandomLines(random, 3);
- // console.log('insert', range.start.toString(), JSON.stringify(linesToInsert))
- buffer.insert(range.start, linesToInsert);
- }
-
- // console.log(buffer.getText())
-
- // Sometimes, let the parse complete before re-rendering.
- // Sometimes re-render and move on before the parse completes.
- if (random(2)) await buffer.getLanguageMode().parseCompletePromise();
- editor.displayLayer.getScreenLines();
- }
-
- // Revert the edits, because Tree-sitter's error recovery is somewhat path-dependent,
- // and we want a state where the tree parse result is guaranteed.
- while (buffer.undo()) {}
-
- // Create a fresh buffer and editor with the same text.
- const buffer2 = new TextBuffer(buffer.getText());
- const editor2 = new TextEditor({ buffer: buffer2 });
- atom.grammars.assignLanguageMode(buffer2, 'source.js');
-
- // Verify that the the two buffers have the same syntax highlighting.
- await buffer.getLanguageMode().parseCompletePromise();
- await buffer2.getLanguageMode().parseCompletePromise();
- expect(buffer.getLanguageMode().tree.rootNode.toString()).toEqual(
- buffer2.getLanguageMode().tree.rootNode.toString(),
- `Seed: ${seed}`
- );
-
- for (let j = 0, n = editor.getScreenLineCount(); j < n; j++) {
- const tokens1 = editor.tokensForScreenRow(j);
- const tokens2 = editor2.tokensForScreenRow(j);
- expect(tokens1).toEqual(tokens2, `Seed: ${seed}, screen line: ${j}`);
- }
- }
- });
- });
-
- describe('folding', () => {
- it('can fold nodes that start and end with specified tokens', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- folds: [
- {
- start: { type: '{', index: 0 },
- end: { type: '}', index: -1 }
- },
- {
- start: { type: '(', index: 0 },
- end: { type: ')', index: -1 }
- }
- ]
- });
-
- buffer.setText(dedent`
- module.exports =
- class A {
- getB (c,
- d,
- e) {
- return this.f(g)
- }
- }
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- expect(editor.isFoldableAtBufferRow(0)).toBe(false);
- expect(editor.isFoldableAtBufferRow(1)).toBe(true);
- expect(editor.isFoldableAtBufferRow(2)).toBe(true);
- expect(editor.isFoldableAtBufferRow(3)).toBe(false);
- expect(editor.isFoldableAtBufferRow(4)).toBe(true);
- expect(editor.isFoldableAtBufferRow(5)).toBe(false);
-
- editor.foldBufferRow(2);
- expect(getDisplayText(editor)).toBe(dedent`
- module.exports =
- class A {
- getB (c,…) {
- return this.f(g)
- }
- }
- `);
-
- editor.foldBufferRow(4);
- expect(getDisplayText(editor)).toBe(dedent`
- module.exports =
- class A {
- getB (c,…) {…}
- }
- `);
- });
-
- it('folds entire buffer rows when necessary to keep words on separate lines', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- folds: [
- {
- start: { type: '{', index: 0 },
- end: { type: '}', index: -1 }
- },
- {
- start: { type: '(', index: 0 },
- end: { type: ')', index: -1 }
- }
- ]
- });
-
- buffer.setText(dedent`
- if (a) {
- b
- } else if (c) {
- d
- } else {
- e
- }
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- // Avoid bringing the `else if...` up onto the same screen line as the preceding `if`.
- editor.foldBufferRow(1);
- editor.foldBufferRow(3);
- expect(getDisplayText(editor)).toBe(dedent`
- if (a) {…
- } else if (c) {…
- } else {
- e
- }
- `);
-
- // It's ok to bring the final `}` onto the same screen line as the preceding `else`.
- editor.foldBufferRow(5);
- expect(getDisplayText(editor)).toBe(dedent`
- if (a) {…
- } else if (c) {…
- } else {…}
- `);
- });
-
- it('can fold nodes of specified types', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- folds: [
- // Start the fold after the first child (the opening tag) and end it at the last child
- // (the closing tag).
- {
- type: 'jsx_element',
- start: { index: 0 },
- end: { index: -1 }
- },
-
- // End the fold at the *second* to last child of the self-closing tag: the `/`.
- {
- type: 'jsx_self_closing_element',
- start: { index: 1 },
- end: { index: -2 }
- }
- ]
- });
-
- buffer.setText(dedent`
- const element1 =
-
- const element2 =
- hello
- world
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- expect(editor.isFoldableAtBufferRow(0)).toBe(true);
- expect(editor.isFoldableAtBufferRow(1)).toBe(false);
- expect(editor.isFoldableAtBufferRow(2)).toBe(false);
- expect(editor.isFoldableAtBufferRow(3)).toBe(false);
- expect(editor.isFoldableAtBufferRow(4)).toBe(true);
- expect(editor.isFoldableAtBufferRow(5)).toBe(false);
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(dedent`
- const element1 =
-
- const element2 =
- hello
- world
-
- `);
-
- editor.foldBufferRow(4);
- expect(getDisplayText(editor)).toBe(dedent`
- const element1 =
-
- const element2 =
…
-
- `);
- });
-
- it('can fold entire nodes when no start or end parameters are specified', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- folds: [
- // By default, for a node with no children, folds are started at the *end* of the first
- // line of a node, and ended at the *beginning* of the last line.
- { type: 'comment' }
- ]
- });
-
- buffer.setText(dedent`
- /**
- * Important
- */
- const x = 1 /*
- Also important
- */
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- expect(editor.isFoldableAtBufferRow(0)).toBe(true);
- expect(editor.isFoldableAtBufferRow(1)).toBe(false);
- expect(editor.isFoldableAtBufferRow(2)).toBe(false);
- expect(editor.isFoldableAtBufferRow(3)).toBe(true);
- expect(editor.isFoldableAtBufferRow(4)).toBe(false);
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(dedent`
- /**… */
- const x = 1 /*
- Also important
- */
- `);
-
- editor.foldBufferRow(3);
- expect(getDisplayText(editor)).toBe(dedent`
- /**… */
- const x = 1 /*…*/
- `);
- });
-
- it('tries each folding strategy for a given node in the order specified', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, cGrammarPath, {
- parser: 'tree-sitter-c',
- folds: [
- // If the #ifdef has an `#else` clause, then end the fold there.
- {
- type: ['preproc_ifdef', 'preproc_elif'],
- start: { index: 1 },
- end: { type: ['preproc_else', 'preproc_elif'] }
- },
-
- // Otherwise, end the fold at the last child - the `#endif`.
- {
- type: 'preproc_ifdef',
- start: { index: 1 },
- end: { index: -1 }
- },
-
- // When folding an `#else` clause, the fold extends to the end of the clause.
- {
- type: 'preproc_else',
- start: { index: 0 }
- }
- ]
- });
-
- buffer.setText(dedent`
- #ifndef FOO_H_
- #define FOO_H_
-
- #ifdef _WIN32
-
- #include
- const char *path_separator = "\\";
-
- #elif defined MACOS
-
- #include
- const char *path_separator = "/";
-
- #else
-
- #include
- const char *path_separator = "/";
-
- #endif
-
- #endif
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- editor.foldBufferRow(3);
- expect(getDisplayText(editor)).toBe(dedent`
- #ifndef FOO_H_
- #define FOO_H_
-
- #ifdef _WIN32…
- #elif defined MACOS
-
- #include
- const char *path_separator = "/";
-
- #else
-
- #include
- const char *path_separator = "/";
-
- #endif
-
- #endif
- `);
-
- editor.foldBufferRow(8);
- expect(getDisplayText(editor)).toBe(dedent`
- #ifndef FOO_H_
- #define FOO_H_
-
- #ifdef _WIN32…
- #elif defined MACOS…
- #else
-
- #include
- const char *path_separator = "/";
-
- #endif
-
- #endif
- `);
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(dedent`
- #ifndef FOO_H_…
- #endif
- `);
-
- editor.foldAllAtIndentLevel(1);
- expect(getDisplayText(editor)).toBe(dedent`
- #ifndef FOO_H_
- #define FOO_H_
-
- #ifdef _WIN32…
- #elif defined MACOS…
- #else…
-
- #endif
-
- #endif
- `);
- });
-
- it('does not fold when the start and end parameters match the same child', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, htmlGrammarPath, {
- parser: 'tree-sitter-html',
- folds: [
- {
- type: 'element',
- start: { index: 0 },
- end: { index: -1 }
- }
- ]
- });
-
- buffer.setText(dedent`
-
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- // Void elements have only one child
- expect(editor.isFoldableAtBufferRow(1)).toBe(false);
- expect(editor.isFoldableAtBufferRow(2)).toBe(false);
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(dedent`
- …
-
- `);
- });
-
- it('can target named vs anonymous nodes as fold boundaries', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, rubyGrammarPath, {
- parser: 'tree-sitter-ruby',
- folds: [
- // Note that this isn't how folds actually work in language-ruby. It's
- // just to demonstrate the targeting of named vs anonymous nodes.
- {
- type: 'elsif',
- start: { index: 1 },
-
- // There are no double quotes around the `elsif` type. This indicates
- // that we're targeting a *named* node in the syntax tree. The fold
- // should end at the nested `elsif` node, not at the token that represents
- // the literal string "elsif".
- end: { type: ['else', 'elsif'] }
- },
- {
- type: 'else',
-
- // There are double quotes around the `else` type. This indicates that
- // we're targeting an *anonymous* node in the syntax tree. The fold
- // should start at the token representing the literal string "else",
- // not at an `else` node.
- start: { type: '"else"' }
- }
- ]
- });
-
- buffer.setText(dedent`
- if a
- b
- elsif c
- d
- else
- e
- end
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- expect(languageMode.tree.rootNode.toString()).toBe(
- '(program (if condition: (identifier) consequence: (then ' +
- '(identifier)) ' +
- 'alternative: (elsif condition: (identifier) consequence: (then ' +
- '(identifier)) ' +
- 'alternative: (else ' +
- '(identifier)))))'
- );
-
- editor.foldBufferRow(2);
- expect(getDisplayText(editor)).toBe(dedent`
- if a
- b
- elsif c…
- else
- e
- end
- `);
-
- editor.foldBufferRow(4);
- expect(getDisplayText(editor)).toBe(dedent`
- if a
- b
- elsif c…
- else…
- end
- `);
- });
-
- it('updates fold locations when the buffer changes', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- folds: [
- {
- start: { type: '{', index: 0 },
- end: { type: '}', index: -1 }
- }
- ]
- });
-
- buffer.setText(dedent`
- class A {
- // a
- constructor (b) {
- this.b = b
- }
- }
- `);
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
- expect(languageMode.isFoldableAtRow(0)).toBe(true);
- expect(languageMode.isFoldableAtRow(1)).toBe(false);
- expect(languageMode.isFoldableAtRow(2)).toBe(true);
- expect(languageMode.isFoldableAtRow(3)).toBe(false);
- expect(languageMode.isFoldableAtRow(4)).toBe(false);
-
- buffer.insert([0, 0], '\n');
- expect(languageMode.isFoldableAtRow(0)).toBe(false);
- expect(languageMode.isFoldableAtRow(1)).toBe(true);
- expect(languageMode.isFoldableAtRow(2)).toBe(false);
- expect(languageMode.isFoldableAtRow(3)).toBe(true);
- expect(languageMode.isFoldableAtRow(4)).toBe(false);
- });
-
- describe('when folding a node that ends with a line break', () => {
- it('ends the fold at the end of the previous line', () => {
- const grammar = new TreeSitterGrammar(
- atom.grammars,
- pythonGrammarPath,
- {
- parser: 'tree-sitter-python',
- folds: [
- {
- type: 'function_definition',
- start: { type: ':' }
- }
- ]
- }
- );
-
- buffer.setText(dedent`
- def ab():
- print 'a'
- print 'b'
-
- def cd():
- print 'c'
- print 'd'
- `);
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(dedent`
- def ab():…
-
- def cd():
- print 'c'
- print 'd'
- `);
- });
- });
-
- it('folds code in injected languages', () => {
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {},
- folds: [
- {
- type: ['element', 'script_element'],
- start: { index: 0 },
- end: { index: -1 }
- }
- ],
- injectionRegExp: 'html'
- }
- );
-
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {},
- folds: [
- {
- type: ['template_string'],
- start: { index: 0 },
- end: { index: -1 }
- },
- {
- start: { index: 0, type: '(' },
- end: { index: -1, type: ')' }
- }
- ],
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(
- `a = html \`
-
- c\${def(
- 1,
- 2,
- 3,
- )}e\${f}g
-
- \`
- `
- );
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: jsGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- editor.foldBufferRow(2);
- expect(getDisplayText(editor)).toBe(
- `a = html \`
-
- c\${def(…
- )}e\${f}g
-
- \`
- `
- );
-
- editor.foldBufferRow(1);
- expect(getDisplayText(editor)).toBe(
- `a = html \`
- …
-
- \`
- `
- );
-
- editor.foldBufferRow(0);
- expect(getDisplayText(editor)).toBe(
- `a = html \`…\`
- `
- );
- });
- });
-
- describe('.scopeDescriptorForPosition', () => {
- it('returns a scope descriptor representing the given position in the syntax tree', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript',
- scopes: {
- program: 'source.js',
- property_identifier: 'property.name',
- comment: 'comment.block'
- }
- });
-
- buffer.setText('foo({bar: baz});');
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor
- .scopeDescriptorForBufferPosition([0, 'foo({b'.length])
- .getScopesArray()
- ).toEqual(['source.js', 'property.name']);
- expect(
- editor
- .scopeDescriptorForBufferPosition([0, 'foo({'.length])
- .getScopesArray()
- ).toEqual(['source.js', 'property.name']);
-
- // Drive-by test for .tokenForPosition()
- const token = editor.tokenForBufferPosition([0, 'foo({b'.length]);
- expect(token.value).toBe('bar');
- expect(token.scopes).toEqual(['source.js', 'property.name']);
-
- buffer.setText('// baz\n');
-
- // Adjust position when at end of line
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor
- .scopeDescriptorForBufferPosition([0, '// baz'.length])
- .getScopesArray()
- ).toEqual(['source.js', 'comment.block']);
- });
-
- it('includes nodes in injected syntax trees', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript',
- scopes: {
- program: 'source.js',
- template_string: 'string.quoted',
- interpolation: 'meta.embedded',
- property_identifier: 'property.name'
- },
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'text.html',
- parser: 'tree-sitter-html',
- scopes: {
- fragment: 'text.html',
- script_element: 'script.tag'
- },
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(`
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- const position = buffer.findSync('name').start;
- expect(
- languageMode.scopeDescriptorForPosition(position).getScopesArray()
- ).toEqual([
- 'text.html',
- 'script.tag',
- 'source.js',
- 'string.quoted',
- 'text.html',
- 'property.name'
- ]);
- });
-
- it('includes the root scope name even when the given position is in trailing whitespace at EOF', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript',
- scopes: {
- program: 'source.js',
- property_identifier: 'property.name'
- }
- });
-
- buffer.setText('a; ');
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor.scopeDescriptorForBufferPosition([0, 3]).getScopesArray()
- ).toEqual(['source.js']);
- });
-
- it('works when the given position is between tokens', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript',
- scopes: {
- program: 'source.js',
- comment: 'comment.block'
- }
- });
-
- buffer.setText('a // b');
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor.scopeDescriptorForBufferPosition([0, 2]).getScopesArray()
- ).toEqual(['source.js']);
- expect(
- editor.scopeDescriptorForBufferPosition([0, 3]).getScopesArray()
- ).toEqual(['source.js', 'comment.block']);
- });
- });
-
- describe('.syntaxTreeScopeDescriptorForPosition', () => {
- it('returns a scope descriptor representing the given position in the syntax tree', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript'
- });
-
- buffer.setText('foo({bar: baz});');
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor
- .syntaxTreeScopeDescriptorForBufferPosition([0, 6])
- .getScopesArray()
- ).toEqual([
- 'source.js',
- 'program',
- 'expression_statement',
- 'call_expression',
- 'arguments',
- 'object',
- 'pair',
- 'property_identifier'
- ]);
-
- buffer.setText('//bar\n');
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor
- .syntaxTreeScopeDescriptorForBufferPosition([0, 5])
- .getScopesArray()
- ).toEqual(['source.js', 'program', 'comment']);
- });
-
- it('includes nodes in injected syntax trees', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'source.js',
- parser: 'tree-sitter-javascript',
- scopes: {},
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'text.html',
- parser: 'tree-sitter-html',
- scopes: {},
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(`
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- const position = buffer.findSync('name').start;
- expect(
- editor
- .syntaxTreeScopeDescriptorForBufferPosition(position)
- .getScopesArray()
- ).toEqual([
- 'text.html',
- 'fragment',
- 'element',
- 'script_element',
- 'program',
- 'raw_text',
- 'expression_statement',
- 'call_expression',
- 'template_string',
- 'fragment',
- 'element',
- 'template_substitution',
- 'member_expression',
- 'property_identifier'
- ]);
- });
- });
-
- describe('.bufferRangeForScopeAtPosition(selector?, position)', () => {
- describe('when selector = null', () => {
- it('returns the range of the smallest node at position', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript'
- });
-
- buffer.setText('foo({bar: baz});');
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(editor.bufferRangeForScopeAtPosition(null, [0, 6])).toEqual([
- [0, 5],
- [0, 8]
- ]);
- expect(editor.bufferRangeForScopeAtPosition(null, [0, 8])).toEqual([
- [0, 8],
- [0, 9]
- ]);
- });
-
- it('includes nodes in injected syntax trees', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {},
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {},
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(`
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- const nameProperty = buffer.findSync('name');
- const { start } = nameProperty;
- const position = Object.assign({}, start, { column: start.column + 2 });
- expect(
- languageMode.bufferRangeForScopeAtPosition(null, position)
- ).toEqual(nameProperty);
- });
- });
-
- describe('with a selector', () => {
- it('returns the range of the smallest matching node at position', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {
- property_identifier: 'variable.other.object.property',
- template_string: 'string.quoted.template'
- }
- });
-
- buffer.setText('a(`${b({ccc: ddd})} eee`);');
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
- expect(
- editor.bufferRangeForScopeAtPosition('.variable.property', [0, 9])
- ).toEqual([[0, 8], [0, 11]]);
- expect(
- editor.bufferRangeForScopeAtPosition('.string.quoted', [0, 6])
- ).toEqual([[0, 2], [0, 24]]);
- });
-
- it('includes nodes in injected syntax trees', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {
- property_identifier: 'variable.other.object.property'
- },
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {
- element: 'meta.element.html'
- },
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(`
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- const nameProperty = buffer.findSync('name');
- const { start } = nameProperty;
- const position = Object.assign({}, start, { column: start.column + 2 });
- expect(
- languageMode.bufferRangeForScopeAtPosition(
- '.object.property',
- position
- )
- ).toEqual(nameProperty);
- expect(
- languageMode.bufferRangeForScopeAtPosition(
- '.meta.element.html',
- position
- )
- ).toEqual(buffer.findSync('\\${person\\.name}'));
- });
-
- it('accepts node-matching functions as selectors', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {},
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {},
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText(`
-
-
-
- `);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- const nameProperty = buffer.findSync('name');
- const { start } = nameProperty;
- const position = Object.assign({}, start, { column: start.column + 2 });
- const templateStringInCallExpression = node =>
- node.type === 'template_string' &&
- node.parent.type === 'call_expression';
- expect(
- languageMode.bufferRangeForScopeAtPosition(
- templateStringInCallExpression,
- position
- )
- ).toEqual([[3, 19], [5, 15]]);
- });
- });
- });
-
- describe('.getSyntaxNodeAtPosition(position, where?)', () => {
- it('returns the range of the smallest matching node at position', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript'
- });
-
- buffer.setText('foo(bar({x: 2}));');
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
- expect(languageMode.getSyntaxNodeAtPosition([0, 6]).range).toEqual(
- buffer.findSync('bar')
- );
- const findFoo = node =>
- node.type === 'call_expression' && node.firstChild.text === 'foo';
- expect(
- languageMode.getSyntaxNodeAtPosition([0, 6], findFoo).range
- ).toEqual([[0, 0], [0, buffer.getText().length - 1]]);
- });
- });
-
- describe('.commentStringsForPosition(position)', () => {
- it('returns the correct comment strings for nested languages', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- comments: { start: '//' },
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {},
- comments: { start: '' },
- injectionRegExp: 'html',
- injectionPoints: [SCRIPT_TAG_INJECTION_POINT]
- }
- );
-
- atom.grammars.addGrammar(jsGrammar);
- atom.grammars.addGrammar(htmlGrammar);
-
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: htmlGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
- buffer.setText(
- `
- hi
-
- `.trim()
- );
-
- const htmlCommentStrings = {
- commentStartString: '',
- commentDelimiters: {
- line: undefined,
- block: ['']
- }
- };
- const jsCommentStrings = {
- commentStartString: '//',
- commentEndString: undefined,
- commentDelimiters: {
- line: '//',
- block: undefined
- }
- };
-
- const hybridCommentStrings = {
- commentStartString: '//',
- commentEndString: undefined,
- commentDelimiters: {
- line: undefined,
- block: ['']
- }
- }
-
- expect(languageMode.commentStringsForPosition(new Point(0, 0))).toEqual(
- htmlCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(1, 0))).toEqual(
- htmlCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(2, 0))).toEqual(
- hybridCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(3, 0))).toEqual(
- hybridCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(4, 0))).toEqual(
- htmlCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(5, 0))).toEqual(
- hybridCommentStrings
- );
- expect(languageMode.commentStringsForPosition(new Point(6, 0))).toEqual(
- htmlCommentStrings
- );
- });
- });
-
- describe('TextEditor.selectLargerSyntaxNode and .selectSmallerSyntaxNode', () => {
- it('expands and contracts the selection based on the syntax tree', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- scopes: { program: 'source' }
- });
-
- buffer.setText(dedent`
- function a (b, c, d) {
- eee.f()
- g()
- }
- `);
-
- buffer.setLanguageMode(new TreeSitterLanguageMode({ buffer, grammar }));
-
- editor.setCursorBufferPosition([1, 3]);
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee.f');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee.f()');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('{\n eee.f()\n g()\n}');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe(
- 'function a (b, c, d) {\n eee.f()\n g()\n}'
- );
-
- editor.selectSmallerSyntaxNode();
- expect(editor.getSelectedText()).toBe('{\n eee.f()\n g()\n}');
- editor.selectSmallerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee.f()');
- editor.selectSmallerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee.f');
- editor.selectSmallerSyntaxNode();
- expect(editor.getSelectedText()).toBe('eee');
- editor.selectSmallerSyntaxNode();
- expect(editor.getSelectedBufferRange()).toEqual([[1, 3], [1, 3]]);
- });
-
- it('handles injected languages', () => {
- const jsGrammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- scopeName: 'javascript',
- parser: 'tree-sitter-javascript',
- scopes: {
- property_identifier: 'property',
- 'call_expression > identifier': 'function',
- template_string: 'string',
- 'template_substitution > "${"': 'interpolation',
- 'template_substitution > "}"': 'interpolation'
- },
- injectionRegExp: 'javascript',
- injectionPoints: [HTML_TEMPLATE_LITERAL_INJECTION_POINT]
- });
-
- const htmlGrammar = new TreeSitterGrammar(
- atom.grammars,
- htmlGrammarPath,
- {
- scopeName: 'html',
- parser: 'tree-sitter-html',
- scopes: {
- fragment: 'html',
- tag_name: 'tag',
- attribute_name: 'attr'
- },
- injectionRegExp: 'html'
- }
- );
-
- atom.grammars.addGrammar(htmlGrammar);
-
- buffer.setText('a = html ` c${def()}e${f}g `');
- const languageMode = new TreeSitterLanguageMode({
- buffer,
- grammar: jsGrammar,
- grammars: atom.grammars
- });
- buffer.setLanguageMode(languageMode);
-
- editor.setCursorBufferPosition({
- row: 0,
- column: buffer.getText().indexOf('ef()')
- });
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('def');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('def()');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('${def()}');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('c${def()}e${f}g');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('c${def()}e${f}g');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe(' c${def()}e${f}g ');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('` c${def()}e${f}g `');
- editor.selectLargerSyntaxNode();
- expect(editor.getSelectedText()).toBe('html ` c${def()}e${f}g `');
- });
- });
-
- describe('.tokenizedLineForRow(row)', () => {
- it('returns a shimmed TokenizedLine with tokens', () => {
- const grammar = new TreeSitterGrammar(atom.grammars, jsGrammarPath, {
- parser: 'tree-sitter-javascript',
- scopes: {
- program: 'source',
- 'call_expression > identifier': 'function',
- property_identifier: 'property',
- 'call_expression > member_expression > property_identifier': 'method',
- identifier: 'variable'
- }
- });
-
- buffer.setText('aa.bbb = cc(d.eee());\n\n \n b');
-
- const languageMode = new TreeSitterLanguageMode({ buffer, grammar });
- buffer.setLanguageMode(languageMode);
-
- expect(languageMode.tokenizedLineForRow(0).tokens).toEqual([
- { value: 'aa', scopes: ['source', 'variable'] },
- { value: '.', scopes: ['source'] },
- { value: 'bbb', scopes: ['source', 'property'] },
- { value: ' = ', scopes: ['source'] },
- { value: 'cc', scopes: ['source', 'function'] },
- { value: '(', scopes: ['source'] },
- { value: 'd', scopes: ['source', 'variable'] },
- { value: '.', scopes: ['source'] },
- { value: 'eee', scopes: ['source', 'method'] },
- { value: '());', scopes: ['source'] }
- ]);
- expect(languageMode.tokenizedLineForRow(1).tokens).toEqual([]);
- expect(languageMode.tokenizedLineForRow(2).tokens).toEqual([
- { value: ' ', scopes: ['source'] }
- ]);
- expect(languageMode.tokenizedLineForRow(3).tokens).toEqual([
- { value: ' ', scopes: ['source'] },
- { value: 'b', scopes: ['source', 'variable'] }
- ]);
- });
- });
-});
-
-function nextHighlightingUpdate(languageMode) {
- return new Promise(resolve => {
- const subscription = languageMode.onDidChangeHighlighting(() => {
- subscription.dispose();
- resolve();
- });
- });
-}
-
-function getDisplayText(editor) {
- return editor.displayLayer.getText();
-}
-
-function expectTokensToEqual(editor, expectedTokenLines) {
- const lastRow = editor.getLastScreenRow();
-
- // Assert that the correct tokens are returned regardless of which row
- // the highlighting iterator starts on.
- for (let startRow = 0; startRow <= lastRow; startRow++) {
- // Clear the screen line cache between iterations, but not on the first
- // iteration, so that the first iteration tests that the cache has been
- // correctly invalidated by any changes.
- if (startRow > 0) {
- editor.displayLayer.clearSpatialIndex();
- }
-
- editor.displayLayer.getScreenLines(startRow, Infinity);
-
- const tokenLines = [];
- for (let row = startRow; row <= lastRow; row++) {
- tokenLines[row] = editor
- .tokensForScreenRow(row)
- .map(({ text, scopes }) => ({
- text,
- scopes: scopes.map(scope =>
- scope
- .split(' ')
- .map(className => className.replace('syntax--', ''))
- .join(' ')
- )
- }));
- }
-
- // console.log('EXPECTED:', expectedTokenLines);
- // console.log('ACTUAL:', tokenLines);
-
- for (let row = startRow; row <= lastRow; row++) {
- const tokenLine = tokenLines[row];
- const expectedTokenLine = expectedTokenLines[row];
-
- expect(tokenLine.length).toEqual(expectedTokenLine.length);
- for (let i = 0; i < tokenLine.length; i++) {
- expect(tokenLine[i]).toEqual(
- expectedTokenLine[i],
- `Token ${i}, startRow: ${startRow}`
- );
- }
- }
- }
-
- // Fully populate the screen line cache again so that cache invalidation
- // due to subsequent edits can be tested.
- editor.displayLayer.getScreenLines(0, Infinity);
-}
-
-const HTML_TEMPLATE_LITERAL_INJECTION_POINT = {
- type: 'call_expression',
- language(node) {
- if (
- node.lastChild.type === 'template_string' &&
- node.firstChild.type === 'identifier'
- ) {
- return node.firstChild.text;
- }
- },
- content(node) {
- return node.lastChild;
- }
-};
-
-const SCRIPT_TAG_INJECTION_POINT = {
- type: 'script_element',
- language() {
- return 'javascript';
- },
- content(node) {
- return node.child(1);
- }
-};
-
-const JSDOC_INJECTION_POINT = {
- type: 'comment',
- language(comment) {
- if (comment.text.startsWith('/**')) return 'jsdoc';
- },
- content(comment) {
- return comment;
- }
-};
diff --git a/spec/typescript-spec.js b/spec/typescript-spec.js
index f68b32e9e6..aeed14ef22 100644
--- a/spec/typescript-spec.js
+++ b/spec/typescript-spec.js
@@ -1,11 +1,25 @@
-describe('TypeScript transpiler support', function() {
+const expectedError = new Error('Success!');
+
+describe('TypeScript transpiler support', function () {
+
describe('when there is a .ts file', () =>
- it('transpiles it using typescript', function() {
+ it('transpiles it using typescript', function () {
const transpiled = require('./fixtures/typescript/valid.ts');
expect(transpiled(3)).toBe(4);
}));
- describe('when the .ts file is invalid', () =>
- it('does not transpile', () =>
- expect(() => require('./fixtures/typescript/invalid.ts')).toThrow()));
+ describe('when the .ts file is invalid', () => {
+ it('does not transpile', () => {
+ expect(() => {
+ try {
+ require('./fixtures/typescript/invalid.ts')
+ } catch (error) {
+ if (error.message.includes('Could not compile TypeScript')) {
+ throw expectedError;
+ }
+ throw error;
+ }
+ }).toThrow(expectedError);
+ })
+ });
});
diff --git a/spec/wasm-tree-sitter-language-mode-spec.js b/spec/wasm-tree-sitter-language-mode-spec.js
index ce3301dc69..9b7d31f146 100644
--- a/spec/wasm-tree-sitter-language-mode-spec.js
+++ b/spec/wasm-tree-sitter-language-mode-spec.js
@@ -3,7 +3,7 @@
const fs = require('fs');
const path = require('path');
const dedent = require('dedent');
-const TextBuffer = require('text-buffer');
+const TextBuffer = require('@pulsar-edit/text-buffer');
const { Point } = TextBuffer;
const CSON = require('season');
const TextEditor = require('../src/text-editor');
diff --git a/spec/window-event-handler-spec.js b/spec/window-event-handler-spec.js
index ba454d2023..40fd09e4c2 100644
--- a/spec/window-event-handler-spec.js
+++ b/spec/window-event-handler-spec.js
@@ -1,4 +1,4 @@
-const KeymapManager = require('atom-keymap');
+const KeymapManager = require('@pulsar-edit/atom-keymap');
const WindowEventHandler = require('../src/window-event-handler');
const { conditionPromise } = require('./helpers/async-spec-helpers');
diff --git a/spec/workspace-element-spec.js b/spec/workspace-element-spec.js
index d99745f15d..50d9ad68e4 100644
--- a/spec/workspace-element-spec.js
+++ b/spec/workspace-element-spec.js
@@ -1,10 +1,9 @@
-/** @babel */
-
const { ipcRenderer } = require('electron');
const etch = require('etch');
const path = require('path');
const temp = require('temp').track();
-const { Disposable } = require('event-kit');
+
+const { conditionPromise } = require('./helpers/async-spec-helpers');
const getNextUpdatePromise = () => etch.getScheduler().nextUpdatePromise;
@@ -61,7 +60,7 @@ describe('WorkspaceElement', () => {
workspace,
workspaceElement;
- beforeEach(function() {
+ beforeEach(function () {
atom.config.set('core.destroyEmptyPanes', false);
expect(document.hasFocus()).toBe(
true,
@@ -305,10 +304,10 @@ describe('WorkspaceElement', () => {
});
});
- describe('changing focus, copying, and moving items directionally between panes', function() {
+ describe('changing focus, copying, and moving items directionally between panes', function () {
let workspace, workspaceElement, startingPane;
- beforeEach(function() {
+ beforeEach(function () {
atom.config.set('core.destroyEmptyPanes', false);
expect(document.hasFocus()).toBe(
true,
@@ -330,9 +329,9 @@ describe('WorkspaceElement', () => {
jasmine.attachToDOM(workspaceElement);
});
- describe('::focusPaneViewAbove()', function() {
+ describe('::focusPaneViewAbove()', function () {
describe('when there is a row above the focused pane', () =>
- it('focuses up to the adjacent row', function() {
+ it('focuses up to the adjacent row', function () {
const paneAbove = startingPane.splitUp();
startingPane.activate();
workspaceElement.focusPaneViewAbove();
@@ -340,16 +339,16 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no rows above the focused pane', () =>
- it('keeps the current pane focused', function() {
+ it('keeps the current pane focused', function () {
startingPane.activate();
workspaceElement.focusPaneViewAbove();
expect(document.activeElement).toBe(startingPane.getElement());
}));
});
- describe('::focusPaneViewBelow()', function() {
+ describe('::focusPaneViewBelow()', function () {
describe('when there is a row below the focused pane', () =>
- it('focuses down to the adjacent row', function() {
+ it('focuses down to the adjacent row', function () {
const paneBelow = startingPane.splitDown();
startingPane.activate();
workspaceElement.focusPaneViewBelow();
@@ -357,16 +356,16 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no rows below the focused pane', () =>
- it('keeps the current pane focused', function() {
+ it('keeps the current pane focused', function () {
startingPane.activate();
workspaceElement.focusPaneViewBelow();
expect(document.activeElement).toBe(startingPane.getElement());
}));
});
- describe('::focusPaneViewOnLeft()', function() {
+ describe('::focusPaneViewOnLeft()', function () {
describe('when there is a column to the left of the focused pane', () =>
- it('focuses left to the adjacent column', function() {
+ it('focuses left to the adjacent column', function () {
const paneOnLeft = startingPane.splitLeft();
startingPane.activate();
workspaceElement.focusPaneViewOnLeft();
@@ -374,16 +373,16 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no columns to the left of the focused pane', () =>
- it('keeps the current pane focused', function() {
+ it('keeps the current pane focused', function () {
startingPane.activate();
workspaceElement.focusPaneViewOnLeft();
expect(document.activeElement).toBe(startingPane.getElement());
}));
});
- describe('::focusPaneViewOnRight()', function() {
+ describe('::focusPaneViewOnRight()', function () {
describe('when there is a column to the right of the focused pane', () =>
- it('focuses right to the adjacent column', function() {
+ it('focuses right to the adjacent column', function () {
const paneOnRight = startingPane.splitRight();
startingPane.activate();
workspaceElement.focusPaneViewOnRight();
@@ -391,16 +390,16 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no columns to the right of the focused pane', () =>
- it('keeps the current pane focused', function() {
+ it('keeps the current pane focused', function () {
startingPane.activate();
workspaceElement.focusPaneViewOnRight();
expect(document.activeElement).toBe(startingPane.getElement());
}));
});
- describe('::moveActiveItemToPaneAbove(keepOriginal)', function() {
+ describe('::moveActiveItemToPaneAbove(keepOriginal)', function () {
describe('when there is a row above the focused pane', () =>
- it('moves the active item up to the adjacent row', function() {
+ it('moves the active item up to the adjacent row', function () {
const item = document.createElement('div');
const paneAbove = startingPane.splitUp();
startingPane.activate();
@@ -411,7 +410,7 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no rows above the focused pane', () =>
- it('keeps the active pane focused', function() {
+ it('keeps the active pane focused', function () {
const item = document.createElement('div');
startingPane.activate();
startingPane.activateItem(item);
@@ -420,7 +419,7 @@ describe('WorkspaceElement', () => {
}));
describe('when `keepOriginal: true` is passed in the params', () =>
- it('keeps the item and adds a copy of it to the adjacent pane', function() {
+ it('keeps the item and adds a copy of it to the adjacent pane', function () {
const itemA = document.createElement('div');
const itemB = document.createElement('div');
itemA.copy = () => itemB;
@@ -433,9 +432,9 @@ describe('WorkspaceElement', () => {
}));
});
- describe('::moveActiveItemToPaneBelow(keepOriginal)', function() {
+ describe('::moveActiveItemToPaneBelow(keepOriginal)', function () {
describe('when there is a row below the focused pane', () =>
- it('moves the active item down to the adjacent row', function() {
+ it('moves the active item down to the adjacent row', function () {
const item = document.createElement('div');
const paneBelow = startingPane.splitDown();
startingPane.activate();
@@ -446,7 +445,7 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no rows below the focused pane', () =>
- it('keeps the active item in the focused pane', function() {
+ it('keeps the active item in the focused pane', function () {
const item = document.createElement('div');
startingPane.activate();
startingPane.activateItem(item);
@@ -455,7 +454,7 @@ describe('WorkspaceElement', () => {
}));
describe('when `keepOriginal: true` is passed in the params', () =>
- it('keeps the item and adds a copy of it to the adjacent pane', function() {
+ it('keeps the item and adds a copy of it to the adjacent pane', function () {
const itemA = document.createElement('div');
const itemB = document.createElement('div');
itemA.copy = () => itemB;
@@ -468,9 +467,9 @@ describe('WorkspaceElement', () => {
}));
});
- describe('::moveActiveItemToPaneOnLeft(keepOriginal)', function() {
+ describe('::moveActiveItemToPaneOnLeft(keepOriginal)', function () {
describe('when there is a column to the left of the focused pane', () =>
- it('moves the active item left to the adjacent column', function() {
+ it('moves the active item left to the adjacent column', function () {
const item = document.createElement('div');
const paneOnLeft = startingPane.splitLeft();
startingPane.activate();
@@ -481,7 +480,7 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no columns to the left of the focused pane', () =>
- it('keeps the active item in the focused pane', function() {
+ it('keeps the active item in the focused pane', function () {
const item = document.createElement('div');
startingPane.activate();
startingPane.activateItem(item);
@@ -490,7 +489,7 @@ describe('WorkspaceElement', () => {
}));
describe('when `keepOriginal: true` is passed in the params', () =>
- it('keeps the item and adds a copy of it to the adjacent pane', function() {
+ it('keeps the item and adds a copy of it to the adjacent pane', function () {
const itemA = document.createElement('div');
const itemB = document.createElement('div');
itemA.copy = () => itemB;
@@ -503,9 +502,9 @@ describe('WorkspaceElement', () => {
}));
});
- describe('::moveActiveItemToPaneOnRight(keepOriginal)', function() {
+ describe('::moveActiveItemToPaneOnRight(keepOriginal)', function () {
describe('when there is a column to the right of the focused pane', () =>
- it('moves the active item right to the adjacent column', function() {
+ it('moves the active item right to the adjacent column', function () {
const item = document.createElement('div');
const paneOnRight = startingPane.splitRight();
startingPane.activate();
@@ -516,7 +515,7 @@ describe('WorkspaceElement', () => {
}));
describe('when there are no columns to the right of the focused pane', () =>
- it('keeps the active item in the focused pane', function() {
+ it('keeps the active item in the focused pane', function () {
const item = document.createElement('div');
startingPane.activate();
startingPane.activateItem(item);
@@ -525,7 +524,7 @@ describe('WorkspaceElement', () => {
}));
describe('when `keepOriginal: true` is passed in the params', () =>
- it('keeps the item and adds a copy of it to the adjacent pane', function() {
+ it('keeps the item and adds a copy of it to the adjacent pane', function () {
const itemA = document.createElement('div');
const itemB = document.createElement('div');
itemA.copy = () => itemB;
@@ -540,7 +539,7 @@ describe('WorkspaceElement', () => {
describe('::moveActiveItemToNearestPaneInDirection(direction, params)', () => {
describe('when the item is not allowed in nearest pane in the given direction', () => {
- it('does not move or copy the active item', function() {
+ it('does not move or copy the active item', function () {
const item = {
element: document.createElement('div'),
getAllowedLocations: () => ['left', 'right']
@@ -562,7 +561,7 @@ describe('WorkspaceElement', () => {
});
describe("when the item doesn't implement a `copy` function", () => {
- it('does not copy the active item', function() {
+ it('does not copy the active item', function () {
const item = document.createElement('div');
const paneBelow = startingPane.splitDown();
expect(paneBelow.getItems().length).toEqual(0);
@@ -860,28 +859,30 @@ describe('WorkspaceElement', () => {
}
});
- describe('the scrollbar visibility class', () => {
+ // Skipped for now. We replaced the `scrollbar-style` module with one that
+ // runs in the main process, so we'd need to change what gets mocked here.
+ xdescribe('the scrollbar visibility class', () => {
it('has a class based on the style of the scrollbar', () => {
- let observeCallback;
- const scrollbarStyle = require('scrollbar-style');
- spyOn(scrollbarStyle, 'observePreferredScrollbarStyle').and.callFake(
- cb => {
- observeCallback = cb;
- return new Disposable(() => {});
- }
- );
-
- const workspaceElement = atom.workspace.getElement();
- observeCallback('legacy');
- expect(workspaceElement.className).toMatch('scrollbars-visible-always');
-
- observeCallback('overlay');
- expect(workspaceElement).toHaveClass('scrollbars-visible-when-scrolling');
+ // let observeCallback;
+ // spyOn(scrollbarStyle, 'observePreferredScrollbarStyle').andCallFake(
+ // cb => {
+ // observeCallback = cb;
+ // return new Disposable(() => {});
+ // }
+ // );
+ //
+ // const workspaceElement = atom.workspace.getElement();
+ // observeCallback('legacy');
+ // expect(workspaceElement.className).toMatch('scrollbars-visible-always');
+ //
+ // observeCallback('overlay');
+ // expect(workspaceElement).toHaveClass('scrollbars-visible-when-scrolling');
});
});
describe('editor font styling', () => {
let editor, editorElement, workspaceElement;
+ let originalPixelRatio = window.devicePixelRatio;
beforeEach(async () => {
await atom.workspace.open('sample.js');
@@ -892,6 +893,10 @@ describe('WorkspaceElement', () => {
editorElement = editor.getElement();
});
+ afterEach(() => {
+ window.devicePixelRatio = originalPixelRatio;
+ });
+
it("updates the font-size based on the 'editor.fontSize' config value", async () => {
const initialCharWidth = editor.getDefaultCharWidth();
expect(getComputedStyle(editorElement).fontSize).toBe(
@@ -928,7 +933,9 @@ describe('WorkspaceElement', () => {
expect(editor.getDefaultCharWidth()).not.toBe(initialCharWidth);
});
- it("updates the line-height based on the 'editor.lineHeight' config value", async () => {
+ // These next few specs may trigger the behavior that aims to preserve a
+ // `line-height` value that conforms to the hardware pixel grid.
+ it("updates the line-height based on the 'editor.lineHeight' config value (when the value is a pixel measurement string)", async () => {
const initialLineHeight = editor.getLineHeightInPixels();
await new Promise((resolve) => {
@@ -942,6 +949,81 @@ describe('WorkspaceElement', () => {
expect(editor.getLineHeightInPixels()).not.toBe(initialLineHeight);
});
+ it("updates the line-height based on the 'editor.lineHeight' config value (when the value is given as a bare number that needs no rounding)", async () => {
+ jasmine.useRealClock();
+ const initialLineHeight = editor.getLineHeightInPixels();
+ atom.config.set('editor.fontSize', 16);
+ atom.config.set('editor.lineHeight', 1.875);
+ let expectedValue = `${atom.config.get('editor.fontSize') * atom.config.get('editor.lineHeight')}px`;
+ await conditionPromise(() => {
+ return getComputedStyle(editorElement).lineHeight === expectedValue;
+ })
+ expect(getComputedStyle(editorElement).lineHeight).toBe(
+ expectedValue
+ );
+ expect(editor.getLineHeightInPixels()).not.toBe(initialLineHeight);
+ });
+
+ it("adjusts the line-height to a value that is appropriate for the display's pixel density (when the value is given in pixels)", async () => {
+ jasmine.useRealClock();
+ const initialLineHeight = editor.getLineHeightInPixels();
+ // It's weird that browsers expose this as a writable getter, but we'll
+ // reset it to its original value when the tests are done.
+ window.devicePixelRatio = 2;
+ atom.config.set('editor.fontSize', 16);
+ atom.config.set('editor.lineHeight', '27.2px');
+ await conditionPromise(() => {
+ return getComputedStyle(editorElement).lineHeight === '27px'
+ });
+ // The user has explicitly asked for a `line-height` of `27.2px`. When
+ // there are two hardware pixels per software pixel, we can tolerate
+ // values of 27px and 27.5px, but not 27.2px. Hence we round to the
+ // nearest acceptable value.
+ expect(getComputedStyle(editorElement).lineHeight).toBe('27px');
+ expect(editor.getLineHeightInPixels()).not.toBe(initialLineHeight);
+ });
+
+ it("adjusts the line-height to a value that is appropriate for the display's pixel density (when the value is given as a bare number and needs rounding)", async () => {
+ jasmine.useRealClock();
+ const initialLineHeight = editor.getLineHeightInPixels();
+ // It's weird that browsers expose this as a writable getter, but we'll
+ // reset it to its original value when the tests are done.
+ window.devicePixelRatio = 2;
+ atom.config.set('editor.fontSize', 16);
+ atom.config.set('editor.lineHeight', 1.7);
+ await conditionPromise(() => {
+ return getComputedStyle(editorElement).lineHeight === '27px'
+ });
+ // The ratio expressed would result in a line height of 27.2px. When
+ // there are two hardware pixels per software pixel, we can tolerate
+ // values of 27px and 27.5px, but not 27.2px. Hence we round to the
+ // nearest acceptable value.
+ expect(getComputedStyle(editorElement).lineHeight).toBe('27px');
+ expect(editor.getLineHeightInPixels()).not.toBe(initialLineHeight);
+ });
+
+ // This last spec covers all cases where we opt out of adjusting the
+ // `line-height` value. Since it can technically be any valid CSS
+ // measurement, there are limits to our ability to adjust it.
+ it("respects the specified 'editor.lineHeight' when the value is more exotic", async () => {
+ jasmine.useRealClock();
+ const initialLineHeight = editor.getLineHeightInPixels();
+ // It's weird that browsers expose this as a writable getter, but we'll
+ // reset it to its original value when the tests are done.
+ window.devicePixelRatio = 2;
+ atom.config.set('editor.fontSize', 16);
+ atom.config.set('editor.lineHeight', '1.7em');
+ await conditionPromise(() => {
+ return getComputedStyle(editorElement).lineHeight === '27.2px'
+ });
+ // The ratio expressed would result in a line height of 27.2px. Since it
+ // was specified in `em`, we don't try to normalize it to pixels, so
+ // we'll allow the value even though it doesn't conform to the hardware
+ // pixel grid.
+ expect(getComputedStyle(editorElement).lineHeight).toBe('27.2px');
+ expect(editor.getLineHeightInPixels()).not.toBe(initialLineHeight);
+ });
+
it('increases or decreases the font size when a ctrl-mousewheel event occurs', () => {
atom.config.set('editor.zoomFontWhenCtrlScrolling', true);
atom.config.set('editor.fontSize', 12);
diff --git a/spec/workspace-spec.js b/spec/workspace-spec.js
index 121b3a9b65..d0412adb99 100644
--- a/spec/workspace-spec.js
+++ b/spec/workspace-spec.js
@@ -1,7 +1,7 @@
const path = require('path');
const temp = require('temp').track();
const dedent = require('dedent');
-const TextBuffer = require('text-buffer');
+const TextBuffer = require('@pulsar-edit/text-buffer');
const TextEditor = require('../src/text-editor');
const Workspace = require('../src/workspace');
const Project = require('../src/project');
@@ -88,16 +88,26 @@ describe('Workspace', () => {
let pane4 = null;
let editor;
- (await atom.workspace.open(null)).setText('An untitled editor.')
+ await atom.workspace
+ .open(null)
+ .then(editor => editor.setText('An untitled editor.'));
- pane2.activateItem((await atom.workspace.open('b')).copy());
+ await atom.workspace
+ .open('b')
+ .then(editor => pane2.activateItem(editor.copy()));
+
+ await atom.workspace
+ .open('../sample.js')
+ .then(editor => pane3.activateItem(editor));
- pane3.activateItem(await atom.workspace.open('../sample.js'));
pane3.activeItem.setCursorScreenPosition([2, 4]);
pane4 = pane2.splitDown();
- pane4.activateItem(await atom.workspace.open('../sample.txt'));
+ await atom.workspace
+ .open('../sample.txt')
+ .then(editor => pane4.activateItem(editor));
+
pane4.getActiveItem().setCursorScreenPosition([0, 2]);
pane2.activate();
@@ -1710,6 +1720,7 @@ describe('Workspace', () => {
workspace.onDidChangeActiveTextEditor(editor => observed.push(editor));
workspace.closeActivePaneItemOrEmptyPaneOrWindow();
expect(observed).toEqual([undefined]);
+
});
});
@@ -1782,14 +1793,11 @@ describe('Workspace', () => {
'source.coffee',
'source.js', // Tree-sitter grammars also load
'source.js',
- 'source.js',
- 'source.js.regexp',
'source.js.regexp',
'source.js.regexp',
'source.js.regexp.replacement',
'source.jsdoc',
'source.jsdoc',
- 'source.jsdoc',
'source.litcoffee',
'text.plain.null-grammar',
'text.todo',
diff --git a/src/application-delegate.js b/src/application-delegate.js
index 31b982245c..21c125932a 100644
--- a/src/application-delegate.js
+++ b/src/application-delegate.js
@@ -1,4 +1,5 @@
-const { ipcRenderer, remote, shell } = require('electron');
+const { ipcRenderer, shell } = require('electron');
+const remote = require('@electron/remote');
const ipcHelpers = require('./ipc-helpers');
const { Emitter, Disposable } = require('event-kit');
const getWindowLoadSettings = require('./get-window-load-settings');
@@ -33,7 +34,7 @@ module.exports = class ApplicationDelegate {
pickFolder(callback) {
const responseChannel = 'atom-pick-folder-response';
- ipcRenderer.on(responseChannel, function(event, path) {
+ ipcRenderer.on(responseChannel, function (event, path) {
ipcRenderer.removeAllListeners(responseChannel);
return callback(path);
});
diff --git a/src/atom-environment.js b/src/atom-environment.js
index 4f4231b84d..a54aaba46d 100644
--- a/src/atom-environment.js
+++ b/src/atom-environment.js
@@ -42,7 +42,7 @@ const PaneAxis = require('./pane-axis');
const Pane = require('./pane');
const Dock = require('./dock');
const TextEditor = require('./text-editor');
-const TextBuffer = require('text-buffer');
+const TextBuffer = require('@pulsar-edit/text-buffer');
const TextEditorRegistry = require('./text-editor-registry');
const StartupTime = require('./startup-time');
const { getReleaseChannel } = require('./get-app-details.js');
@@ -50,6 +50,7 @@ const UI = require('./ui.js');
const I18n = require("./i18n.js");
const packagejson = require("../package.json");
+const { closeAllWatchers } = require('@pulsar-edit/pathwatcher');
const stat = util.promisify(fs.stat);
let nextId = 0;
@@ -256,6 +257,8 @@ class AtomEnvironment {
// before opening a buffer.
require('./text-editor-element');
+ this.isDestroying = false;
+
this.window = params.window;
this.document = params.document;
this.blobStore = params.blobStore;
@@ -481,6 +484,11 @@ class AtomEnvironment {
destroy() {
if (!this.project) return;
+ // Set this flag and then don't reset it after `destroy` is done, since we
+ // need other disposing objects to be able to check it. We won't need to
+ // reset it because another environment will be created.
+ this.isDestroying = true;
+
this.disposables.dispose();
if (this.workspace) this.workspace.destroy();
this.workspace = null;
@@ -1135,6 +1143,7 @@ class AtomEnvironment {
}
unloadEditorWindow() {
+ closeAllWatchers();
if (!this.project) return;
this.storeWindowBackground();
diff --git a/src/atom-paths.js b/src/atom-paths.js
index 7afa4d8a22..49dc0fb6c4 100644
--- a/src/atom-paths.js
+++ b/src/atom-paths.js
@@ -27,7 +27,9 @@ const getAppDirectory = () => {
module.exports = {
setAtomHome: homePath => {
- // When a read-writeable .pulsar folder exists above app use that
+ // When a read-writeable `.pulsar` folder exists above the app directory,
+ // use that. The portability means that we don't have to use a different
+ // name to distinguish the release channel.
const portableHomePath = path.join(getAppDirectory(), '..', '.pulsar');
if (fs.existsSync(portableHomePath)) {
if (hasWriteAccess(portableHomePath)) {
@@ -40,13 +42,30 @@ module.exports = {
}
}
- // Check ATOM_HOME environment variable next
+ // Check the `ATOM_HOME` environment variable next.
if (process.env.ATOM_HOME !== undefined) {
return;
}
- // Fall back to default .atom folder in users home folder
- process.env.ATOM_HOME = path.join(homePath, '.pulsar');
+ // We fall back to a `.pulsar` folder in the user's home folder — or a
+ // different folder name if we're not on the stable release channel.
+ //
+ // On macOS and Linux, `ATOM_HOME` gets set in `pulsar(-next).sh`, so we'd
+ // only get this far if the user launched via a non-shell method.
+ //
+ // On Windows, we don’t try to set `ATOM_HOME` in `pulsar.cmd`, so we'll
+ // always get this far.
+ //
+ // In these cases, we rely on `ATOM_CHANNEL`, which is defined either by
+ // the launcher script or by the main process shortly after launch
+ // (inferred via the version number).
+ //
+ let folderName = '.pulsar';
+ if (process.env.ATOM_CHANNEL === 'next') {
+ folderName = '.pulsar-next';
+ }
+
+ process.env.ATOM_HOME = path.join(homePath, folderName);
},
setUserData: app => {
@@ -66,5 +85,5 @@ module.exports = {
}
},
- getAppDirectory: getAppDirectory
+ getAppDirectory
};
diff --git a/src/command-installer.js b/src/command-installer.js
index 384e543247..0c11ab251c 100644
--- a/src/command-installer.js
+++ b/src/command-installer.js
@@ -1,5 +1,6 @@
const path = require('path');
const fs = require('fs-plus');
+const { getReleaseChannel } = require('./get-app-details.js');
module.exports = class CommandInstaller {
constructor(applicationDelegate) {
@@ -18,7 +19,28 @@ module.exports = class CommandInstaller {
return process.resourcesPath;
}
- installShellCommandsInteractively() {
+ getReleaseChannel() {
+ return getReleaseChannel(this.appVersion);
+ }
+
+ getScriptBaseName() {
+ if (this.scriptBaseName) {
+ return this.scriptBaseName;
+ } else if (process.env.ATOM_BASE_NAME) {
+ // If we launched via shell script, this environment variable will tell
+ // us the right name.
+ return process.env.ATOM_BASE_NAME;
+ }
+
+ // Otherwise we can make an educated guess from the name of the release
+ // channel.
+ let releaseChannel = this.getReleaseChannel();
+ this.scriptBaseName = releaseChannel === 'next' ? 'pulsar-next' : 'pulsar';
+
+ return this.scriptBaseName;
+ }
+
+ async installShellCommandsInteractively() {
const showErrorDialog = error => {
this.applicationDelegate.confirm(
{
@@ -59,24 +81,27 @@ module.exports = class CommandInstaller {
}
installAtomCommand(askForPrivilege, callback) {
+ let scriptName = this.getScriptBaseName();
this.installCommand(
- path.join(this.getResourcesDirectory(), 'pulsar.sh'),
- 'pulsar',
+ path.join(this.getResourcesDirectory(), `${scriptName}.sh`),
+ scriptName,
askForPrivilege,
callback
);
}
installApmCommand(askForPrivilege, callback) {
+ let isNextReleaseChannel = this.getScriptBaseName().endsWith('-next');
+ let ppmName = isNextReleaseChannel ? 'ppm-next' : 'ppm';
this.installCommand(
path.join(
this.getResourcesDirectory(),
'app',
'ppm',
'bin',
- 'apm'
+ ppmName
),
- 'ppm',
+ ppmName,
askForPrivilege,
callback
);
diff --git a/src/config-schema.js b/src/config-schema.js
index a1f0fd6be2..39086ee639 100644
--- a/src/config-schema.js
+++ b/src/config-schema.js
@@ -367,7 +367,7 @@ const configSchema = {
type: 'boolean',
default: false,
title: 'Use Legacy Tree-sitter Implementation',
- description: 'Opt into the legacy Atom Tree-sitter system instead of the modern system added by Pulsar. (We plan to remove this legacy system soon.) Has no effect unless “Use Tree-sitter Parsers” is also checked.'
+ description: 'This setting no longer has any effect and will be removed soon.'
},
useLegacySessionStore: {
type: 'boolean',
diff --git a/src/context-menu-manager.js b/src/context-menu-manager.js
index 1c76e94da8..52a8350dd7 100644
--- a/src/context-menu-manager.js
+++ b/src/context-menu-manager.js
@@ -3,7 +3,7 @@ const CSON = require('season');
const fs = require('fs-plus');
const {calculateSpecificity, validateSelector} = require('clear-cut');
const {Disposable} = require('event-kit');
-const {remote} = require('electron');
+const remote = require('@electron/remote');
const MenuHelpers = require('./menu-helpers');
const {sortMenuItems} = require('./menu-sort-helpers');
const _ = require('underscore-plus');
diff --git a/src/cursor.js b/src/cursor.js
index 334c5b0d81..6caffb748a 100644
--- a/src/cursor.js
+++ b/src/cursor.js
@@ -1,4 +1,4 @@
-const { Point, Range } = require('text-buffer');
+const { Point, Range } = require('@pulsar-edit/text-buffer');
const { Emitter } = require('event-kit');
const _ = require('underscore-plus');
const Model = require('./model');
diff --git a/src/default-directory-provider.js b/src/default-directory-provider.js
index de7423b77d..4c295743fe 100644
--- a/src/default-directory-provider.js
+++ b/src/default-directory-provider.js
@@ -1,4 +1,4 @@
-const {Directory} = require('pathwatcher');
+const {Directory} = require('@pulsar-edit/pathwatcher');
const fs = require('fs-plus');
const path = require('path');
const url = require('url');
diff --git a/src/electron-shims.js b/src/electron-shims.js
index 0c947aa637..fe6de43c25 100644
--- a/src/electron-shims.js
+++ b/src/electron-shims.js
@@ -2,7 +2,7 @@ const path = require('path');
const electron = require('electron');
const dirname = path.dirname;
-path.dirname = function(path) {
+path.dirname = function (path) {
if (typeof path !== 'string') {
path = '' + path;
const Grim = require('grim');
@@ -13,7 +13,7 @@ path.dirname = function(path) {
};
const extname = path.extname;
-path.extname = function(path) {
+path.extname = function (path) {
if (typeof path !== 'string') {
path = '' + path;
const Grim = require('grim');
@@ -24,7 +24,7 @@ path.extname = function(path) {
};
const basename = path.basename;
-path.basename = function(path, ext) {
+path.basename = function (path, ext) {
if (
typeof path !== 'string' ||
(ext !== undefined && typeof ext !== 'string')
@@ -43,55 +43,76 @@ electron.ipcRenderer.sendChannel = function() {
return this.send.apply(this, arguments);
};
-const remoteRequire = electron.remote.require;
-electron.remote.require = function(moduleName) {
- const Grim = require('grim');
- switch (moduleName) {
- case 'menu':
- Grim.deprecate('Use `remote.Menu` instead of `remote.require("menu")`');
- return this.Menu;
- case 'menu-item':
- Grim.deprecate(
- 'Use `remote.MenuItem` instead of `remote.require("menu-item")`'
- );
- return this.MenuItem;
- case 'browser-window':
- Grim.deprecate(
- 'Use `remote.BrowserWindow` instead of `remote.require("browser-window")`'
- );
- return this.BrowserWindow;
- case 'dialog':
- Grim.deprecate(
- 'Use `remote.Dialog` instead of `remote.require("dialog")`'
- );
- return this.Dialog;
- case 'app':
- Grim.deprecate('Use `remote.app` instead of `remote.require("app")`');
- return this.app;
- case 'crash-reporter':
- Grim.deprecate(
- 'Use `remote.crashReporter` instead of `remote.require("crashReporter")`'
- );
- return this.crashReporter;
- case 'global-shortcut':
- Grim.deprecate(
- 'Use `remote.globalShortcut` instead of `remote.require("global-shortcut")`'
- );
- return this.globalShortcut;
- case 'clipboard':
- Grim.deprecate(
- 'Use `remote.clipboard` instead of `remote.require("clipboard")`'
- );
- return this.clipboard;
- case 'native-image':
- Grim.deprecate(
- 'Use `remote.nativeImage` instead of `remote.require("native-image")`'
- );
- return this.nativeImage;
- case 'tray':
- Grim.deprecate('Use `remote.Tray` instead of `remote.require("tray")`');
- return this.Tray;
- default:
- return remoteRequire.call(this, moduleName);
+function oldRemoteRequire (remote) {
+ const remoteRequire = remote.require.bind(remote)
+
+ return (moduleName) => {
+ const Grim = require('grim');
+ switch (moduleName) {
+ case 'menu':
+ Grim.deprecate('Use `remote.Menu` instead of `remote.require("menu")`');
+ return remote.Menu;
+ case 'menu-item':
+ Grim.deprecate(
+ 'Use `remote.MenuItem` instead of `remote.require("menu-item")`'
+ );
+ return remote.MenuItem;
+ case 'browser-window':
+ Grim.deprecate(
+ 'Use `remote.BrowserWindow` instead of `remote.require("browser-window")`'
+ );
+ return remote.BrowserWindow;
+ case 'dialog':
+ Grim.deprecate(
+ 'Use `remote.Dialog` instead of `remote.require("dialog")`'
+ );
+ return remote.Dialog;
+ case 'app':
+ Grim.deprecate('Use `remote.app` instead of `remote.require("app")`');
+ return remote.app;
+ case 'crash-reporter':
+ Grim.deprecate(
+ 'Use `remote.crashReporter` instead of `remote.require("crashReporter")`'
+ );
+ return remote.crashReporter;
+ case 'global-shortcut':
+ Grim.deprecate(
+ 'Use `remote.globalShortcut` instead of `remote.require("global-shortcut")`'
+ );
+ return remote.globalShortcut;
+ case 'clipboard':
+ Grim.deprecate(
+ 'Use `remote.clipboard` instead of `remote.require("clipboard")`'
+ );
+ return remote.clipboard;
+ case 'native-image':
+ Grim.deprecate(
+ 'Use `remote.nativeImage` instead of `remote.require("native-image")`'
+ );
+ return remote.nativeImage;
+ case 'tray':
+ Grim.deprecate('Use `remote.Tray` instead of `remote.require("tray")`');
+ return remote.Tray;
+ default:
+ return remoteRequire(moduleName);
+ }
}
};
+
+if (!electron._remotePatched) {
+ electron._remotePatched = true
+
+ if (electron.remote) {
+ electron.remote.require = oldRemoteRequire(electron.remote);
+ } else {
+ Object.defineProperty(electron, 'remote', {
+ get: () => {
+ const Grim = require('grim');
+ Grim.deprecate("electron.remote is deprecated and removed! Use require('@electron/remote') instead");
+ let remote = require('@electron/remote');
+ remote.require = oldRemoteRequire(remote);
+ return remote;
+ }
+ });
+ }
+}
diff --git a/src/get-window-load-settings.js b/src/get-window-load-settings.js
index 9a0a4b6438..04d4a99808 100644
--- a/src/get-window-load-settings.js
+++ b/src/get-window-load-settings.js
@@ -1,4 +1,4 @@
-const { remote } = require('electron');
+const remote = require('@electron/remote');
let windowLoadSettings = null;
diff --git a/src/git-repository-provider.js b/src/git-repository-provider.js
index 37d8113993..bfc77b28f1 100644
--- a/src/git-repository-provider.js
+++ b/src/git-repository-provider.js
@@ -1,5 +1,5 @@
const fs = require('fs');
-const { Directory } = require('pathwatcher');
+const { Directory } = require('@pulsar-edit/pathwatcher');
const GitRepository = require('./git-repository');
const GIT_FILE_REGEX = RegExp('^gitdir: (.+)');
diff --git a/src/git-repository.js b/src/git-repository.js
index 7403a028f5..33fb0ac10e 100644
--- a/src/git-repository.js
+++ b/src/git-repository.js
@@ -2,7 +2,7 @@ const path = require('path');
const fs = require('fs-plus');
const _ = require('underscore-plus');
const { Emitter, Disposable, CompositeDisposable } = require('event-kit');
-const GitUtils = require('git-utils');
+const GitUtils = require('@pulsar-edit/git-utils');
let nextId = 0;
diff --git a/src/grammar-registry.js b/src/grammar-registry.js
index 9ccf392cf2..63233f290c 100644
--- a/src/grammar-registry.js
+++ b/src/grammar-registry.js
@@ -4,14 +4,12 @@ const CSON = require('season');
const SecondMate = require('second-mate');
const { Disposable, CompositeDisposable, Emitter } = require('event-kit');
const TextMateLanguageMode = require('./text-mate-language-mode');
-const NodeTreeSitterLanguageMode = require('./tree-sitter-language-mode');
const WASMTreeSitterLanguageMode = require('./wasm-tree-sitter-language-mode');
-const TreeSitterGrammar = require('./tree-sitter-grammar');
const WASMTreeSitterGrammar = require('./wasm-tree-sitter-grammar');
const ScopeDescriptor = require('./scope-descriptor');
const Token = require('./token');
const fs = require('fs-plus');
-const { Point, Range } = require('text-buffer');
+const { Point, Range } = require('@pulsar-edit/text-buffer');
const PATH_SPLIT_REGEX = new RegExp('[/.]');
@@ -33,9 +31,10 @@ module.exports = class GrammarRegistry {
clear() {
this.textmateRegistry.clear();
this.wasmTreeSitterGrammarsById = {};
- this.treeSitterGrammarsById = {};
+
if (this.subscriptions) this.subscriptions.dispose();
this.subscriptions = new CompositeDisposable();
+
this.languageOverridesByBufferId = new Map();
this.grammarScoresByBuffer = new Map();
this.textMateScopeNamesByTreeSitterLanguageId = new Map();
@@ -54,8 +53,7 @@ module.exports = class GrammarRegistry {
};
this.subscriptions.add(
- this.config.onDidChange('core.useTreeSitterParsers', onLanguageModeChange),
- this.config.onDidChange('core.useLegacyTreeSitter', onLanguageModeChange)
+ this.config.onDidChange('core.useTreeSitterParsers', onLanguageModeChange)
);
}
@@ -210,13 +208,6 @@ module.exports = class GrammarRegistry {
config: this.config,
grammars: this
});
- } else if (grammar instanceof TreeSitterGrammar) {
- return new NodeTreeSitterLanguageMode({
- grammar,
- buffer,
- config: this.config,
- grammars: this
- });
} else {
return new TextMateLanguageMode({ grammar, buffer, config: this.config });
}
@@ -248,15 +239,16 @@ module.exports = class GrammarRegistry {
return { grammar: bestMatch, score: highestScore };
}
+ // Looks up a scope-specific `core.useTreeSitterParsers` setting. This allows
+ // users to opt into or out of Tree-sitter parsers on a language-by-language
+ // basis.
getLanguageParserForScope(scope) {
if (typeof scope === 'string') {
- scope = new ScopeDescriptor({ scopes: [scope] })
+ scope = new ScopeDescriptor({ scopes: [scope] });
}
- let useTreeSitterParsers = this.config.get('core.useTreeSitterParsers', { scope });
- let useLegacyTreeSitter = this.config.get('core.useLegacyTreeSitter', { scope });
- if (!useTreeSitterParsers) return 'textmate';
- return useLegacyTreeSitter ? 'node-tree-sitter' : 'wasm-tree-sitter';
+ let useTreeSitterParsers = this.config.get('core.useTreeSitterParsers', { scope });
+ return useTreeSitterParsers ? 'wasm-tree-sitter' : 'textmate';
}
// Extended: Evaluates a grammar's fitness for use for a certain file.
@@ -285,9 +277,7 @@ module.exports = class GrammarRegistry {
// If multiple grammars match by one of the above criteria, break ties.
if (score > 0) {
- const isNewTreeSitter = grammar instanceof WASMTreeSitterGrammar;
- const isOldTreeSitter = grammar instanceof TreeSitterGrammar;
- const isTreeSitter = isNewTreeSitter || isOldTreeSitter;
+ const isTreeSitter = grammar instanceof WASMTreeSitterGrammar;
let scope = new ScopeDescriptor({ scopes: [grammar.scopeName] });
let parserConfig = this.getLanguageParserForScope(scope);
@@ -297,24 +287,12 @@ module.exports = class GrammarRegistry {
// TODO: This logic is a bit convoluted temporarily as we transition away
// from legacy tree-sitter grammars; it can be vastly simplified once the
// transition is complete.
- if (isNewTreeSitter) {
+ if (isTreeSitter) {
if (parserConfig === 'wasm-tree-sitter') {
score += 0.1;
} else if (parserConfig === 'textmate') {
score = -1;
}
- } else if (isOldTreeSitter) {
- if (parserConfig === 'node-tree-sitter') {
- score += 0.1;
- } else if (parserConfig === 'wasm-tree-sitter') {
- // If `useLegacyTreeSitter` isn't checked, we probably still prefer a
- // legacy Tree-sitter grammar over a TextMate-style grammar. Bump the
- // score, but just a bit less than we'd bump it if this were a
- // modern Tree-sitter grammar.
- score += 0.09;
- } else if (parserConfig === 'textmate') {
- score = -1;
- }
}
// Prefer grammars with matching content regexes. Prefer a grammar with
@@ -434,19 +412,10 @@ module.exports = class GrammarRegistry {
) ||
this.textmateRegistry.grammarForScopeName(languageId)
);
- } else if (config === 'node-tree-sitter') {
- return (
- getTreeSitterGrammar(
- this.treeSitterGrammarsById,
- languageId
- ) ||
- this.textmateRegistry.grammarForScopeName(languageId)
- );
} else {
return (
this.textmateRegistry.grammarForScopeName(languageId) ||
- this.wasmTreeSitterGrammarsById[languageId] ||
- this.treeSitterGrammarsById[languageId]
+ this.wasmTreeSitterGrammarsById[languageId]
);
}
}
@@ -594,7 +563,7 @@ module.exports = class GrammarRegistry {
// `false`. When `true`, if two consecutive injection buffer ranges are separated _only_ by
// whitespace, those ranges will be consolidated into one range along with that whitespace.
//
- addInjectionPoint(grammarId, injectionPoint, { only = null } = {}) {
+ addInjectionPoint(grammarId, injectionPoint) {
let grammarsToDispose = [];
const addOrCreateInjectionPoint = (table, grammarId) => {
let grammar = table[grammarId];
@@ -616,17 +585,7 @@ module.exports = class GrammarRegistry {
}
};
- // TEMP: By default, an injection point will be added for both kinds of
- // tree-sitter grammars, but the optional keyword argument `only` lets us
- // target one or the other. We'll only need this option until we transition
- // away from legacy tree-sitter.
- if (!only || only === 'legacy') {
- addOrCreateInjectionPoint(this.treeSitterGrammarsById, grammarId);
- }
-
- if (!only || only === 'modern') {
- addOrCreateInjectionPoint(this.wasmTreeSitterGrammarsById, grammarId);
- }
+ addOrCreateInjectionPoint(this.wasmTreeSitterGrammarsById, grammarId);
return new Disposable(() => {
for (let grammar of grammarsToDispose) {
@@ -668,19 +627,6 @@ module.exports = class GrammarRegistry {
this.grammarAddedOrUpdated(grammar);
this.emitter.emit('did-add-grammar', grammar);
return new Disposable(() => this.removeGrammar(grammar));
- } else if (grammar instanceof TreeSitterGrammar) {
- const existingParams =
- this.treeSitterGrammarsById[grammar.scopeName] || {};
- if (grammar.scopeName)
- this.treeSitterGrammarsById[grammar.scopeName] = grammar;
- if (existingParams.injectionPoints) {
- for (const injectionPoint of existingParams.injectionPoints) {
- grammar.addInjectionPoint(injectionPoint);
- }
- }
- this.grammarAddedOrUpdated(grammar);
- this.emitter.emit('did-add-grammar', grammar);
- return new Disposable(() => this.removeGrammar(grammar));
} else {
return this.textmateRegistry.addGrammar(grammar);
}
@@ -689,8 +635,6 @@ module.exports = class GrammarRegistry {
removeGrammar(grammar) {
if (grammar instanceof WASMTreeSitterGrammar) {
delete this.wasmTreeSitterGrammarsById[grammar.scopeName];
- } else if (grammar instanceof TreeSitterGrammar) {
- delete this.treeSitterGrammarsById[grammar.scopeName];
} else {
return this.textmateRegistry.removeGrammar(grammar);
}
@@ -760,8 +704,6 @@ module.exports = class GrammarRegistry {
createGrammar(grammarPath, params) {
if (params.type === 'modern-tree-sitter') {
return new WASMTreeSitterGrammar(this, grammarPath, params)
- } else if (params.type === 'tree-sitter') {
- return new TreeSitterGrammar(this, grammarPath, params);
} else {
if (
typeof params.scopeName !== 'string' ||
@@ -789,14 +731,6 @@ module.exports = class GrammarRegistry {
let modernTsGrammars = Object.values(this.wasmTreeSitterGrammarsById)
.filter(g => g.scopeName);
result = result.concat(modernTsGrammars);
-
- // We must include all legacy Tree-sitter grammars here just in case the
- // user has opted into `useTreeSitterGrammars` via a scope-specific
- // setting.
- const legacyTsGrammars = Object.values(this.treeSitterGrammarsById)
- .filter(g => g.scopeName);
- result = result.concat(legacyTsGrammars);
-
return result;
}
@@ -807,20 +741,18 @@ module.exports = class GrammarRegistry {
// Match up a language string (of the sort generated by an injection point)
// with a grammar. Checks the `injectionRegex` property on grammars and
// returns the one with the longest match.
- treeSitterGrammarForLanguageString(languageString, type = 'wasm') {
+ treeSitterGrammarForLanguageString(languageString) {
let longestMatchLength = 0;
let grammarWithLongestMatch = null;
- let table = type === 'original' ? this.treeSitterGrammarsById : this.wasmTreeSitterGrammarsById;
- for (const id in table) {
- const grammar = table[id];
- if (grammar.injectionRegex) {
- const match = languageString.match(grammar.injectionRegex);
- if (match) {
- const { length } = match[0];
- if (length > longestMatchLength) {
- grammarWithLongestMatch = grammar;
- longestMatchLength = length;
- }
+ let table = this.wasmTreeSitterGrammarsById;
+ for (let grammar of Object.values(table)) {
+ if (!grammar.injectionRegex) continue;
+ const match = languageString.match(grammar.injectionRegex);
+ if (match) {
+ const { length } = match[0];
+ if (length > longestMatchLength) {
+ grammarWithLongestMatch = grammar;
+ longestMatchLength = length;
}
}
}
diff --git a/src/initialize-test-window.js b/src/initialize-test-window.js
index 1d5098b4d3..e65577f2e6 100644
--- a/src/initialize-test-window.js
+++ b/src/initialize-test-window.js
@@ -10,7 +10,7 @@ function cloneObject(object) {
}
module.exports = async function({ blobStore }) {
- const { remote } = require('electron');
+ const remote = require('@electron/remote');
const getWindowLoadSettings = require('./get-window-load-settings');
const exitWithStatusCode = function(status) {
diff --git a/src/keymap-extensions.js b/src/keymap-extensions.js
index 9fdbe2b219..2ac207445b 100644
--- a/src/keymap-extensions.js
+++ b/src/keymap-extensions.js
@@ -1,6 +1,6 @@
const fs = require('fs-plus');
const path = require('path');
-const KeymapManager = require('atom-keymap');
+const KeymapManager = require('@pulsar-edit/atom-keymap');
const CSON = require('season');
const buildMetadata = require('../package.json');
@@ -9,19 +9,19 @@ if (buildMetadata != null) {
bundledKeymaps = buildMetadata._atomKeymaps;
}
-KeymapManager.prototype.onDidLoadBundledKeymaps = function(callback) {
+KeymapManager.prototype.onDidLoadBundledKeymaps = function (callback) {
return this.emitter.on('did-load-bundled-keymaps', callback);
};
-KeymapManager.prototype.onDidLoadUserKeymap = function(callback) {
+KeymapManager.prototype.onDidLoadUserKeymap = function (callback) {
return this.emitter.on('did-load-user-keymap', callback);
};
-KeymapManager.prototype.canLoadBundledKeymapsFromMemory = function() {
+KeymapManager.prototype.canLoadBundledKeymapsFromMemory = function () {
return bundledKeymaps != null;
};
-KeymapManager.prototype.loadBundledKeymaps = function() {
+KeymapManager.prototype.loadBundledKeymaps = function () {
if (bundledKeymaps != null) {
for (let keymapName in bundledKeymaps) {
const keymap = bundledKeymaps[keymapName];
@@ -35,7 +35,7 @@ KeymapManager.prototype.loadBundledKeymaps = function() {
return this.emitter.emit('did-load-bundled-keymaps');
};
-KeymapManager.prototype.getUserKeymapPath = function() {
+KeymapManager.prototype.getUserKeymapPath = function () {
if (this.configDirPath == null) {
return "";
}
@@ -46,7 +46,7 @@ KeymapManager.prototype.getUserKeymapPath = function() {
return path.join(this.configDirPath, 'keymap.cson');
};
-KeymapManager.prototype.loadUserKeymap = function() {
+KeymapManager.prototype.loadUserKeymap = function () {
const userKeymapPath = this.getUserKeymapPath();
if (!fs.isFileSync(userKeymapPath)) {
return;
@@ -73,7 +73,7 @@ KeymapManager.prototype.loadUserKeymap = function() {
return this.emitter.emit('did-load-user-keymap');
};
-KeymapManager.prototype.subscribeToFileReadFailure = function() {
+KeymapManager.prototype.subscribeToFileReadFailure = function () {
return this.onDidFailToReadFile((error) => {
const userKeymapPath = this.getUserKeymapPath();
const message = `Failed to load \`${userKeymapPath}\``;
diff --git a/src/main-process/atom-application.js b/src/main-process/atom-application.js
index 68a7e23e9a..a3ff0a0e54 100644
--- a/src/main-process/atom-application.js
+++ b/src/main-process/atom-application.js
@@ -1,6 +1,7 @@
const AtomWindow = require('./atom-window');
const ApplicationMenu = require('./application-menu');
const AtomProtocolHandler = require('./atom-protocol-handler');
+const { onDidChangeScrollbarStyle, getScrollbarStyle } = require('./scrollbar-style');
const StorageFolder = require('../storage-folder');
const Config = require('../config');
const ConfigFile = require('../config-file');
@@ -123,6 +124,10 @@ const decryptOptions = (optionsMessage, secret) => {
return JSON.parse(message);
};
+ipcMain.handle('getScrollbarStyle', () => {
+ return getScrollbarStyle();
+});
+
ipcMain.handle('isDefaultProtocolClient', (_, { protocol, path, args }) => {
return app.isDefaultProtocolClient(protocol, path, args);
});
@@ -130,6 +135,7 @@ ipcMain.handle('isDefaultProtocolClient', (_, { protocol, path, args }) => {
ipcMain.handle('setAsDefaultProtocolClient', (_, { protocol, path, args }) => {
return app.setAsDefaultProtocolClient(protocol, path, args);
});
+
// The application's singleton class.
//
// It's the entry point into the Pulsar application and maintains the global state
@@ -440,12 +446,16 @@ module.exports = class AtomApplication extends EventEmitter {
if (!window.isSpec) {
const focusHandler = () => this.windowStack.touch(window);
const blurHandler = () => this.saveCurrentWindowOptions(false);
+ const scrollbarStyleChangeDisposable = onDidChangeScrollbarStyle((newValue) => {
+ window.browserWindow.webContents.send('did-change-scrollbar-style', newValue);
+ });
window.browserWindow.on('focus', focusHandler);
window.browserWindow.on('blur', blurHandler);
window.browserWindow.once('closed', () => {
this.windowStack.removeWindow(window);
window.browserWindow.removeListener('focus', focusHandler);
window.browserWindow.removeListener('blur', blurHandler);
+ scrollbarStyleChangeDisposable.dispose();
});
window.browserWindow.webContents.once('did-finish-load', blurHandler);
this.saveCurrentWindowOptions(false);
@@ -600,7 +610,7 @@ module.exports = class AtomApplication extends EventEmitter {
this.on('application:open', () => {
const win = this.focusedWindow();
- if(win) {
+ if (win) {
win.sendCommand('application:open')
} else {
this.promptForPathToOpen(
@@ -611,7 +621,7 @@ module.exports = class AtomApplication extends EventEmitter {
});
this.on('application:open-file', () => {
const win = this.focusedWindow();
- if(win) {
+ if (win) {
win.sendCommand('application:open-file')
} else {
this.promptForPathToOpen(
@@ -622,7 +632,7 @@ module.exports = class AtomApplication extends EventEmitter {
});
this.on('application:open-folder', () => {
const win = this.focusedWindow();
- if(win) {
+ if (win) {
win.sendCommand('application:open-folder')
} else {
this.promptForPathToOpen(
@@ -1763,10 +1773,12 @@ module.exports = class AtomApplication extends EventEmitter {
let atomTestRunner = packageMetadata.atomTestRunner;
if (!atomTestRunner) {
- process.stdout.write('atomTestRunner was not defined, using the deprecated runners/jasmine1-test-runner.');
+ process.stdout.write('atomTestRunner was not defined, using the deprecated runners/jasmine1-test-runner.\n');
atomTestRunner = 'runners/jasmine1-test-runner';
}
+ process.stdout.write(`Using test runner: ${atomTestRunner}\n`)
+
let testRunnerPath;
Resolve ||= require('resolve');
diff --git a/src/main-process/atom-window.js b/src/main-process/atom-window.js
index 1e7ddd3974..134823ba13 100644
--- a/src/main-process/atom-window.js
+++ b/src/main-process/atom-window.js
@@ -1,3 +1,6 @@
+const electronRemote = require('@electron/remote/main')
+electronRemote.initialize()
+
const {
BrowserWindow,
app,
@@ -57,13 +60,11 @@ module.exports = class AtomWindow extends EventEmitter {
// Disable the `auxclick` feature so that `click` events are triggered in
// response to a middle-click.
// (Ref: https://github.com/atom/atom/pull/12696#issuecomment-290496960)
- disableBlinkFeatures: 'Auxclick',
+ disableBlinkFeatures: 'Auxclick,ObservableAPI',
nodeIntegration: true,
contextIsolation: false,
webviewTag: true,
- // TodoElectronIssue: remote module is deprecated https://www.electronjs.org/docs/breaking-changes#default-changed-enableremotemodule-defaults-to-false
- enableRemoteModule: true,
// node support in threads
nodeIntegrationInWorker: true
},
@@ -92,6 +93,7 @@ module.exports = class AtomWindow extends EventEmitter {
const BrowserWindowConstructor =
settings.browserWindowConstructor || BrowserWindow;
this.browserWindow = new BrowserWindowConstructor(options);
+ electronRemote.enable(this.browserWindow.webContents)
Object.defineProperty(this.browserWindow, 'loadSettingsJSON', {
get: () =>
@@ -348,6 +350,7 @@ module.exports = class AtomWindow extends EventEmitter {
NODE_ENV,
NODE_PATH,
ATOM_HOME,
+ ATOM_CHANNEL,
ATOM_DISABLE_SHELLING_OUT_FOR_ENVIRONMENT
} = env;
@@ -355,6 +358,7 @@ module.exports = class AtomWindow extends EventEmitter {
NODE_ENV,
NODE_PATH,
ATOM_HOME,
+ ATOM_CHANNEL,
ATOM_DISABLE_SHELLING_OUT_FOR_ENVIRONMENT
});
}
diff --git a/src/main-process/parse-command-line.js b/src/main-process/parse-command-line.js
index 6eace2f151..5009be07b0 100644
--- a/src/main-process/parse-command-line.js
+++ b/src/main-process/parse-command-line.js
@@ -65,6 +65,12 @@ module.exports = function parseCommandLine(processArgs) {
'profile-startup',
'Create a profile of the startup execution time.'
);
+ options
+ .boolean('crashdump')
+ .describe(
+ 'crashdump',
+ 'Generate a crashdump in ~/.pulsar/crashdumps in the event of a crash.'
+ );
options
.alias('r', 'resource-path')
.string('r')
@@ -183,6 +189,7 @@ module.exports = function parseCommandLine(processArgs) {
const mainProcess = args['main-process'];
const timeout = args['timeout'];
const newWindow = args['new-window'];
+ const useCrashReporter = args['crashdump'];
let executedFrom = null;
if (args['executed-from'] && args['executed-from'].toString()) {
executedFrom = args['executed-from'].toString();
@@ -253,6 +260,7 @@ module.exports = function parseCommandLine(processArgs) {
clearWindowState,
addToLastWindow,
mainProcess,
+ useCrashReporter,
benchmark,
benchmarkTest,
env: process.env
diff --git a/src/main-process/scrollbar-style.js b/src/main-process/scrollbar-style.js
new file mode 100644
index 0000000000..c75fe33b7a
--- /dev/null
+++ b/src/main-process/scrollbar-style.js
@@ -0,0 +1,79 @@
+const { EventEmitter } = require('events');
+const { Disposable } = require('event-kit');
+const { systemPreferences } = require('electron');
+
+// We've written a small Node module to help us get this value from macOS.
+//
+// We could have each window `require` it directly, but that doesn't get us
+// much:
+//
+// * It's used in only one place — the root workspace element observes this
+// value and reacts by setting a class name on itself.
+// * For that reason, community packages don't need to consume it; they can
+// read that same class name.
+// * It's a native module — a trivial one, sure, but life is still easier if we
+// try to keep those in the main process absent a compelling reason not to.
+// * The renderer can still imperatively get the scrollbar style; it just has
+// to go (briefly) async to do it.
+const getScrollbarStyle = require('@pulsar-edit/get-scrollbar-style');
+
+let subscriptionId;
+const EMITTER = new EventEmitter();
+
+function observeScrollbarStyle(callback) {
+ callback(getScrollbarStyle());
+ return onDidChangeScrollbarStyle(callback);
+}
+
+function onDidChangeScrollbarStyle(callback) {
+ EMITTER.on('did-change-scrollbar-style', callback);
+ return new Disposable(() => {
+ EMITTER.off('did-change-scrollbar-style', callback);
+ });
+}
+
+function initialize() {
+ // Scrollbar style is a macOS-only thing, so other platforms don't need to
+ // bother with it.
+ if (process.platform !== 'darwin') return;
+ subscriptionId = systemPreferences.subscribeLocalNotification(
+ 'NSPreferredScrollerStyleDidChangeNotification',
+ (event, userInfo, object) => {
+ console.log('[scrollbar-style] Metadata:', event, userInfo, object);
+ EMITTER.emit(
+ 'did-change-scrollbar-style',
+ valueForNSScrollerStyle(userInfo.NSScrollerStyle)
+ );
+ }
+ );
+}
+
+// Turns raw enum values into string equivalents.
+function valueForNSScrollerStyle(value) {
+ switch (value) {
+ case 0:
+ return 'legacy';
+ case 1:
+ return 'overlay';
+ default:
+ // The native module returns `unknown` for values it doesn't recognize,
+ // so we'll do the same. This would only happen if macOS added other
+ // scrollbar styles in the future.
+ return 'unknown';
+ }
+}
+
+function destroy() {
+ if (subscriptionId) {
+ systemPreferences.unsubscribeNotification(subscriptionId);
+ }
+}
+
+initialize();
+
+module.exports = {
+ observeScrollbarStyle,
+ onDidChangeScrollbarStyle,
+ getScrollbarStyle,
+ destroy
+};
diff --git a/src/main-process/start.js b/src/main-process/start.js
index 829aba60ae..35e86ae016 100644
--- a/src/main-process/start.js
+++ b/src/main-process/start.js
@@ -1,4 +1,4 @@
-const { app } = require('electron');
+const { app, crashReporter } = require('electron');
const path = require('path');
const temp = require('temp');
const parseCommandLine = require('./parse-command-line');
@@ -15,7 +15,7 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
global.shellStartTime = startTime;
StartupTime.addMarker('main-process:start');
- process.on('uncaughtException', function(error = {}) {
+ process.on('uncaughtException', function (error = {}) {
if (error.message != null) {
console.log(error.message);
}
@@ -25,7 +25,7 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
}
});
- process.on('unhandledRejection', function(error = {}) {
+ process.on('unhandledRejection', function (error = {}) {
if (error.message != null) {
console.log(error.message);
}
@@ -35,9 +35,6 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
}
});
- // TodoElectronIssue this should be set to true before Electron 12 - https://github.com/electron/electron/issues/18397
- app.allowRendererProcessReuse = false;
-
app.commandLine.appendSwitch('enable-experimental-web-platform-features');
const args = parseCommandLine(process.argv.slice(1));
@@ -45,9 +42,38 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
args.resourcePath = normalizeDriveLetterName(resourcePath);
args.devResourcePath = normalizeDriveLetterName(devResourcePath);
+ const releaseChannel = getReleaseChannel(app.getVersion());
+ process.env.ATOM_CHANNEL ??= releaseChannel;
atomPaths.setAtomHome(app.getPath('home'));
atomPaths.setUserData(app);
+ // Now that we can be sure `ATOM_HOME` is set, we can set our custom crash
+ // dump path.
+ app.setPath('crashDumps', path.resolve(process.env.ATOM_HOME, 'crashdumps'))
+
+ // By default, we're using the crash reporter on Windows and Linux, but not
+ // macOS. That's because:
+ //
+ // * macOS already generates great crash reports with stacktraces
+ // (Console.app -> Crash Reports);
+ // * if we enable crash reporting, thse crash reports stop being generated,
+ // even when `ignoreSystemCrashHandler` is `false`.
+ //
+ // Still, it's nice to have a way to opt into the crash reporter even on
+ // macOS. Hence the `--crashdump` command-line switch.
+ let shouldStartCrashReporter = args.useCrashReporter || process.platform !== 'darwin';
+ if (shouldStartCrashReporter) {
+ console.log("Starting crash reporter; crash reports will be saved to", app.getPath('crashDumps'))
+ crashReporter.start({
+ productName: 'Pulsar',
+ companyName: 'Pulsar-Edit',
+ submitURL: '',
+ uploadToServer: false,
+ ignoreSystemCrashHandler: false,
+ compress: false
+ });
+ }
+
const config = getConfig();
const colorProfile = config.get('core.colorProfile');
if (colorProfile && colorProfile !== 'default') {
@@ -59,7 +85,7 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
'userData',
temp.mkdirSync('atom-user-data-dir-for-main-process-tests')
);
- app.on('ready', function() {
+ app.on('ready', function () {
const testRunner = require(path.join(
args.resourcePath,
'spec/main-process/mocha-test-runner'
@@ -69,7 +95,6 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
return;
}
- const releaseChannel = getReleaseChannel(app.getVersion());
let appUserModelId = 'dev.pulsar-edit.pulsar.' + process.arch;
// If the release channel is not stable, we append it to the app user model id.
@@ -101,7 +126,7 @@ module.exports = function start(resourcePath, devResourcePath, startTime) {
}
StartupTime.addMarker('main-process:electron-onready:start');
- app.on('ready', function() {
+ app.on('ready', function () {
StartupTime.addMarker('main-process:electron-onready:end');
app.removeListener('open-file', addPathToOpen);
app.removeListener('open-url', addUrlToOpen);
diff --git a/src/native-watcher-registry.js b/src/native-watcher-registry.js
index 54f2cdcd4b..8fd37087b0 100644
--- a/src/native-watcher-registry.js
+++ b/src/native-watcher-registry.js
@@ -8,34 +8,40 @@ function absolute(...parts) {
: path.join(path.sep, candidate);
}
-// Private: Map userland filesystem watcher subscriptions efficiently to deliver filesystem change notifications to
-// each watcher with the most efficient coverage of native watchers.
+// Private: Map userland filesystem watcher subscriptions efficiently to
+// deliver filesystem change notifications to each watcher with the most
+// efficient coverage of native watchers.
//
-// * If two watchers subscribe to the same directory, use a single native watcher for each.
-// * Re-use a native watcher watching a parent directory for a watcher on a child directory. If the parent directory
-// watcher is removed, it will be split into child watchers.
-// * If any child directories already being watched, stop and replace them with a watcher on the parent directory.
+// * If two watchers subscribe to the same directory, use a single native
+// watcher for each.
+// * Re-use a native watcher watching a parent directory for a watcher on a
+// child directory. If the parent directory watcher is removed, it will be
+// split into child watchers.
+// * If any child directories already being watched, stop and replace them with
+// a watcher on the parent directory.
//
// Uses a trie whose structure mirrors the directory structure.
class RegistryTree {
// Private: Construct a tree with no native watchers.
//
- // * `basePathSegments` the position of this tree's root relative to the filesystem's root as an {Array} of directory
- // names.
- // * `createNative` {Function} used to construct new native watchers. It should accept an absolute path as an argument
- // and return a new {NativeWatcher}.
+ // * `basePathSegments` the position of this tree's root relative to the
+ // filesystem's root as an {Array} of directory names.
+ // * `createNative` {Function} used to construct new native watchers. It
+ // should accept an absolute path as an argument and return a new
+ // {NativeWatcher}.
constructor(basePathSegments, createNative) {
this.basePathSegments = basePathSegments;
this.root = new RegistryNode();
this.createNative = createNative;
}
- // Private: Identify the native watcher that should be used to produce events at a watched path, creating a new one
- // if necessary.
+ // Private: Identify the native watcher that should be used to produce events
+ // at a watched path, creating a new one if necessary.
//
- // * `pathSegments` the path to watch represented as an {Array} of directory names relative to this {RegistryTree}'s
- // root.
- // * `attachToNative` {Function} invoked with the appropriate native watcher and the absolute path to its watch root.
+ // * `pathSegments` the path to watch represented as an {Array} of directory
+ // names relative to this {RegistryTree}'s root.
+ // * `attachToNative` {Function} invoked with the appropriate native watcher
+ // and the absolute path to its watch root.
add(pathSegments, attachToNative) {
const absolutePathSegments = this.basePathSegments.concat(pathSegments);
const absolutePath = absolute(...absolutePathSegments);
diff --git a/src/package-manager.js b/src/package-manager.js
index 23a8e904dc..4fb6d8a36f 100644
--- a/src/package-manager.js
+++ b/src/package-manager.js
@@ -177,12 +177,19 @@ module.exports = class PackageManager {
return this.emitter.on('did-unload-package', callback);
}
+ // Returns the command needed to invoke PPM for the current release channel.
+ static getCommandName() {
+ let releaseChannel = atom.getReleaseChannel();
+ let commandName = releaseChannel === 'next' ? 'ppm-next' : 'ppm';
+ return process.platform === 'win32' ? `${commandName}.cmd` : commandName;
+ }
+
static possibleApmPaths(configPath) {
if (process.env.APM_PATH || configPath) {
return process.env.APM_PATH || configPath;
}
- const commandName = process.platform === 'win32' ? 'apm.cmd' : 'apm';
+ const commandName = this.getCommandName();
const bundledPPMRoot = path.join(process.resourcesPath, 'app', 'ppm', 'bin', commandName);
const unbundledPPMRoot = path.join(__dirname, '..', 'ppm', 'bin', commandName);
@@ -208,7 +215,7 @@ module.exports = class PackageManager {
return configPath || this.apmPath;
} else {
this.apmPath = PackageManager.possibleApmPaths();
- return this.apmPath
+ return this.apmPath;
}
}
diff --git a/src/path-watcher.js b/src/path-watcher.js
index 19752da278..5af9dc557f 100644
--- a/src/path-watcher.js
+++ b/src/path-watcher.js
@@ -5,24 +5,27 @@ const { Emitter, Disposable, CompositeDisposable } = require('event-kit');
const nsfw = require('nsfw');
const { NativeWatcherRegistry } = require('./native-watcher-registry');
-// Private: Associate native watcher action flags with descriptive String equivalents.
+// Private: Associate native watcher action flags with descriptive String
+// equivalents.
const ACTION_MAP = new Map([
[nsfw.actions.MODIFIED, 'modified'],
- [nsfw.actions.CREATED, 'created'],
- [nsfw.actions.DELETED, 'deleted'],
- [nsfw.actions.RENAMED, 'renamed']
+ [nsfw.actions.CREATED, 'created' ],
+ [nsfw.actions.DELETED, 'deleted' ],
+ [nsfw.actions.RENAMED, 'renamed' ]
]);
// Private: Possible states of a {NativeWatcher}.
const WATCHER_STATE = {
- STOPPED: Symbol('stopped'),
+ STOPPED: Symbol('stopped'),
STARTING: Symbol('starting'),
- RUNNING: Symbol('running'),
+ RUNNING: Symbol('running'),
STOPPING: Symbol('stopping')
};
-// Private: Interface with and normalize events from a filesystem watcher implementation.
+// Private: Interface with and normalize events from a filesystem watcher
+// implementation.
class NativeWatcher {
+
// Private: Initialize a native watcher on a path.
//
// Events will not be produced until {start()} is called.
@@ -135,7 +138,6 @@ class NativeWatcher {
await this.doStop();
this.state = WATCHER_STATE.STOPPED;
-
this.emitter.emit('did-stop');
}
@@ -148,15 +150,17 @@ class NativeWatcher {
this.emitter.dispose();
}
- // Private: Callback function invoked by the native watcher when a debounced group of filesystem events arrive.
- // Normalize and re-broadcast them to any subscribers.
+ // Private: Callback function invoked by the native watcher when a debounced
+ // group of filesystem events arrive. Normalize and re-broadcast them to any
+ // subscribers.
//
// * `events` An Array of filesystem events.
onEvents(events) {
this.emitter.emit('did-change', events);
}
- // Private: Callback function invoked by the native watcher when an error occurs.
+ // Private: Callback function invoked by the native watcher when an error
+ // occurs.
//
// * `err` The native filesystem error.
onError(err) {
@@ -164,9 +168,10 @@ class NativeWatcher {
}
}
-// Private: Implement a native watcher by translating events from an NSFW watcher.
+// Private: Implement a native watcher by translating events from an NSFW
+// watcher.
class NSFWNativeWatcher extends NativeWatcher {
- async doStart(rootPath, eventCallback, errorCallback) {
+ async doStart(_rootPath, _eventCallback, _errorCallback) {
const handler = events => {
this.onEvents(
events.map(event => {
@@ -205,14 +210,16 @@ class NSFWNativeWatcher extends NativeWatcher {
}
}
-// Extended: Manage a subscription to filesystem events that occur beneath a root directory. Construct these by
-// calling `watchPath`. To watch for events within active project directories, use {Project::onDidChangeFiles}
-// instead.
+// Extended: Manage a subscription to filesystem events that occur beneath a
+// root directory. Construct these by calling `watchPath`. To watch for events
+// within active project directories, use {Project::onDidChangeFiles} instead.
//
-// Multiple PathWatchers may be backed by a single native watcher to conserve operation system resources.
+// Multiple PathWatchers may be backed by a single native watcher to conserve
+// operation system resources.
//
-// Call {::dispose} to stop receiving events and, if possible, release underlying resources. A PathWatcher may be
-// added to a {CompositeDisposable} to manage its lifetime along with other {Disposable} resources like event
+// Call {::dispose} to stop receiving events and, if possible, release
+// underlying resources. A PathWatcher may be added to a {CompositeDisposable}
+// to manage its lifetime along with other {Disposable} resources like event
// subscriptions.
//
// ```js
@@ -241,19 +248,24 @@ class NSFWNativeWatcher extends NativeWatcher {
//
// `watchPath` accepts the following arguments:
//
-// `rootPath` {String} specifies the absolute path to the root of the filesystem content to watch.
-//
-// `options` Control the watcher's behavior. Currently a placeholder.
-//
-// `eventCallback` {Function} to be called each time a batch of filesystem events is observed. Each event object has
-// the keys: `action`, a {String} describing the filesystem action that occurred, one of `"created"`, `"modified"`,
-// `"deleted"`, or `"renamed"`; `path`, a {String} containing the absolute path to the filesystem entry that was acted
-// upon; for rename events only, `oldPath`, a {String} containing the filesystem entry's former absolute path.
+// * `rootPath` {String} specifies the absolute path to the root of the
+// filesystem content to watch.
+// * `options` Control the watcher's behavior. Currently a placeholder.
+// * `eventCallback` {Function} to be called each time a batch of filesystem
+// events is observed. Each event object has the keys:
+// * `action`, a {String} describing the filesystem action that occurred, one
+// of `"created"`, `"modified"`, `"deleted"`, or `"renamed"`;
+// * `path`, a {String} containing the absolute path to the filesystem entry
+// that was acted upon;
+// * `oldPath` (for `renamed` events only), a {String} containing the
+// filesystem entry's former absolute path.
class PathWatcher {
// Private: Instantiate a new PathWatcher. Call {watchPath} instead.
//
- // * `nativeWatcherRegistry` {NativeWatcherRegistry} used to find and consolidate redundant watchers.
- // * `watchedPath` {String} containing the absolute path to the root of the watched filesystem tree.
+ // * `nativeWatcherRegistry` {NativeWatcherRegistry} used to find and
+ // consolidate redundant watchers.
+ // * `watchedPath` {String} containing the absolute path to the root of the
+ // watched filesystem tree.
// * `options` See {watchPath} for options.
//
constructor(nativeWatcherRegistry, watchedPath, options) {
@@ -291,20 +303,24 @@ class PathWatcher {
this.subs = new CompositeDisposable();
}
- // Private: Return a {Promise} that will resolve with the normalized root path.
+ // Private: Return a {Promise} that will resolve with the normalized root
+ // path.
getNormalizedPathPromise() {
return this.normalizedPathPromise;
}
- // Private: Return a {Promise} that will resolve the first time that this watcher is attached to a native watcher.
+ // Private: Return a {Promise} that will resolve the first time that this
+ // watcher is attached to a native watcher.
getAttachedPromise() {
return this.attachedPromise;
}
- // Extended: Return a {Promise} that will resolve when the underlying native watcher is ready to begin sending events.
- // When testing filesystem watchers, it's important to await this promise before making filesystem changes that you
- // intend to assert about because there will be a delay between the instantiation of the watcher and the activation
- // of the underlying OS resources that feed its events.
+ // Extended: Return a {Promise} that will resolve when the underlying native
+ // watcher is ready to begin sending events. When testing filesystem
+ // watchers, it's important to await this promise before making filesystem
+ // changes that you intend to assert about because there will be a delay
+ // between the instantiation of the watcher and the activation of the
+ // underlying OS resources that feed its events.
//
// PathWatchers acquired through `watchPath` are already started.
//
@@ -328,12 +344,14 @@ class PathWatcher {
return this.startPromise;
}
- // Private: Attach another {Function} to be called with each batch of filesystem events. See {watchPath} for the
- // spec of the callback's argument.
+ // Private: Attach another {Function} to be called with each batch of
+ // filesystem events. See {watchPath} for the spec of the callback's
+ // argument.
//
// * `callback` {Function} to be called with each batch of filesystem events.
//
- // Returns a {Disposable} that will stop the underlying watcher when all callbacks mapped to it have been disposed.
+ // Returns a {Disposable} that will stop the underlying watcher when all
+ // callbacks mapped to it have been disposed.
onDidChange(callback) {
if (this.native) {
const sub = this.native.onDidChange(events =>
@@ -356,7 +374,8 @@ class PathWatcher {
});
}
- // Extended: Invoke a {Function} when any errors related to this watcher are reported.
+ // Extended: Invoke a {Function} when any errors related to this watcher are
+ // reported.
//
// * `callback` {Function} to be called when an error occurs.
// * `err` An {Error} describing the failure condition.
@@ -366,7 +385,8 @@ class PathWatcher {
return this.emitter.on('did-error', callback);
}
- // Private: Wire this watcher to an operating system-level native watcher implementation.
+ // Private: Wire this watcher to an operating system-level native watcher
+ // implementation.
attachToNative(native) {
this.subs.dispose();
this.native = native;
@@ -398,6 +418,8 @@ class PathWatcher {
this.subs.add(
native.onShouldDetach(({ replacement, watchedPath }) => {
+ // Don't re-attach if the entire environment is disposing.
+ if (atom.isDestroying) return;
if (
this.native === native &&
replacement !== native &&
@@ -449,9 +471,10 @@ class PathWatcher {
return result;
}
- // Private: Invoked when the attached native watcher creates a batch of native filesystem events. The native watcher's
- // events may include events for paths above this watcher's root path, so filter them to only include the relevant
- // ones, then re-broadcast them to our subscribers.
+ // Private: Invoked when the attached native watcher creates a batch of
+ // native filesystem events. The native watcher's events may include events
+ // for paths above this watcher's root path, so filter them to only include
+ // the relevant ones, then re-broadcast them to our subscribers.
onNativeEvents(events, callback) {
const isWatchedPath = eventPath =>
eventPath.startsWith(this.normalizedPath);
@@ -491,9 +514,11 @@ class PathWatcher {
}
}
- // Extended: Unsubscribe all subscribers from filesystem events. Native resources will be released asynchronously,
- // but this watcher will stop broadcasting events immediately.
+ // Extended: Unsubscribe all subscribers from filesystem events. Native
+ // resources will be released asynchronously, but this watcher will stop
+ // broadcasting events immediately.
dispose() {
+ this.disposing = true;
for (const sub of this.changeCallbacks.values()) {
sub.dispose();
}
@@ -503,10 +528,11 @@ class PathWatcher {
}
}
-// Private: Globally tracked state used to de-duplicate related [PathWatchers]{PathWatcher} backed by emulated Pulsar
-// events or NSFW.
+// Private: Globally tracked state used to de-duplicate related
+// [PathWatchers]{PathWatcher} backed by emulated Pulsar events or NSFW.
class PathWatcherManager {
- // Private: Access the currently active manager instance, creating one if necessary.
+ // Private: Access the currently active manager instance, creating one if
+ // necessary.
static active() {
if (!this.activeManager) {
this.activeManager = new PathWatcherManager(
@@ -522,8 +548,8 @@ class PathWatcherManager {
return this.activeManager;
}
- // Private: Replace the active {PathWatcherManager} with a new one that creates [NativeWatchers]{NativeWatcher}
- // based on the value of `setting`.
+ // Private: Replace the active {PathWatcherManager} with a new one that
+ // creates [NativeWatchers]{NativeWatcher} based on the value of `setting`.
static async transitionTo(setting) {
const current = this.active();
@@ -602,7 +628,8 @@ class PathWatcherManager {
// Private: Stop all living watchers.
//
- // Returns a {Promise} that resolves when all native watcher resources are disposed.
+ // Returns a {Promise} that resolves when all native watcher resources are
+ // disposed.
stopAllWatchers() {
return Promise.all(Array.from(this.live, ([, w]) => w.stop()));
}
@@ -667,8 +694,9 @@ function watchPath(rootPath, options, eventCallback) {
);
}
-// Private: Return a Promise that resolves when all {NativeWatcher} instances associated with a FileSystemManager
-// have stopped listening. This is useful for `afterEach()` blocks in unit tests.
+// Private: Return a Promise that resolves when all {NativeWatcher} instances
+// associated with a FileSystemManager have stopped listening. This is useful
+// for `afterEach()` blocks in unit tests.
function stopAllWatchers() {
return PathWatcherManager.active().stopAllWatchers();
}
diff --git a/src/project.js b/src/project.js
index 3b887b1e87..8a841b1517 100644
--- a/src/project.js
+++ b/src/project.js
@@ -3,7 +3,7 @@ const path = require('path');
const _ = require('underscore-plus');
const fs = require('fs-plus');
const { Emitter, Disposable, CompositeDisposable } = require('event-kit');
-const TextBuffer = require('text-buffer');
+const TextBuffer = require('@pulsar-edit/text-buffer');
const { watchPath } = require('./path-watcher');
const DefaultDirectoryProvider = require('./default-directory-provider');
@@ -162,7 +162,7 @@ module.exports = class Project extends Model {
deserializer: 'Project',
paths: this.getPaths(),
buffers: _.compact(
- this.buffers.map(function(buffer) {
+ this.buffers.map(function (buffer) {
if (buffer.isRetained()) {
const isUnloading = options.isUnloading === true;
return buffer.serialize({
diff --git a/src/replace-handler.js b/src/replace-handler.js
index 2b78286ccb..467e3161df 100644
--- a/src/replace-handler.js
+++ b/src/replace-handler.js
@@ -1,6 +1,6 @@
-const {PathReplacer} = require('scandal');
+const {PathReplacer} = require('@pulsar-edit/scandal');
-module.exports = function(filePaths, regexSource, regexFlags, replacementText) {
+module.exports = function (filePaths, regexSource, regexFlags, replacementText) {
const callback = this.async();
const replacer = new PathReplacer();
const regex = new RegExp(regexSource, regexFlags);
diff --git a/src/scan-handler.js b/src/scan-handler.js
index 92c806370e..5d13d14d12 100644
--- a/src/scan-handler.js
+++ b/src/scan-handler.js
@@ -1,17 +1,17 @@
const path = require("path");
const async = require("async");
-const {PathSearcher, PathScanner, search} = require('scandal');
+const {PathSearcher, PathScanner, search} = require('@pulsar-edit/scandal');
-module.exports = function(rootPaths, regexSource, options, searchOptions = {}) {
+module.exports = function (rootPaths, regexSource, options, searchOptions = {}) {
const callback = this.async();
const PATHS_COUNTER_SEARCHED_CHUNK = 50;
var pathsSearched = 0;
var searcher = new PathSearcher(searchOptions);
- searcher.on('file-error', function({code, path, message}) {
+ searcher.on('file-error', function ({code, path, message}) {
return emit('scan:file-error', {code, path, message});
});
- searcher.on('results-found', function(result) {
+ searcher.on('results-found', function (result) {
return emit('scan:result-found', result);
});
let flags = "g";
@@ -19,26 +19,26 @@ module.exports = function(rootPaths, regexSource, options, searchOptions = {}) {
flags += "i";
}
var regex = new RegExp(regexSource, flags);
- return async.each(rootPaths, function(rootPath, next) {
+ return async.each(rootPaths, function (rootPath, next) {
const options2 = Object.assign({}, options, {
inclusions: processPaths(rootPath, options.inclusions),
globalExclusions: processPaths(rootPath, options.globalExclusions)
});
const scanner = new PathScanner(rootPath, options2);
- scanner.on('path-found', function() {
+ scanner.on('path-found', function () {
pathsSearched++;
if (pathsSearched % PATHS_COUNTER_SEARCHED_CHUNK === 0) {
emit('scan:paths-searched', pathsSearched);
}
});
- search(regex, scanner, searcher, function() {
+ search(regex, scanner, searcher, function () {
emit('scan:paths-searched', pathsSearched);
next();
});
}, callback);
};
-var processPaths = function(rootPath, paths) {
+var processPaths = function (rootPath, paths) {
if (paths == null || paths.length == 0) {
return paths;
}
diff --git a/src/scope-resolver.js b/src/scope-resolver.js
index 511c3ebf91..95e5ff6849 100644
--- a/src/scope-resolver.js
+++ b/src/scope-resolver.js
@@ -1,5 +1,5 @@
const { CompositeDisposable } = require('event-kit');
-const { Point } = require('text-buffer');
+const { Point } = require('@pulsar-edit/text-buffer');
const ScopeDescriptor = require('./scope-descriptor');
// TODO: These utility functions are duplicated between this file and
diff --git a/src/selection.js b/src/selection.js
index 8b1540272c..12c854d2a7 100644
--- a/src/selection.js
+++ b/src/selection.js
@@ -1,4 +1,4 @@
-const { Point, Range } = require('text-buffer');
+const { Point, Range } = require('@pulsar-edit/text-buffer');
const { pick } = require('underscore-plus');
const { Emitter } = require('event-kit');
diff --git a/src/text-editor-component.js b/src/text-editor-component.js
index ffea2cd530..b45c4c8f05 100644
--- a/src/text-editor-component.js
+++ b/src/text-editor-component.js
@@ -1,5 +1,5 @@
const etch = require('etch');
-const { Point, Range } = require('text-buffer');
+const { Point, Range } = require('@pulsar-edit/text-buffer');
const LineTopIndex = require('line-top-index');
const TextEditor = require('./text-editor');
const { isPairedCharacter, hasRtlText } = require('./text-utils');
@@ -762,10 +762,25 @@ module.exports = class TextEditorComponent {
className: 'line dummy',
style: { position: 'absolute', visibility: 'hidden' }
},
- $.span({ ref: 'normalWidthCharacterSpan' }, NORMAL_WIDTH_CHARACTER),
- $.span({ ref: 'doubleWidthCharacterSpan' }, DOUBLE_WIDTH_CHARACTER),
- $.span({ ref: 'halfWidthCharacterSpan' }, HALF_WIDTH_CHARACTER),
- $.span({ ref: 'koreanCharacterSpan' }, KOREAN_CHARACTER)
+ // We used to put each of these characters inside the same block-level
+ // element, but that resulted in different, less-accurate measurements
+ // than when they each exist in isolation.
+ $.div(
+ {},
+ $.span({ ref: 'normalWidthCharacterSpan' }, NORMAL_WIDTH_CHARACTER)
+ ),
+ $.div(
+ {},
+ $.span({ ref: 'doubleWidthCharacterSpan' }, DOUBLE_WIDTH_CHARACTER)
+ ),
+ $.div(
+ {},
+ $.span({ ref: 'halfWidthCharacterSpan' }, HALF_WIDTH_CHARACTER)
+ ),
+ $.div(
+ {},
+ $.span({ ref: 'koreanCharacterSpan' }, KOREAN_CHARACTER)
+ )
);
}
@@ -2065,7 +2080,7 @@ module.exports = class TextEditorComponent {
}
this.handleMouseDragUntilMouseUp({
- didDrag: event => {
+ didDrag: (event) => {
this.autoscrollOnMouseDrag(event);
const screenPosition = this.screenPositionForMouseEvent(event);
model.selectToScreenPosition(screenPosition, {
@@ -2238,12 +2253,24 @@ module.exports = class TextEditorComponent {
let scrolled = false;
if (yDelta != null) {
- const scaledDelta = scaleMouseDragAutoscrollDelta(yDelta) * yDirection;
+ let scaledDelta = scaleMouseDragAutoscrollDelta(yDelta) * yDirection;
+ // Snap the delta to physical pixels, but do so in the direction of the
+ // scroll. Err on the side of moving more in that direction rather than
+ // less.
+ scaledDelta = yDirection === 1 ?
+ ceilToPhysicalPixelBoundary(scaledDelta) :
+ floorToPhysicalPixelBoundary(scaledDelta);
scrolled = this.setScrollTop(this.getScrollTop() + scaledDelta);
}
if (!verticalOnly && xDelta != null) {
- const scaledDelta = scaleMouseDragAutoscrollDelta(xDelta) * xDirection;
+ let scaledDelta = scaleMouseDragAutoscrollDelta(xDelta) * xDirection;
+ // Snap the delta to physical pixels, but do so in the direction of the
+ // scroll. Err on the side of moving more in that direction rather than
+ // less.
+ scaledDelta = xDirection === 1 ?
+ ceilToPhysicalPixelBoundary(scaledDelta) :
+ floorToPhysicalPixelBoundary(scaledDelta);
scrolled = this.setScrollLeft(this.getScrollLeft() + scaledDelta);
}
@@ -2483,8 +2510,12 @@ module.exports = class TextEditorComponent {
measureCharacterDimensions() {
this.measurements.lineHeight = Math.max(
1,
- this.refs.characterMeasurementLine.getBoundingClientRect().height
+ // Each of the four characters below exists inside its own block-level
+ // element, but each of those containers should have the same height. We
+ // don't need to check more than one.
+ this.refs.normalWidthCharacterSpan.parentNode.getBoundingClientRect().height
);
+
this.measurements.baseCharacterWidth = this.refs.normalWidthCharacterSpan.getBoundingClientRect().width;
this.measurements.doubleWidthCharacterWidth = this.refs.doubleWidthCharacterSpan.getBoundingClientRect().width;
this.measurements.halfWidthCharacterWidth = this.refs.halfWidthCharacterSpan.getBoundingClientRect().width;
@@ -2799,7 +2830,19 @@ module.exports = class TextEditorComponent {
inherentRange.startOffset,
textNodes
);
- return Point(row, column);
+
+ // As a final sanity check, grab this range's bounding DOMRect and ensure
+ // it actually contains the point in question.
+ //
+ // TODO: `caretRangeFromPoint` is incredibly convenient, but this sanity
+ // check is required in order to work around a strange behavior that
+ // produced a test suite failure. If any further quirks emerge, it might
+ // eventually be worth it to skip `caretRangeFromPoint` and go straight
+ // to the fallback approach.
+ let { top, bottom } = inherentRange.getBoundingClientRect();
+ if (targetClientTop >= top && targetClientTop <= bottom) {
+ return Point(row, column);
+ }
}
// SECOND STRATEGY:
@@ -3415,7 +3458,7 @@ module.exports = class TextEditorComponent {
setScrollTop(scrollTop) {
if (Number.isNaN(scrollTop) || scrollTop == null) return false;
- scrollTop = roundToPhysicalPixelBoundary(
+ scrollTop = ceilToPhysicalPixelBoundary(
Math.max(0, Math.min(this.getMaxScrollTop(), scrollTop))
);
if (scrollTop !== this.scrollTop) {
@@ -5617,3 +5660,11 @@ function ceilToPhysicalPixelBoundary(virtualPixelPosition) {
virtualPixelsPerPhysicalPixel
);
}
+
+function floorToPhysicalPixelBoundary(virtualPixelPosition) {
+ const virtualPixelsPerPhysicalPixel = 1 / window.devicePixelRatio;
+ return (
+ Math.floor(virtualPixelPosition / virtualPixelsPerPhysicalPixel) *
+ virtualPixelsPerPhysicalPixel
+ );
+}
diff --git a/src/text-editor.js b/src/text-editor.js
index 8132eb8411..e0cbe7b417 100644
--- a/src/text-editor.js
+++ b/src/text-editor.js
@@ -4,7 +4,7 @@ const fs = require('fs-plus');
const Grim = require('grim');
const dedent = require('dedent');
const { CompositeDisposable, Disposable, Emitter } = require('event-kit');
-const TextBuffer = require('text-buffer');
+const TextBuffer = require('@pulsar-edit/text-buffer');
const { Point, Range } = TextBuffer;
const DecorationManager = require('./decoration-manager');
const Cursor = require('./cursor');
diff --git a/src/text-mate-language-mode.js b/src/text-mate-language-mode.js
index f5092b157b..54bec84c91 100644
--- a/src/text-mate-language-mode.js
+++ b/src/text-mate-language-mode.js
@@ -1,6 +1,6 @@
const _ = require('underscore-plus');
const { CompositeDisposable, Emitter } = require('event-kit');
-const { Point, Range } = require('text-buffer');
+const { Point, Range } = require('@pulsar-edit/text-buffer');
const TokenizedLine = require('./tokenized-line');
const TokenIterator = require('./token-iterator');
const ScopeDescriptor = require('./scope-descriptor');
diff --git a/src/theme-manager.js b/src/theme-manager.js
index 9f6d9afa1c..c1629a2c4a 100644
--- a/src/theme-manager.js
+++ b/src/theme-manager.js
@@ -2,12 +2,19 @@
const path = require('path');
const _ = require('underscore-plus');
-const { Emitter, CompositeDisposable } = require('event-kit');
-const { File } = require('pathwatcher');
+const { Emitter } = require('event-kit');
const fs = require('fs-plus');
const LessCompileCache = require('./less-compile-cache');
const Color = require('./color');
+// Keeping a reference to the entire object so that it can be mocked more
+// easily in the specs.
+const watcher = require('./path-watcher');
+
+async function wait(ms) {
+ return new Promise(r => setTimeout(r, ms));
+}
+
// Extended: Handles loading and activating available themes.
//
// An instance of this class is always available as the `atom.themes` global.
@@ -36,6 +43,10 @@ module.exports = class ThemeManager {
this.packageManager.reloadActivePackageStyleSheets()
);
});
+
+ this.reloadStylesheet = _.debounce(() => {
+ this.loadUserStylesheet();
+ }, 20);
}
initialize({ resourcePath, configDirPath, safeMode, devMode }) {
@@ -211,18 +222,19 @@ module.exports = class ThemeManager {
}
}
- unwatchUserStylesheet() {
- if (this.userStylesheetSubscriptions != null)
- this.userStylesheetSubscriptions.dispose();
- this.userStylesheetSubscriptions = null;
- this.userStylesheetFile = null;
- if (this.userStyleSheetDisposable != null)
- this.userStyleSheetDisposable.dispose();
+ async unwatchUserStylesheet() {
+ this.userStylesheetSubscription?.dispose();
+ this.userStylesheetSubscription = null;
+
+ this.userStyleSheetDisposable?.dispose();
this.userStyleSheetDisposable = null;
+
+ // Pause a moment for file-watcher cleanup.
+ await wait(10);
}
- loadUserStylesheet() {
- this.unwatchUserStylesheet();
+ async loadUserStylesheet() {
+ await this.unwatchUserStylesheet();
const userStylesheetPath = this.styleManager.getUserStyleSheetPath();
if (!fs.isFileSync(userStylesheetPath)) {
@@ -230,27 +242,28 @@ module.exports = class ThemeManager {
}
try {
- this.userStylesheetFile = new File(userStylesheetPath);
- this.userStylesheetSubscriptions = new CompositeDisposable();
- const reloadStylesheet = () => this.loadUserStylesheet();
- this.userStylesheetSubscriptions.add(
- this.userStylesheetFile.onDidChange(reloadStylesheet)
- );
- this.userStylesheetSubscriptions.add(
- this.userStylesheetFile.onDidRename(reloadStylesheet)
- );
- this.userStylesheetSubscriptions.add(
- this.userStylesheetFile.onDidDelete(reloadStylesheet)
- );
+ // `watchPath` is recursive, even though we don't need it to be. So the
+ // easiest way to be sure our stylesheet is the one that was modified
+ // (rather than some other file called `styles.less` deeper in the tree)
+ // is to determine its real path (without symlinks) before we start the
+ // watcher.
+ let realStylesheetPath = fs.realpathSync(userStylesheetPath);
+
+ this.userStylesheetSubscription = await watcher.watchPath(realStylesheetPath, {}, () => {
+ this.reloadStylesheet();
+ });
} catch (error) {
- const message = `\
+ let message = `
Unable to watch path: \`${path.basename(userStylesheetPath)}\`. Make sure
you have permissions to \`${userStylesheetPath}\`.
+`;
+ if (process.platform === 'linux') {
+ message = `${message}
-On linux there are currently problems with watch sizes. See
-[this document][watches] for more info.
+On Linux there are currently problems with watch sizes. See [this document][watches] for more info.
[watches]:https://pulsar-edit.dev/docs/atom-archive/hacking-atom/#typeerror-unable-to-watch-path
-`; //TODO: Update the above to Pulsar docs if we choose to add this
+`
+ }
this.notificationManager.addError(message, { dismissable: true });
}
@@ -408,10 +421,10 @@ On linux there are currently problems with watch sizes. See
}
}
- return Promise.all(promises).then(() => {
+ return Promise.all(promises).then(async () => {
this.addActiveThemeClasses();
this.refreshLessCache(); // Update cache again now that @getActiveThemes() is populated
- this.loadUserStylesheet();
+ await this.loadUserStylesheet();
this.reloadBaseStylesheets();
if (this.config.get("editor.syncWindowThemeWithPulsarTheme")) {
this.refreshWindowTheme();
diff --git a/src/tree-sitter-grammar.js b/src/tree-sitter-grammar.js
deleted file mode 100644
index 794dc79b65..0000000000
--- a/src/tree-sitter-grammar.js
+++ /dev/null
@@ -1,196 +0,0 @@
-const path = require('path');
-const SyntaxScopeMap = require('./syntax-scope-map');
-const Module = require('module');
-
-module.exports = class TreeSitterGrammar {
- constructor(registry, filePath, params) {
- this.registry = registry;
- this.name = params.name;
- this.scopeName = params.scopeName;
-
- // TODO - Remove the `RegExp` spelling and only support `Regex`, once all of the existing
- // Tree-sitter grammars are updated to spell it `Regex`.
- this.contentRegex = buildRegex(params.contentRegex || params.contentRegExp);
- this.injectionRegex = buildRegex(
- params.injectionRegex || params.injectionRegExp
- );
- this.firstLineRegex = buildRegex(params.firstLineRegex);
-
- this.folds = params.folds || [];
- this.folds.forEach(normalizeFoldSpecification);
-
- this.commentStrings = {
- commentStartString: params.comments && params.comments.start,
- commentEndString: params.comments && params.comments.end
- };
-
- const scopeSelectors = {};
- for (const key in params.scopes || {}) {
- const classes = preprocessScopes(params.scopes[key]);
- const selectors = key.split(/,\s+/);
- for (let selector of selectors) {
- selector = selector.trim();
- if (!selector) continue;
- if (scopeSelectors[selector]) {
- scopeSelectors[selector] = [].concat(
- scopeSelectors[selector],
- classes
- );
- } else {
- scopeSelectors[selector] = classes;
- }
- }
- }
-
- this.scopeMap = new SyntaxScopeMap(scopeSelectors);
- this.fileTypes = params.fileTypes || [];
- this.injectionPointsByType = {};
-
- for (const injectionPoint of params.injectionPoints || []) {
- this.addInjectionPoint(injectionPoint);
- }
-
- // TODO - When we upgrade to a new enough version of node, use `require.resolve`
- // with the new `paths` option instead of this private API.
- const languageModulePath = Module._resolveFilename(params.parser, {
- id: filePath,
- filename: filePath,
- paths: Module._nodeModulePaths(path.dirname(filePath))
- });
-
- this.languageModule = require(languageModulePath);
- this.classNamesById = new Map();
- this.scopeNamesById = new Map();
- this.idsByScope = Object.create(null);
- this.nextScopeId = 256 + 1;
- this.registration = null;
- }
-
- inspect() {
- return `TreeSitterGrammar {scopeName: ${this.scopeName}}`;
- }
-
- // Though _text is unused here, some packages (eg semanticolor) use it to
- // customize scopes on the fly.
- idForScope(scopeName, _text) {
- if (!scopeName) {
- return undefined;
- }
- let id = this.idsByScope[scopeName];
- if (!id) {
- id = this.nextScopeId += 2;
- const className = scopeName
- .split('.')
- .map(s => `syntax--${s}`)
- .join(' ');
- this.idsByScope[scopeName] = id;
- this.classNamesById.set(id, className);
- this.scopeNamesById.set(id, scopeName);
- }
- return id;
- }
-
- classNameForScopeId(id) {
- return this.classNamesById.get(id);
- }
-
- scopeNameForScopeId(id) {
- return this.scopeNamesById.get(id);
- }
-
- activate() {
- this.registration = this.registry.addGrammar(this);
- }
-
- deactivate() {
- if (this.registration) this.registration.dispose();
- }
-
- addInjectionPoint(injectionPoint) {
- let injectionPoints = this.injectionPointsByType[injectionPoint.type];
- if (!injectionPoints) {
- injectionPoints = this.injectionPointsByType[injectionPoint.type] = [];
- }
- injectionPoints.push(injectionPoint);
- }
-
- removeInjectionPoint(injectionPoint) {
- const injectionPoints = this.injectionPointsByType[injectionPoint.type];
- if (injectionPoints) {
- const index = injectionPoints.indexOf(injectionPoint);
- if (index !== -1) injectionPoints.splice(index, 1);
- if (injectionPoints.length === 0) {
- delete this.injectionPointsByType[injectionPoint.type];
- }
- }
- }
-
- /*
- Section - Backward compatibility shims
- */
-
- onDidUpdate(callback) {
- // do nothing
- }
-
- tokenizeLines(text, compatibilityMode = true) {
- return text.split('\n').map(line => this.tokenizeLine(line, null, false));
- }
-
- tokenizeLine(line, ruleStack, firstLine) {
- return {
- value: line,
- scopes: [this.scopeName]
- };
- }
-};
-
-const preprocessScopes = value =>
- typeof value === 'string'
- ? value
- : Array.isArray(value)
- ? value.map(preprocessScopes)
- : value.match
- ? { match: new RegExp(value.match), scopes: preprocessScopes(value.scopes) }
- : Object.assign({}, value, { scopes: preprocessScopes(value.scopes) });
-
-const NODE_NAME_REGEX = /[\w_]+/;
-
-function matcherForSpec(spec) {
- if (typeof spec === 'string') {
- if (spec[0] === '"' && spec[spec.length - 1] === '"') {
- return {
- type: spec.substr(1, spec.length - 2),
- named: false
- };
- }
-
- if (!NODE_NAME_REGEX.test(spec)) {
- return { type: spec, named: false };
- }
-
- return { type: spec, named: true };
- }
- return spec;
-}
-
-function normalizeFoldSpecification(spec) {
- if (spec.type) {
- if (Array.isArray(spec.type)) {
- spec.matchers = spec.type.map(matcherForSpec);
- } else {
- spec.matchers = [matcherForSpec(spec.type)];
- }
- }
-
- if (spec.start) normalizeFoldSpecification(spec.start);
- if (spec.end) normalizeFoldSpecification(spec.end);
-}
-
-function buildRegex(value) {
- // Allow multiple alternatives to be specified via an array, for
- // readability of the grammar file
- if (Array.isArray(value)) value = value.map(_ => `(${_})`).join('|');
- if (typeof value === 'string') return new RegExp(value);
- return null;
-}
diff --git a/src/tree-sitter-language-mode.js b/src/tree-sitter-language-mode.js
deleted file mode 100644
index d4970bca82..0000000000
--- a/src/tree-sitter-language-mode.js
+++ /dev/null
@@ -1,1575 +0,0 @@
-const Parser = require('tree-sitter');
-const { Point, Range, spliceArray } = require('text-buffer');
-const { Patch } = require('superstring');
-const { Emitter } = require('event-kit');
-const ScopeDescriptor = require('./scope-descriptor');
-const Token = require('./token');
-const TokenizedLine = require('./tokenized-line');
-const TextMateLanguageMode = require('./text-mate-language-mode');
-const { matcherForSelector } = require('./selectors');
-const TreeIndenter = require('./tree-indenter');
-const { normalizeDelimiters, commentStringsFromDelimiters } = require('./comment-utils.js');
-
-let nextId = 0;
-const MAX_RANGE = new Range(Point.ZERO, Point.INFINITY).freeze();
-const PARSER_POOL = [];
-const WORD_REGEX = /\w/;
-
-class TreeSitterLanguageMode {
- static _patchSyntaxNode() {
- if (!Parser.SyntaxNode.prototype.hasOwnProperty('range')) {
- Object.defineProperty(Parser.SyntaxNode.prototype, 'range', {
- get() {
- return rangeForNode(this);
- }
- });
- }
- }
-
- constructor({ buffer, grammar, config, grammars, syncTimeoutMicros }) {
- TreeSitterLanguageMode._patchSyntaxNode();
- this.id = nextId++;
- this.buffer = buffer;
- this.grammar = grammar;
- this.config = config;
- this.grammarRegistry = grammars;
- this.rootLanguageLayer = new LanguageLayer(null, this, grammar, 0);
- this.injectionsMarkerLayer = buffer.addMarkerLayer();
-
- if (syncTimeoutMicros != null) {
- this.syncTimeoutMicros = syncTimeoutMicros;
- }
-
- this.rootScopeDescriptor = new ScopeDescriptor({
- scopes: [this.grammar.scopeName]
- });
- this.emitter = new Emitter();
- this.isFoldableCache = [];
- this.hasQueuedParse = false;
-
- this.grammarForLanguageString = this.grammarForLanguageString.bind(this);
-
- this.rootLanguageLayer
- .update(null)
- .then(() => this.emitter.emit('did-tokenize'));
-
- // TODO: Remove this once TreeSitterLanguageMode implements its own auto-indentation system. This
- // is temporarily needed in order to delegate to the TextMateLanguageMode's auto-indent system.
- this.regexesByPattern = {};
- }
-
- async parseCompletePromise() {
- let done = false;
- while (!done) {
- if (this.rootLanguageLayer.currentParsePromise) {
- await this.rootLanguageLayer.currentParsePromises;
- } else {
- done = true;
- for (const marker of this.injectionsMarkerLayer.getMarkers()) {
- if (marker.languageLayer.currentParsePromise) {
- done = false;
- await marker.languageLayer.currentParsePromise;
- break;
- }
- }
- }
- await new Promise(resolve => setTimeout(resolve, 0));
- }
- }
-
- destroy() {
- this.injectionsMarkerLayer.destroy();
- this.rootLanguageLayer = null;
- }
-
- getLanguageId() {
- return this.grammar.scopeName;
- }
-
- bufferDidChange({ oldRange, newRange, oldText, newText }) {
- const edit = this.rootLanguageLayer._treeEditForBufferChange(
- oldRange.start,
- oldRange.end,
- newRange.end,
- oldText,
- newText
- );
- this.rootLanguageLayer.handleTextChange(edit, oldText, newText);
- for (const marker of this.injectionsMarkerLayer.getMarkers()) {
- marker.languageLayer.handleTextChange(edit, oldText, newText);
- }
- }
-
- bufferDidFinishTransaction({ changes }) {
- for (let i = 0, { length } = changes; i < length; i++) {
- const { oldRange, newRange } = changes[i];
- spliceArray(
- this.isFoldableCache,
- newRange.start.row,
- oldRange.end.row - oldRange.start.row,
- { length: newRange.end.row - newRange.start.row }
- );
- }
- this.rootLanguageLayer.update(null);
- }
-
- parse(language, oldTree, ranges) {
- const parser = PARSER_POOL.pop() || new Parser();
- parser.setLanguage(language);
- const result = parser.parseTextBuffer(this.buffer.buffer, oldTree, {
- syncTimeoutMicros: this.syncTimeoutMicros,
- includedRanges: ranges
- });
-
- if (result.then) {
- return result.then(tree => {
- PARSER_POOL.push(parser);
- return tree;
- });
- } else {
- PARSER_POOL.push(parser);
- return result;
- }
- }
-
- get tree() {
- return this.rootLanguageLayer.tree;
- }
-
- updateForInjection(grammar) {
- this.rootLanguageLayer.updateInjections(grammar);
- }
-
- /*
- Section - Highlighting
- */
-
- buildHighlightIterator() {
- if (!this.rootLanguageLayer) return new NullLanguageModeHighlightIterator();
- return new HighlightIterator(this);
- }
-
- onDidTokenize(callback) {
- return this.emitter.on('did-tokenize', callback);
- }
-
- onDidChangeHighlighting(callback) {
- return this.emitter.on('did-change-highlighting', callback);
- }
-
- classNameForScopeId(scopeId) {
- return this.grammar.classNameForScopeId(scopeId);
- }
-
- /*
- Section - Commenting
- */
-
- commentStringsForPosition(position) {
- const range =
- this.firstNonWhitespaceRange(position.row) ||
- new Range(position, position);
- const { grammar } = this.getSyntaxNodeAndGrammarContainingRange(range);
- const { grammar: originalPositionGrammar } = this.getSyntaxNodeAndGrammarContainingRange(new Range(position, position));
-
- let result = commentStringsFromDelimiters(grammar.commentStrings);
- console.log('result???', result, grammar.commentStrings);
- if (originalPositionGrammar !== grammar) {
- result.commentDelimiters = commentStringsFromDelimiters(
- originalPositionGrammar.commentStrings
- ).commentDelimiters;
- }
- return result;
- }
-
- isRowCommented(row) {
- const range = this.firstNonWhitespaceRange(row);
- if (range) {
- const firstNode = this.getSyntaxNodeContainingRange(range);
- if (firstNode) return firstNode.type.includes('comment');
- }
- return false;
- }
-
- /*
- Section - Indentation
- */
-
- suggestedIndentForLineAtBufferRow(row, line, tabLength) {
- return this._suggestedIndentForLineWithScopeAtBufferRow(
- row,
- line,
- this.rootScopeDescriptor,
- tabLength
- );
- }
-
- suggestedIndentForBufferRow(row, tabLength, options) {
- if (!this.treeIndenter) {
- this.treeIndenter = new TreeIndenter(this);
- }
-
- if (this.treeIndenter.isConfigured) {
- const indent = this.treeIndenter.suggestedIndentForBufferRow(
- row,
- tabLength,
- options
- );
- return indent;
- } else {
- return this._suggestedIndentForLineWithScopeAtBufferRow(
- row,
- this.buffer.lineForRow(row),
- this.rootScopeDescriptor,
- tabLength,
- options
- );
- }
- }
-
- indentLevelForLine(line, tabLength) {
- let indentLength = 0;
- for (let i = 0, { length } = line; i < length; i++) {
- const char = line[i];
- if (char === '\t') {
- indentLength += tabLength - (indentLength % tabLength);
- } else if (char === ' ') {
- indentLength++;
- } else {
- break;
- }
- }
- return indentLength / tabLength;
- }
-
- /*
- Section - Folding
- */
-
- isFoldableAtRow(row) {
- if (this.isFoldableCache[row] != null) return this.isFoldableCache[row];
- const result =
- this.getFoldableRangeContainingPoint(Point(row, Infinity), 0, true) !=
- null;
- this.isFoldableCache[row] = result;
- return result;
- }
-
- getFoldableRanges() {
- return this.getFoldableRangesAtIndentLevel(null);
- }
-
- /**
- * TODO: Make this method generate folds for nested languages (currently,
- * folds are only generated for the root language layer).
- */
- getFoldableRangesAtIndentLevel(goalLevel) {
- let result = [];
- let stack = [{ node: this.tree.rootNode, level: 0 }];
- while (stack.length > 0) {
- const { node, level } = stack.pop();
-
- const range = this.getFoldableRangeForNode(node, this.grammar);
- if (range) {
- if (goalLevel == null || level === goalLevel) {
- let updatedExistingRange = false;
- for (let i = 0, { length } = result; i < length; i++) {
- if (
- result[i].start.row === range.start.row &&
- result[i].end.row === range.end.row
- ) {
- result[i] = range;
- updatedExistingRange = true;
- break;
- }
- }
- if (!updatedExistingRange) result.push(range);
- }
- }
-
- const parentStartRow = node.startPosition.row;
- const parentEndRow = node.endPosition.row;
- for (
- let children = node.namedChildren, i = 0, { length } = children;
- i < length;
- i++
- ) {
- const child = children[i];
- const { startPosition: childStart, endPosition: childEnd } = child;
- if (childEnd.row > childStart.row) {
- if (
- childStart.row === parentStartRow &&
- childEnd.row === parentEndRow
- ) {
- stack.push({ node: child, level: level });
- } else {
- const childLevel =
- range &&
- range.containsPoint(childStart) &&
- range.containsPoint(childEnd)
- ? level + 1
- : level;
- if (childLevel <= goalLevel || goalLevel == null) {
- stack.push({ node: child, level: childLevel });
- }
- }
- }
- }
- }
-
- return result.sort((a, b) => a.start.row - b.start.row);
- }
-
- getFoldableRangeContainingPoint(point, tabLength, existenceOnly = false) {
- if (!this.tree) return null;
-
- let smallestRange;
- this._forEachTreeWithRange(new Range(point, point), (tree, grammar) => {
- let node = tree.rootNode.descendantForPosition(
- this.buffer.clipPosition(point)
- );
- while (node) {
- if (existenceOnly && node.startPosition.row < point.row) return;
- if (node.endPosition.row > point.row) {
- const range = this.getFoldableRangeForNode(node, grammar);
- if (range && rangeIsSmaller(range, smallestRange)) {
- smallestRange = range;
- return;
- }
- }
- node = node.parent;
- }
- });
-
- return existenceOnly
- ? smallestRange && smallestRange.start.row === point.row
- : smallestRange;
- }
-
- _forEachTreeWithRange(range, callback) {
- if (this.rootLanguageLayer.tree) {
- callback(this.rootLanguageLayer.tree, this.rootLanguageLayer.grammar);
- }
-
- const injectionMarkers = this.injectionsMarkerLayer.findMarkers({
- intersectsRange: range
- });
-
- for (const injectionMarker of injectionMarkers) {
- const { tree, grammar } = injectionMarker.languageLayer;
- if (tree) callback(tree, grammar);
- }
- }
-
- getFoldableRangeForNode(node, grammar, existenceOnly) {
- const { children } = node;
- const childCount = children.length;
-
- for (var i = 0, { length } = grammar.folds; i < length; i++) {
- const foldSpec = grammar.folds[i];
-
- if (foldSpec.matchers && !hasMatchingFoldSpec(foldSpec.matchers, node))
- continue;
-
- let foldStart;
- const startEntry = foldSpec.start;
- if (startEntry) {
- let foldStartNode;
- if (startEntry.index != null) {
- foldStartNode = children[startEntry.index];
- if (
- !foldStartNode ||
- (startEntry.matchers &&
- !hasMatchingFoldSpec(startEntry.matchers, foldStartNode))
- )
- continue;
- } else {
- foldStartNode = children.find(child =>
- hasMatchingFoldSpec(startEntry.matchers, child)
- );
- if (!foldStartNode) continue;
- }
- foldStart = new Point(foldStartNode.endPosition.row, Infinity);
- } else {
- foldStart = new Point(node.startPosition.row, Infinity);
- }
-
- let foldEnd;
- const endEntry = foldSpec.end;
- if (endEntry) {
- let foldEndNode;
- if (endEntry.index != null) {
- const index =
- endEntry.index < 0 ? childCount + endEntry.index : endEntry.index;
- foldEndNode = children[index];
- if (
- !foldEndNode ||
- (endEntry.type && endEntry.type !== foldEndNode.type)
- )
- continue;
- } else {
- foldEndNode = children.find(child =>
- hasMatchingFoldSpec(endEntry.matchers, child)
- );
- if (!foldEndNode) continue;
- }
-
- if (foldEndNode.startPosition.row <= foldStart.row) continue;
-
- foldEnd = foldEndNode.startPosition;
- if (
- this.buffer.findInRangeSync(
- WORD_REGEX,
- new Range(foldEnd, new Point(foldEnd.row, Infinity))
- )
- ) {
- foldEnd = new Point(foldEnd.row - 1, Infinity);
- }
- } else {
- const { endPosition } = node;
- if (endPosition.column === 0) {
- foldEnd = Point(endPosition.row - 1, Infinity);
- } else if (childCount > 0) {
- foldEnd = endPosition;
- } else {
- foldEnd = Point(endPosition.row, 0);
- }
- }
-
- return existenceOnly ? true : new Range(foldStart, foldEnd);
- }
- }
-
- /*
- Section - Syntax Tree APIs
- */
-
- getSyntaxNodeContainingRange(range, where = _ => true) {
- return this.getSyntaxNodeAndGrammarContainingRange(range, where).node;
- }
-
- getSyntaxNodeAndGrammarContainingRange(range, where = _ => true) {
- const startIndex = this.buffer.characterIndexForPosition(range.start);
- const endIndex = this.buffer.characterIndexForPosition(range.end);
- const searchEndIndex = Math.max(0, endIndex - 1);
-
- let smallestNode = null;
- let smallestNodeGrammar = this.grammar;
- this._forEachTreeWithRange(range, (tree, grammar) => {
- let node = tree.rootNode.descendantForIndex(startIndex, searchEndIndex);
- while (node) {
- if (
- nodeContainsIndices(node, startIndex, endIndex) &&
- where(node, grammar)
- ) {
- if (nodeIsSmaller(node, smallestNode)) {
- smallestNode = node;
- smallestNodeGrammar = grammar;
- }
- break;
- }
- node = node.parent;
- }
- });
-
- return { node: smallestNode, grammar: smallestNodeGrammar };
- }
-
- getRangeForSyntaxNodeContainingRange(range, where) {
- const node = this.getSyntaxNodeContainingRange(range, where);
- return node && node.range;
- }
-
- getSyntaxNodeAtPosition(position, where) {
- return this.getSyntaxNodeContainingRange(
- new Range(position, position),
- where
- );
- }
-
- bufferRangeForScopeAtPosition(selector, position) {
- const nodeCursorAdapter = new NodeCursorAdaptor();
- if (typeof selector === 'string') {
- const match = matcherForSelector(selector);
- selector = (node, grammar) => {
- const rules = grammar.scopeMap.get([node.type], [0], node.named);
- nodeCursorAdapter.node = node;
- const scopeName = applyLeafRules(rules, nodeCursorAdapter);
- if (scopeName != null) {
- return match(scopeName);
- }
- };
- }
- if (selector === null) selector = undefined;
- const node = this.getSyntaxNodeAtPosition(position, selector);
- return node && node.range;
- }
-
- /*
- Section - Backward compatibility shims
- */
-
- tokenizedLineForRow(row) {
- const lineText = this.buffer.lineForRow(row);
- const tokens = [];
-
- const iterator = this.buildHighlightIterator();
- let start = { row, column: 0 };
- const scopes = iterator.seek(start, row);
- while (true) {
- const end = iterator.getPosition();
- if (end.row > row) {
- end.row = row;
- end.column = lineText.length;
- }
-
- if (end.column > start.column) {
- tokens.push(
- new Token({
- value: lineText.substring(start.column, end.column),
- scopes: scopes.map(s => this.grammar.scopeNameForScopeId(s))
- })
- );
- }
-
- if (end.column < lineText.length) {
- const closeScopeCount = iterator.getCloseScopeIds().length;
- for (let i = 0; i < closeScopeCount; i++) {
- scopes.pop();
- }
- scopes.push(...iterator.getOpenScopeIds());
- start = end;
- iterator.moveToSuccessor();
- } else {
- break;
- }
- }
-
- return new TokenizedLine({
- openScopes: [],
- text: lineText,
- tokens,
- tags: [],
- ruleStack: [],
- lineEnding: this.buffer.lineEndingForRow(row),
- tokenIterator: null,
- grammar: this.grammar
- });
- }
-
- syntaxTreeScopeDescriptorForPosition(point) {
- const nodes = [];
- point = this.buffer.clipPosition(Point.fromObject(point));
-
- // If the position is the end of a line, get node of left character instead of newline
- // This is to match TextMate behaviour, see https://github.com/atom/atom/issues/18463
- if (
- point.column > 0 &&
- point.column === this.buffer.lineLengthForRow(point.row)
- ) {
- point = point.copy();
- point.column--;
- }
-
- this._forEachTreeWithRange(new Range(point, point), tree => {
- let node = tree.rootNode.descendantForPosition(point);
- while (node) {
- nodes.push(node);
- node = node.parent;
- }
- });
-
- // The nodes are mostly already sorted from smallest to largest,
- // but for files with multiple syntax trees (e.g. ERB), each tree's
- // nodes are separate. Sort the nodes from largest to smallest.
- nodes.reverse();
- nodes.sort(
- (a, b) => a.startIndex - b.startIndex || b.endIndex - a.endIndex
- );
-
- const nodeTypes = nodes.map(node => node.type);
- nodeTypes.unshift(this.grammar.scopeName);
- return new ScopeDescriptor({ scopes: nodeTypes });
- }
-
- scopeDescriptorForPosition(point) {
- point = this.buffer.clipPosition(Point.fromObject(point));
-
- // If the position is the end of a line, get scope of left character instead of newline
- // This is to match TextMate behaviour, see https://github.com/atom/atom/issues/18463
- if (
- point.column > 0 &&
- point.column === this.buffer.lineLengthForRow(point.row)
- ) {
- point = point.copy();
- point.column--;
- }
-
- const iterator = this.buildHighlightIterator();
- const scopes = [];
- for (const scope of iterator.seek(point, point.row + 1)) {
- scopes.push(this.grammar.scopeNameForScopeId(scope));
- }
- if (point.isEqual(iterator.getPosition())) {
- for (const scope of iterator.getOpenScopeIds()) {
- scopes.push(this.grammar.scopeNameForScopeId(scope));
- }
- }
- if (scopes.length === 0 || scopes[0] !== this.grammar.scopeName) {
- scopes.unshift(this.grammar.scopeName);
- }
- return new ScopeDescriptor({ scopes });
- }
-
- tokenForPosition(point) {
- const node = this.getSyntaxNodeAtPosition(point);
- const scopes = this.scopeDescriptorForPosition(point).getScopesArray();
- return new Token({ value: node.text, scopes });
- }
-
- getGrammar() {
- return this.grammar;
- }
-
- /*
- Section - Private
- */
-
- firstNonWhitespaceRange(row) {
- return this.buffer.findInRangeSync(
- /\S/,
- new Range(new Point(row, 0), new Point(row, Infinity))
- );
- }
-
- grammarForLanguageString(languageString) {
- return this.grammarRegistry.treeSitterGrammarForLanguageString(
- languageString,
- 'original'
- );
- }
-
- emitRangeUpdate(range) {
- const startRow = range.start.row;
- const endRow = range.end.row;
- for (let row = startRow; row < endRow; row++) {
- this.isFoldableCache[row] = undefined;
- }
- this.emitter.emit('did-change-highlighting', range);
- }
-}
-
-class LanguageLayer {
- constructor(marker, languageMode, grammar, depth) {
- this.marker = marker;
- this.languageMode = languageMode;
- this.grammar = grammar;
- this.tree = null;
- this.currentParsePromise = null;
- this.patchSinceCurrentParseStarted = null;
- this.depth = depth;
- }
-
- buildHighlightIterator() {
- if (this.tree) {
- return new LayerHighlightIterator(this, this.tree.walk());
- } else {
- return new NullLayerHighlightIterator();
- }
- }
-
- handleTextChange(edit, oldText, newText) {
- const { startPosition, oldEndPosition, newEndPosition } = edit;
-
- if (this.tree) {
- this.tree.edit(edit);
- if (this.editedRange) {
- if (startPosition.isLessThan(this.editedRange.start)) {
- this.editedRange.start = startPosition;
- }
- if (oldEndPosition.isLessThan(this.editedRange.end)) {
- this.editedRange.end = newEndPosition.traverse(
- this.editedRange.end.traversalFrom(oldEndPosition)
- );
- } else {
- this.editedRange.end = newEndPosition;
- }
- } else {
- this.editedRange = new Range(startPosition, newEndPosition);
- }
- }
-
- if (this.patchSinceCurrentParseStarted) {
- this.patchSinceCurrentParseStarted.splice(
- startPosition,
- oldEndPosition.traversalFrom(startPosition),
- newEndPosition.traversalFrom(startPosition),
- oldText,
- newText
- );
- }
- }
-
- destroy() {
- this.tree = null;
- this.destroyed = true;
- this.marker.destroy();
- for (const marker of this.languageMode.injectionsMarkerLayer.getMarkers()) {
- if (marker.parentLanguageLayer === this) {
- marker.languageLayer.destroy();
- }
- }
- }
-
- async update(nodeRangeSet) {
- if (!this.currentParsePromise) {
- while (
- !this.destroyed &&
- (!this.tree || this.tree.rootNode.hasChanges())
- ) {
- const params = { async: false };
- this.currentParsePromise = this._performUpdate(nodeRangeSet, params);
- if (!params.async) break;
- await this.currentParsePromise;
- }
- this.currentParsePromise = null;
- }
- }
-
- updateInjections(grammar) {
- if (grammar.injectionRegex) {
- if (!this.currentParsePromise)
- this.currentParsePromise = Promise.resolve();
- this.currentParsePromise = this.currentParsePromise.then(async () => {
- await this._populateInjections(MAX_RANGE, null);
- this.currentParsePromise = null;
- });
- }
- }
-
- async _performUpdate(nodeRangeSet, params) {
- let includedRanges = null;
- if (nodeRangeSet) {
- includedRanges = nodeRangeSet.getRanges(this.languageMode.buffer);
- if (includedRanges.length === 0) {
- const range = this.marker.getRange();
- this.destroy();
- this.languageMode.emitRangeUpdate(range);
- return;
- }
- }
-
- let affectedRange = this.editedRange;
- this.editedRange = null;
-
- this.patchSinceCurrentParseStarted = new Patch();
- let tree = this.languageMode.parse(
- this.grammar.languageModule,
- this.tree,
- includedRanges
- );
- if (tree.then) {
- params.async = true;
- tree = await tree;
- }
-
- const changes = this.patchSinceCurrentParseStarted.getChanges();
- this.patchSinceCurrentParseStarted = null;
- for (const {
- oldStart,
- newStart,
- oldEnd,
- newEnd,
- oldText,
- newText
- } of changes) {
- const newExtent = Point.fromObject(newEnd).traversalFrom(newStart);
- tree.edit(
- this._treeEditForBufferChange(
- newStart,
- oldEnd,
- Point.fromObject(oldStart).traverse(newExtent),
- oldText,
- newText
- )
- );
- }
-
- if (this.tree) {
- const rangesWithSyntaxChanges = this.tree.getChangedRanges(tree);
- this.tree = tree;
-
- if (rangesWithSyntaxChanges.length > 0) {
- for (const range of rangesWithSyntaxChanges) {
- this.languageMode.emitRangeUpdate(rangeForNode(range));
- }
-
- const combinedRangeWithSyntaxChange = new Range(
- rangesWithSyntaxChanges[0].startPosition,
- last(rangesWithSyntaxChanges).endPosition
- );
-
- if (affectedRange) {
- this.languageMode.emitRangeUpdate(affectedRange);
- affectedRange = affectedRange.union(combinedRangeWithSyntaxChange);
- } else {
- affectedRange = combinedRangeWithSyntaxChange;
- }
- }
- } else {
- this.tree = tree;
- this.languageMode.emitRangeUpdate(rangeForNode(tree.rootNode));
- if (includedRanges) {
- affectedRange = new Range(
- includedRanges[0].startPosition,
- last(includedRanges).endPosition
- );
- } else {
- affectedRange = MAX_RANGE;
- }
- }
-
- if (affectedRange) {
- const injectionPromise = this._populateInjections(
- affectedRange,
- nodeRangeSet
- );
- if (injectionPromise) {
- params.async = true;
- return injectionPromise;
- }
- }
- }
-
- _populateInjections(range, nodeRangeSet) {
- const existingInjectionMarkers = this.languageMode.injectionsMarkerLayer
- .findMarkers({ intersectsRange: range })
- .filter(marker => marker.parentLanguageLayer === this);
-
- if (existingInjectionMarkers.length > 0) {
- range = range.union(
- new Range(
- existingInjectionMarkers[0].getRange().start,
- last(existingInjectionMarkers).getRange().end
- )
- );
- }
-
- const markersToUpdate = new Map();
- const nodes = this.tree.rootNode.descendantsOfType(
- Object.keys(this.grammar.injectionPointsByType),
- range.start,
- range.end
- );
-
- let existingInjectionMarkerIndex = 0;
- for (const node of nodes) {
- for (const injectionPoint of this.grammar.injectionPointsByType[
- node.type
- ]) {
- const languageName = injectionPoint.language(node);
- if (!languageName) continue;
-
- const grammar = this.languageMode.grammarForLanguageString(
- languageName
- );
- if (!grammar) continue;
-
- const contentNodes = injectionPoint.content(node, this.buffer);
- if (!contentNodes) continue;
-
- const injectionNodes = [].concat(contentNodes);
- if (!injectionNodes.length) continue;
-
- const injectionRange = rangeForNode(node);
-
- let marker;
- for (
- let i = existingInjectionMarkerIndex,
- n = existingInjectionMarkers.length;
- i < n;
- i++
- ) {
- const existingMarker = existingInjectionMarkers[i];
- const comparison = existingMarker.getRange().compare(injectionRange);
- if (comparison > 0) {
- break;
- } else if (comparison === 0) {
- existingInjectionMarkerIndex = i;
- if (existingMarker.languageLayer.grammar === grammar) {
- marker = existingMarker;
- break;
- }
- } else {
- existingInjectionMarkerIndex = i;
- }
- }
-
- if (!marker) {
- marker = this.languageMode.injectionsMarkerLayer.markRange(
- injectionRange
- );
- marker.languageLayer = new LanguageLayer(
- marker,
- this.languageMode,
- grammar,
- this.depth + 1
- );
- marker.parentLanguageLayer = this;
- }
-
- markersToUpdate.set(
- marker,
- new NodeRangeSet(
- nodeRangeSet,
- injectionNodes,
- injectionPoint.newlinesBetween,
- injectionPoint.includeChildren
- )
- );
- }
- }
-
- for (const marker of existingInjectionMarkers) {
- if (!markersToUpdate.has(marker)) {
- this.languageMode.emitRangeUpdate(marker.getRange());
- marker.languageLayer.destroy();
- }
- }
-
- if (markersToUpdate.size > 0) {
- const promises = [];
- for (const [marker, nodeRangeSet] of markersToUpdate) {
- promises.push(marker.languageLayer.update(nodeRangeSet));
- }
- return Promise.all(promises);
- }
- }
-
- _treeEditForBufferChange(start, oldEnd, newEnd, oldText, newText) {
- const startIndex = this.languageMode.buffer.characterIndexForPosition(
- start
- );
- return {
- startIndex,
- oldEndIndex: startIndex + oldText.length,
- newEndIndex: startIndex + newText.length,
- startPosition: start,
- oldEndPosition: oldEnd,
- newEndPosition: newEnd
- };
- }
-}
-
-class HighlightIterator {
- constructor(languageMode) {
- this.languageMode = languageMode;
- this.iterators = null;
- }
-
- seek(targetPosition, endRow) {
- // console.log("SEEK", targetPosition, endRow)
- const injectionMarkers = this.languageMode.injectionsMarkerLayer.findMarkers(
- {
- intersectsRange: new Range(targetPosition, new Point(endRow + 1, 0))
- }
- );
-
- const containingTags = [];
- const containingTagStartIndices = [];
- const targetIndex = this.languageMode.buffer.characterIndexForPosition(
- targetPosition
- );
-
- this.iterators = [];
- const iterator = this.languageMode.rootLanguageLayer.buildHighlightIterator();
- if (iterator.seek(targetIndex, containingTags, containingTagStartIndices)) {
- this.iterators.push(iterator);
- }
-
- // Populate the iterators array with all of the iterators whose syntax
- // trees span the given position.
- for (const marker of injectionMarkers) {
- const iterator = marker.languageLayer.buildHighlightIterator();
- if (
- iterator.seek(targetIndex, containingTags, containingTagStartIndices)
- ) {
- this.iterators.push(iterator);
- }
- }
-
- // Sort the iterators so that the last one in the array is the earliest
- // in the document, and represents the current position.
- this.iterators.sort((a, b) => b.compare(a));
- this.detectCoveredScope();
-
- // console.log("T", containingTags)
- return containingTags;
- }
-
- moveToSuccessor() {
- // Advance the earliest layer iterator to its next scope boundary.
- let leader = last(this.iterators);
-
- // Maintain the sorting of the iterators by their position in the document.
- if (leader.moveToSuccessor()) {
- const leaderIndex = this.iterators.length - 1;
- let i = leaderIndex;
- while (i > 0 && this.iterators[i - 1].compare(leader) < 0) i--;
- if (i < leaderIndex) {
- this.iterators.splice(i, 0, this.iterators.pop());
- }
- } else {
- // If the layer iterator was at the end of its syntax tree, then remove
- // it from the array.
- this.iterators.pop();
- }
-
- // console.log("Move to Successor")
- this.detectCoveredScope();
- }
-
- // Detect whether or not another more deeply-nested language layer has a
- // scope boundary at this same position. If so, the current language layer's
- // scope boundary should not be reported.
- detectCoveredScope() {
- const layerCount = this.iterators.length;
- if (layerCount > 1) {
- const first = this.iterators[layerCount - 1];
- const next = this.iterators[layerCount - 2];
- if (
- next.offset === first.offset &&
- next.atEnd === first.atEnd &&
- next.depth > first.depth &&
- !next.isAtInjectionBoundary()
- ) {
- this.currentScopeIsCovered = true;
- return;
- }
- }
- this.currentScopeIsCovered = false;
- }
-
- getPosition() {
- const iterator = last(this.iterators);
- if (iterator) {
- // console.log("getPosition", iterator.getPosition())
- return iterator.getPosition();
- } else {
- // console.log("getPosition - INF")
- return Point.INFINITY;
- }
- }
-
- getCloseScopeIds() {
- const iterator = last(this.iterators);
- if (iterator && !this.currentScopeIsCovered) {
- // console.log("CLOSE", iterator.getCloseScopeIds())
- return iterator.getCloseScopeIds();
- }
- return [];
- }
-
- getOpenScopeIds() {
- const iterator = last(this.iterators);
- if (iterator && !this.currentScopeIsCovered) {
- // console.log("CLOSE", iterator.getOpenScopeIds())
- return iterator.getOpenScopeIds();
- }
- return [];
- }
-
- logState() {
- const iterator = last(this.iterators);
- if (iterator && iterator.treeCursor) {
- console.log(
- iterator.getPosition(),
- iterator.treeCursor.nodeType,
- `depth=${iterator.languageLayer.depth}`,
- new Range(
- iterator.languageLayer.tree.rootNode.startPosition,
- iterator.languageLayer.tree.rootNode.endPosition
- ).toString()
- );
- if (this.currentScopeIsCovered) {
- console.log('covered');
- } else {
- console.log(
- 'close',
- iterator.closeTags.map(id =>
- this.languageMode.grammar.scopeNameForScopeId(id)
- )
- );
- console.log(
- 'open',
- iterator.openTags.map(id =>
- this.languageMode.grammar.scopeNameForScopeId(id)
- )
- );
- }
- }
- }
-}
-
-class LayerHighlightIterator {
- constructor(languageLayer, treeCursor) {
- this.languageLayer = languageLayer;
- this.depth = this.languageLayer.depth;
-
- // The iterator is always positioned at either the start or the end of some node
- // in the syntax tree.
- this.atEnd = false;
- this.treeCursor = treeCursor;
- this.offset = 0;
-
- // In order to determine which selectors match its current node, the iterator maintains
- // a list of the current node's ancestors. Because the selectors can use the `:nth-child`
- // pseudo-class, each node's child index is also stored.
- this.containingNodeTypes = [];
- this.containingNodeChildIndices = [];
- this.containingNodeEndIndices = [];
-
- // At any given position, the iterator exposes the list of class names that should be
- // *ended* at its current position and the list of class names that should be *started*
- // at its current position.
- this.closeTags = [];
- this.openTags = [];
- }
-
- seek(targetIndex, containingTags, containingTagStartIndices) {
- // eslint-disable-next-line no-empty
- while (this.treeCursor.gotoParent()) {}
-
- this.atEnd = true;
- this.closeTags.length = 0;
- this.openTags.length = 0;
- this.containingNodeTypes.length = 0;
- this.containingNodeChildIndices.length = 0;
- this.containingNodeEndIndices.length = 0;
-
- const containingTagEndIndices = [];
-
- if (targetIndex >= this.treeCursor.endIndex) {
- return false;
- }
-
- let childIndex = -1;
- for (;;) {
- this.containingNodeTypes.push(this.treeCursor.nodeType);
- this.containingNodeChildIndices.push(childIndex);
- this.containingNodeEndIndices.push(this.treeCursor.endIndex);
-
- const scopeId = this._currentScopeId();
- if (scopeId) {
- if (this.treeCursor.startIndex < targetIndex) {
- insertContainingTag(
- scopeId,
- this.treeCursor.startIndex,
- containingTags,
- containingTagStartIndices
- );
- containingTagEndIndices.push(this.treeCursor.endIndex);
- } else {
- this.atEnd = false;
- this.openTags.push(scopeId);
- this._moveDown();
- break;
- }
- }
-
- childIndex = this.treeCursor.gotoFirstChildForIndex(targetIndex);
- if (childIndex === null) break;
- if (this.treeCursor.startIndex >= targetIndex) this.atEnd = false;
- }
-
- if (this.atEnd) {
- this.offset = this.treeCursor.endIndex;
- for (let i = 0, { length } = containingTags; i < length; i++) {
- if (containingTagEndIndices[i] === this.offset) {
- this.closeTags.push(containingTags[i]);
- }
- }
- } else {
- this.offset = this.treeCursor.startIndex;
- }
-
- return true;
- }
-
- moveToSuccessor() {
- this.closeTags.length = 0;
- this.openTags.length = 0;
-
- while (!this.closeTags.length && !this.openTags.length) {
- if (this.atEnd) {
- if (this._moveRight()) {
- const scopeId = this._currentScopeId();
- if (scopeId) this.openTags.push(scopeId);
- this.atEnd = false;
- this._moveDown();
- } else if (this._moveUp(true)) {
- this.atEnd = true;
- } else {
- return false;
- }
- } else if (!this._moveDown()) {
- const scopeId = this._currentScopeId();
- if (scopeId) this.closeTags.push(scopeId);
- this.atEnd = true;
- this._moveUp(false);
- }
- }
-
- if (this.atEnd) {
- this.offset = this.treeCursor.endIndex;
- } else {
- this.offset = this.treeCursor.startIndex;
- }
-
- return true;
- }
-
- getPosition() {
- if (this.atEnd) {
- return this.treeCursor.endPosition;
- } else {
- return this.treeCursor.startPosition;
- }
- }
-
- compare(other) {
- const result = this.offset - other.offset;
- if (result !== 0) return result;
- if (this.atEnd && !other.atEnd) return -1;
- if (other.atEnd && !this.atEnd) return 1;
- return this.languageLayer.depth - other.languageLayer.depth;
- }
-
- getCloseScopeIds() {
- return this.closeTags.slice();
- }
-
- getOpenScopeIds() {
- return this.openTags.slice();
- }
-
- isAtInjectionBoundary() {
- return this.containingNodeTypes.length === 1;
- }
-
- // Private methods
-
- _moveUp(atLastChild) {
- let result = false;
- const { endIndex } = this.treeCursor;
- let depth = this.containingNodeEndIndices.length;
-
- // The iterator should not move up until it has visited all of the children of this node.
- while (
- depth > 1 &&
- (atLastChild || this.containingNodeEndIndices[depth - 2] === endIndex)
- ) {
- atLastChild = false;
- result = true;
- this.treeCursor.gotoParent();
- this.containingNodeTypes.pop();
- this.containingNodeChildIndices.pop();
- this.containingNodeEndIndices.pop();
- --depth;
- const scopeId = this._currentScopeId();
- if (scopeId) this.closeTags.push(scopeId);
- }
- return result;
- }
-
- _moveDown() {
- let result = false;
- const { startIndex } = this.treeCursor;
-
- // Once the iterator has found a scope boundary, it needs to stay at the same
- // position, so it should not move down if the first child node starts later than the
- // current node.
- while (this.treeCursor.gotoFirstChild()) {
- if (
- (this.closeTags.length || this.openTags.length) &&
- this.treeCursor.startIndex > startIndex
- ) {
- this.treeCursor.gotoParent();
- break;
- }
-
- result = true;
- this.containingNodeTypes.push(this.treeCursor.nodeType);
- this.containingNodeChildIndices.push(0);
- this.containingNodeEndIndices.push(this.treeCursor.endIndex);
-
- const scopeId = this._currentScopeId();
- if (scopeId) this.openTags.push(scopeId);
- }
-
- return result;
- }
-
- _moveRight() {
- if (this.treeCursor.gotoNextSibling()) {
- const depth = this.containingNodeTypes.length;
- this.containingNodeTypes[depth - 1] = this.treeCursor.nodeType;
- this.containingNodeChildIndices[depth - 1]++;
- this.containingNodeEndIndices[depth - 1] = this.treeCursor.endIndex;
- return true;
- }
- }
-
- _currentScopeId() {
- const value = this.languageLayer.grammar.scopeMap.get(
- this.containingNodeTypes,
- this.containingNodeChildIndices,
- this.treeCursor.nodeIsNamed
- );
- const scopeName = applyLeafRules(value, this.treeCursor);
- const node = this.treeCursor.currentNode;
- if (!node.childCount) {
- return this.languageLayer.languageMode.grammar.idForScope(
- scopeName,
- node.text
- );
- } else if (scopeName) {
- return this.languageLayer.languageMode.grammar.idForScope(scopeName);
- }
- }
-}
-
-const applyLeafRules = (rules, cursor) => {
- if (!rules || typeof rules === 'string') return rules;
- if (Array.isArray(rules)) {
- for (let i = 0, { length } = rules; i !== length; ++i) {
- const result = applyLeafRules(rules[i], cursor);
- if (result) return result;
- }
- return undefined;
- }
- if (typeof rules === 'object') {
- if (rules.exact) {
- return cursor.nodeText === rules.exact
- ? applyLeafRules(rules.scopes, cursor)
- : undefined;
- }
- if (rules.match) {
- return rules.match.test(cursor.nodeText)
- ? applyLeafRules(rules.scopes, cursor)
- : undefined;
- }
- }
-};
-
-class NodeCursorAdaptor {
- get nodeText() {
- return this.node.text;
- }
-}
-
-class NullLanguageModeHighlightIterator {
- seek() {
- return [];
- }
- compare() {
- return 1;
- }
- moveToSuccessor() {}
- getPosition() {
- return Point.INFINITY;
- }
- getOpenScopeIds() {
- return [];
- }
- getCloseScopeIds() {
- return [];
- }
-}
-
-class NullLayerHighlightIterator {
- seek() {
- return null;
- }
- compare() {
- return 1;
- }
- moveToSuccessor() {}
- getPosition() {
- return Point.INFINITY;
- }
- getOpenScopeIds() {
- return [];
- }
- getCloseScopeIds() {
- return [];
- }
-}
-
-class NodeRangeSet {
- constructor(previous, nodes, newlinesBetween, includeChildren) {
- this.previous = previous;
- this.nodes = nodes;
- this.newlinesBetween = newlinesBetween;
- this.includeChildren = includeChildren;
- }
-
- getRanges(buffer) {
- const previousRanges = this.previous && this.previous.getRanges(buffer);
- const result = [];
-
- for (const node of this.nodes) {
- let position = node.startPosition;
- let index = node.startIndex;
-
- if (!this.includeChildren) {
- for (const child of node.children) {
- const nextIndex = child.startIndex;
- if (nextIndex > index) {
- this._pushRange(buffer, previousRanges, result, {
- startIndex: index,
- endIndex: nextIndex,
- startPosition: position,
- endPosition: child.startPosition
- });
- }
- position = child.endPosition;
- index = child.endIndex;
- }
- }
-
- if (node.endIndex > index) {
- this._pushRange(buffer, previousRanges, result, {
- startIndex: index,
- endIndex: node.endIndex,
- startPosition: position,
- endPosition: node.endPosition
- });
- }
- }
-
- return result;
- }
-
- _pushRange(buffer, previousRanges, newRanges, newRange) {
- if (!previousRanges) {
- if (this.newlinesBetween) {
- const { startIndex, startPosition } = newRange;
- this._ensureNewline(buffer, newRanges, startIndex, startPosition);
- }
- newRanges.push(newRange);
- return;
- }
-
- for (const previousRange of previousRanges) {
- if (previousRange.endIndex <= newRange.startIndex) continue;
- if (previousRange.startIndex >= newRange.endIndex) break;
- const startIndex = Math.max(
- previousRange.startIndex,
- newRange.startIndex
- );
- const endIndex = Math.min(previousRange.endIndex, newRange.endIndex);
- const startPosition = Point.max(
- previousRange.startPosition,
- newRange.startPosition
- );
- const endPosition = Point.min(
- previousRange.endPosition,
- newRange.endPosition
- );
- if (this.newlinesBetween) {
- this._ensureNewline(buffer, newRanges, startIndex, startPosition);
- }
- newRanges.push({ startIndex, endIndex, startPosition, endPosition });
- }
- }
-
- // For injection points with `newlinesBetween` enabled, ensure that a
- // newline is included between each disjoint range.
- _ensureNewline(buffer, newRanges, startIndex, startPosition) {
- const lastRange = newRanges[newRanges.length - 1];
- if (lastRange && lastRange.endPosition.row < startPosition.row) {
- newRanges.push({
- startPosition: new Point(
- startPosition.row - 1,
- buffer.lineLengthForRow(startPosition.row - 1)
- ),
- endPosition: new Point(startPosition.row, 0),
- startIndex: startIndex - startPosition.column - 1,
- endIndex: startIndex - startPosition.column
- });
- }
- }
-}
-
-function insertContainingTag(tag, index, tags, indices) {
- const i = indices.findIndex(existingIndex => existingIndex > index);
- if (i === -1) {
- tags.push(tag);
- indices.push(index);
- } else {
- tags.splice(i, 0, tag);
- indices.splice(i, 0, index);
- }
-}
-
-// Return true iff `mouse` is smaller than `house`. Only correct if
-// mouse and house overlap.
-//
-// * `mouse` {Range}
-// * `house` {Range}
-function rangeIsSmaller(mouse, house) {
- if (!house) return true;
- const mvec = vecFromRange(mouse);
- const hvec = vecFromRange(house);
- return Point.min(mvec, hvec) === mvec;
-}
-
-function vecFromRange({ start, end }) {
- return end.translate(start.negate());
-}
-
-function rangeForNode(node) {
- return new Range(node.startPosition, node.endPosition);
-}
-
-function nodeContainsIndices(node, start, end) {
- if (node.startIndex < start) return node.endIndex >= end;
- if (node.startIndex === start) return node.endIndex > end;
- return false;
-}
-
-function nodeIsSmaller(left, right) {
- if (!left) return false;
- if (!right) return true;
- return left.endIndex - left.startIndex < right.endIndex - right.startIndex;
-}
-
-function last(array) {
- return array[array.length - 1];
-}
-
-function hasMatchingFoldSpec(specs, node) {
- return specs.some(
- ({ type, named }) => type === node.type && named === node.isNamed
- );
-}
-
-// TODO: Remove this once TreeSitterLanguageMode implements its own auto-indent system.
-[
- '_suggestedIndentForLineWithScopeAtBufferRow',
- 'suggestedIndentForEditedBufferRow',
- 'increaseIndentRegexForScopeDescriptor',
- 'decreaseIndentRegexForScopeDescriptor',
- 'decreaseNextIndentRegexForScopeDescriptor',
- 'regexForPattern',
- 'getNonWordCharacters'
-].forEach(methodName => {
- TreeSitterLanguageMode.prototype[methodName] =
- TextMateLanguageMode.prototype[methodName];
-});
-
-TreeSitterLanguageMode.LanguageLayer = LanguageLayer;
-TreeSitterLanguageMode.prototype.syncTimeoutMicros = 1000;
-
-module.exports = TreeSitterLanguageMode;
diff --git a/src/typescript.js b/src/typescript.js
index 2995224b1b..b4aa50922c 100644
--- a/src/typescript.js
+++ b/src/typescript.js
@@ -5,21 +5,25 @@ const crypto = require('crypto');
const path = require('path');
const defaultOptions = {
- target: 1,
+ target: 'es2023',
module: 'commonjs',
- sourceMap: true
+ sourceMap: true,
+ // By default, do not complain if definition files are missing.
+ skipLibCheck: true,
+ types: [],
+ typeRoots: []
};
-let TypeScriptSimple = null;
+let TypeScript = null;
let typescriptVersionDir = null;
-exports.shouldCompile = function() {
+function shouldCompile() {
return true;
-};
+}
-exports.getCachePath = function(sourceCode) {
+function getCachePath(sourceCode) {
if (typescriptVersionDir == null) {
- const version = require('typescript-simple/package.json').version;
+ const version = require('typescript/package.json').version;
typescriptVersionDir = path.join(
'ts',
createVersionAndOptionsDigest(version, defaultOptions)
@@ -33,20 +37,58 @@ exports.getCachePath = function(sourceCode) {
.update(sourceCode, 'utf8')
.digest('hex') + '.js'
);
-};
+}
-exports.compile = function(sourceCode, filePath) {
- if (!TypeScriptSimple) {
- TypeScriptSimple = require('typescript-simple').TypeScriptSimple;
- }
+function compile(sourceCode, filePath) {
+ TypeScript ??= require('typescript');
if (process.platform === 'win32') {
filePath = 'file:///' + path.resolve(filePath).replace(/\\/g, '/');
}
+ // We must take the complicated path at least until we can figure out whether
+ // this transpiled file is syntactically valid.
const options = _.defaults({ filename: filePath }, defaultOptions);
- return new TypeScriptSimple(options, false).compile(sourceCode, filePath);
-};
+
+ let compilerHost = TypeScript.createCompilerHost(defaultOptions);
+ let originalGetSourceFile = compilerHost.getSourceFile;
+ compilerHost.getSourceFile = function getSourceFile(name, languageVersion) {
+ if (name === filePath) return sourceFile;
+ return originalGetSourceFile.call(compilerHost, name, languageVersion);
+ };
+
+ let compilerOptions = TypeScript.parseJsonConfigFileContent(
+ { compilerOptions: defaultOptions },
+ TypeScript.sys,
+ path.dirname(filePath),
+ {},
+ `tsconfig.json`
+ );
+
+ let sourceFile = TypeScript.createSourceFile(
+ filePath,
+ sourceCode,
+ TypeScript.ScriptTarget.Latest,
+ true
+ );
+
+ let program = TypeScript.createProgram([filePath], compilerOptions.options, compilerHost);
+ const diagnostics = TypeScript.getPreEmitDiagnostics(program);
+
+ if (diagnostics.length > 0) {
+ let diagnosticErrors = diagnostics.map((d) => {
+ let message = TypeScript.flattenDiagnosticMessageText(d.messageText, "\n");
+ let { line, character } = TypeScript.getLineAndCharacterOfPosition(d.file, d.start);
+ return `${line}:${character}: ${message}`;
+ });
+ throw new Error(`Could not compile TypeScript:\n${diagnosticErrors.join("\n")}`);
+ }
+
+ // Once we get this far, we've asserted that transpilation can happen without
+ // any fatal errors. We can now use the much simpler `transpileModule` API.
+ let result = TypeScript.transpileModule(sourceCode, { compilerOptions: options });
+ return result.outputText;
+}
function createVersionAndOptionsDigest(version, options) {
return crypto
@@ -58,3 +100,10 @@ function createVersionAndOptionsDigest(version, options) {
.update(JSON.stringify(options), 'utf8')
.digest('hex');
}
+
+
+module.exports = {
+ shouldCompile,
+ getCachePath,
+ compile
+};
diff --git a/src/update-process-env.js b/src/update-process-env.js
index 21ea4552dc..fa1fa59262 100644
--- a/src/update-process-env.js
+++ b/src/update-process-env.js
@@ -5,6 +5,7 @@ const ENVIRONMENT_VARIABLES_TO_PRESERVE = new Set([
'NODE_ENV',
'NODE_PATH',
'ATOM_HOME',
+ 'ATOM_CHANNEL',
'ATOM_DISABLE_SHELLING_OUT_FOR_ENVIRONMENT'
]);
diff --git a/src/wasm-tree-sitter-grammar.js b/src/wasm-tree-sitter-grammar.js
index 1a59bf2e77..46587445fd 100644
--- a/src/wasm-tree-sitter-grammar.js
+++ b/src/wasm-tree-sitter-grammar.js
@@ -4,7 +4,7 @@ const Grim = require('grim');
const dedent = require('dedent');
const { Language, Parser, Query } = require('./web-tree-sitter');
const { CompositeDisposable, Emitter } = require('event-kit');
-const { File } = require('pathwatcher');
+const { File } = require('@pulsar-edit/pathwatcher');
const { normalizeDelimiters } = require('./comment-utils.js');
const parserInitPromise = Parser.init();
@@ -65,6 +65,32 @@ wrapQueryCaptures(Query.prototype);
// Extended: This class holds an instance of a Tree-sitter grammar.
module.exports = class WASMTreeSitterGrammar {
+
+ // Cache each `Language` instance at its own path.
+ static LANGUAGE_CACHE = new Map();
+
+ static async loadLanguage(grammarPath) {
+ // We should load each language a maximum of once.
+ //
+ // This cache makes certain trade-offs. Without it, two different grammars
+ // within the same package can point to the same WASM file and each have
+ // its own distinct “copy” of the language. Using the cache avoids this
+ // waste, but makes it unsafe for us to assume we can delete a language
+ // from this cache if its grammar is deactivated.
+ //
+ // So that's the main downside: out of an abundance of caution, we don't
+ // ever prune this cache, even if the grammar that originally loaded a
+ // language is deactivated. But deactivation of a grammar after
+ // instantiation is an uncommon occurrence outside of the test suite, so we
+ // can live with this for now.
+ if (this.LANGUAGE_CACHE.has(grammarPath)) {
+ return this.LANGUAGE_CACHE.get(grammarPath);
+ }
+ let language = await Language.load(grammarPath);
+ this.LANGUAGE_CACHE.set(grammarPath, language);
+ return language;
+ }
+
constructor(registry, grammarPath, params) {
this.registry = registry;
this.name = params.name;
@@ -197,9 +223,10 @@ module.exports = class WASMTreeSitterGrammar {
await parserInitPromise;
if (!this._language) {
try {
- this._language = await Language.load(this.treeSitterGrammarPath);
+ this._language = await WASMTreeSitterGrammar.loadLanguage(this.treeSitterGrammarPath);
} catch (err) {
console.error(`Error loading grammar for ${this.scopeName}; original error follows`);
+ console.error(err);
throw err;
}
}
@@ -479,7 +506,14 @@ module.exports = class WASMTreeSitterGrammar {
deactivate() {
this.registration?.dispose();
this.subscriptions?.dispose();
+ // A new `Query` object gets instantiated for each kind of query every time
+ // a grammar activates. Make sure they're cleaned up upon deactivation;
+ // they're WASM object and will not automatically get GC’d.
+ for (let value of this.queryCache.values()) {
+ value.delete();
+ }
this.queryCache.clear();
+ this._language = null;
}
// Extended: Define a set of rules for when this grammar should delegate to a
diff --git a/src/wasm-tree-sitter-language-mode.js b/src/wasm-tree-sitter-language-mode.js
index 03cd41574f..22b803bdbc 100644
--- a/src/wasm-tree-sitter-language-mode.js
+++ b/src/wasm-tree-sitter-language-mode.js
@@ -1,7 +1,7 @@
const { Node, Parser } = require('./web-tree-sitter');
const TokenIterator = require('./token-iterator');
-const { Point, Range, spliceArray } = require('text-buffer');
-const { Patch } = require('superstring');
+const { Point, Range, spliceArray } = require('@pulsar-edit/text-buffer');
+const { Patch } = require('@pulsar-edit/superstring');
const { CompositeDisposable, Emitter } = require('event-kit');
const ScopeDescriptor = require('./scope-descriptor');
const ScopeResolver = require('./scope-resolver');
@@ -273,6 +273,15 @@ class WASMTreeSitterLanguageMode {
this.injectionsMarkerLayer?.destroy();
this.rootLanguageLayer = null;
this.subscriptions?.dispose();
+
+ // Clean up all `Parser` instances created during the lifetime of this
+ // buffer.
+ for (let parsers of this.parsersByLanguage.values()) {
+ for (let parser of parsers) {
+ parser.delete();
+ }
+ }
+ this.parsersByLanguage.clear();
}
getGrammar() {
diff --git a/src/workspace-element.js b/src/workspace-element.js
index 6bed42aaab..85cba67ce2 100644
--- a/src/workspace-element.js
+++ b/src/workspace-element.js
@@ -1,12 +1,29 @@
'use strict';
+const ipcHelpers = require('./ipc-helpers');
const { ipcRenderer } = require('electron');
const path = require('path');
const fs = require('fs-plus');
const { CompositeDisposable, Disposable } = require('event-kit');
-const scrollbarStyle = require('scrollbar-style');
const _ = require('underscore-plus');
+// Asks for the current scrollbar style, then subscribes to a handler so it can
+// be notified of further changes. Returns a `Disposable`.
+function observeScrollbarStyle(callback) {
+ // We want to act like `atom.config.observe`: set up a change handler, but
+ // immediately invoke the callback with the current value as well. Since the
+ // main process knows the answer here, we've got to go async.
+ ipcRenderer.invoke('getScrollbarStyle').then((value) => {
+ if (value) callback(value);
+ });
+ let result = ipcHelpers.on(
+ ipcRenderer,
+ 'did-change-scrollbar-style',
+ (_, style) => callback(style)
+ );
+ return result;
+}
+
class WorkspaceElement extends HTMLElement {
connectedCallback() {
this.focus();
@@ -35,7 +52,13 @@ class WorkspaceElement extends HTMLElement {
observeScrollbarStyle() {
this.subscriptions.add(
- scrollbarStyle.observePreferredScrollbarStyle(style => {
+ // On macOS, this will update the styles for all `WorkspaceElement`
+ // scrollbars when the user changes the “Show scroll bars…” setting in
+ // System Settings.
+ //
+ // This event isn't emitted by the main process on other platforms, so
+ // it won't do anything on Windows or Linux.
+ observeScrollbarStyle((style) => {
switch (style) {
case 'legacy':
this.classList.remove('scrollbars-visible-when-scrolling');
@@ -45,6 +68,8 @@ class WorkspaceElement extends HTMLElement {
this.classList.remove('scrollbars-visible-always');
this.classList.add('scrollbars-visible-when-scrolling');
break;
+ default:
+ console.warn('Unrecognized value for scrollbar style:', style);
}
})
);
@@ -73,10 +98,102 @@ class WorkspaceElement extends HTMLElement {
}
updateGlobalTextEditorStyleSheet() {
+ // We multiply `editor.fontSize` by `editor.lineHeight` to determine how
+ // tall our lines will be. We could just pass `editor.lineHeight` into the
+ // CSS as a factor and let CSS do the math, but Chromium tends to make a
+ // mess of it, with the result being occasional tiny gaps between lines.
+ // (See https://github.com/pulsar-edit/pulsar/issues/1181.)
+ //
+ // CSS measurements often involve math that results in unusual values that
+ // will not conform to the pixel grid of the hardware. (For instance:
+ // there's no way to divide 20 hardware pixels evenly into a three-column
+ // grid where the CSS demands that each column be the same width.) Our best
+ // theory is that Chromium used to handle this internally by nudging
+ // measurements to snap to the pixel grid, but that it _stopped_ doing this
+ // at some point, or else moved the snapping behavior to a much later stage
+ // of the rendering process.
+ //
+ // (See also https://johnresig.com/blog/sub-pixel-problems-in-css/, the
+ // venerable post from 2008 on this problem.)
+ //
+ // You may think this isn't a big deal. And, indeed, if the gaps were
+ // _uniform_, you'd probably be right. But it's quite distracting when the
+ // gaps happen consistently on (e.g.) every fifth or sixth line — or
+ // however often the rounding errors accumulate and result in a shift.
+ //
+ // Since it's important to us that rendering be consistent between any
+ // arbitrary pair of consecutive lines, the best way around this seems to
+ // be to assume the task of pixel-grid management ourselves. In this case,
+ // that means we'll compute the line height ourselves while rounding to the
+ // nearest device pixel; then we'll specify the editor `line-height` in CSS
+ // pixels instead of a bare number. `editor.lineHeight` accepts a broad
+ // range of potential values, so we can't do this in 100% of cases, but we
+ // can do it easily in the most common cases.
+ //
+ // This weakens the contract here, since we're adjusting the ratio under
+ // the hood to the closest value that will work without introducing those
+ // tiny gaps. So the user might change their `editor.lineHeight` from `1.5`
+ // to `1.6` and correctly observe that nothing seems to have changed. We
+ // think that's OK — and, in the unlikely event a user thinks this is
+ // wrong, we can advise them on how to avoid this behavior.
+ let fontSize = this.config.get('editor.fontSize');
+ let fontFamily = this.config.get('editor.fontFamily');
+ let lineHeight = this.config.get('editor.lineHeight');
+ let pixelRatio = window.devicePixelRatio;
+ let adjustedLineHeight;
+
+ // The config schema allows `editor.lineHeight` to be either a bare number
+ // or a string; in the latter case, the expectation is that the user can
+ // specify the value using any valid CSS measurement. This makes
+ // interpretation of the value tricky!
+ //
+ // There's one case that should be treated identically to the number case…
+ if (typeof lineHeight === 'string' && Number(lineHeight).toString() === lineHeight) {
+ // …when the user has specified a string with bare number. We'll treat
+ // this as if the setting were _actually_ a number.
+ lineHeight = Number(lineHeight);
+ }
+
+ // There are other string-value cases that we may want to reconcile with
+ // the Chromium rendering issue described above.
+ if (typeof lineHeight === 'string') {
+ if (lineHeight.endsWith('px')) {
+ // The user has specified the `editor.lineHeight` setting with a pixel
+ // value like `"27px"`. We want to make sure this value results in a
+ // line-height that snaps to the hardware pixel grid, so we'll adjust
+ // it if necessary.
+ let lineHeightPixelValue = parseFloat(lineHeight);
+ let computedLineHeight = Math.round(lineHeightPixelValue * pixelRatio) / pixelRatio;
+ adjustedLineHeight = `${computedLineHeight.toFixed(6)}px`;
+ } else {
+ // If it's some other sort of string value, then we'll leave it as-is.
+ // It could be a more exotic CSS measurement — `1.4rem`, `3ch`, etc. —
+ // or it could just be altogether invalid. Either way, we can't easily
+ // convert it into its pixel equivalent, so we won't bother to try to
+ // avoid the Chromium rendering issue.
+ adjustedLineHeight = lineHeight;
+ }
+ } else {
+ // The `editor.lineHeight` setting is a number expressing a ratio based
+ // on the value of `editor.fontSize`. We'll turn that into a pixel value
+ // and adjust it if necessary so that it snaps to the hardware pixel
+ // grid.
+ //
+ // For instance: most screens out there these days have a
+ // `devicePixelRatio` of `2`, meaning that `1px` in CSS will use two
+ // screen pixels. So this would have the effect of snapping the line
+ // height to the nearest half-CSS-pixel.
+ //
+ // On older displays with lower DPI, `devicePixelRatio` would be `1`;
+ // this adjustment would thus snap the value to the nearest whole pixel.
+ let computedLineHeight = Math.round(fontSize * lineHeight * pixelRatio) / pixelRatio;
+ adjustedLineHeight = `${computedLineHeight.toFixed(6)}px`;
+ }
+
const styleSheetSource = `atom-workspace {
- --editor-font-size: ${this.config.get('editor.fontSize')}px;
- --editor-font-family: ${this.config.get('editor.fontFamily')};
- --editor-line-height: ${this.config.get('editor.lineHeight')};
+ --editor-font-size: ${fontSize}px;
+ --editor-font-family: ${fontFamily};
+ --editor-line-height: ${adjustedLineHeight};
}`;
this.styleManager.addStyleSheet(styleSheetSource, {
sourcePath: 'global-text-editor-styles',
@@ -362,7 +479,7 @@ class WorkspaceElement extends HTMLElement {
}
nearestVisiblePaneInDirection(direction, pane) {
- const distance = function(pointA, pointB) {
+ const distance = function (pointA, pointB) {
const x = pointB.x - pointA.x;
const y = pointB.y - pointA.y;
return Math.sqrt(Math.pow(x, 2) + Math.pow(y, 2));
diff --git a/src/workspace.js b/src/workspace.js
index ed75921952..744042da96 100644
--- a/src/workspace.js
+++ b/src/workspace.js
@@ -4,7 +4,7 @@ const path = require('path');
const { Emitter, Disposable, CompositeDisposable } = require('event-kit');
const fs = require('fs-plus');
const { Minimatch } = require('minimatch');
-const { Directory } = require('pathwatcher');
+const { Directory } = require('@pulsar-edit/pathwatcher');
const Grim = require('grim');
const DefaultDirectorySearcher = require('./default-directory-searcher');
const RipgrepDirectorySearcher = require('./ripgrep-directory-searcher');
@@ -1369,7 +1369,7 @@ module.exports = class Workspace extends Model {
// Open Pulsar's license in the active pane.
openLicense() {
const resPath = path.join(process.resourcesPath, 'LICENSE.md')
- if(fs.existsSync(resPath)) {
+ if (fs.existsSync(resPath)) {
return this.open(resPath);
} else {
return this.open(path.join(__dirname, '..', 'LICENSE.md'))
diff --git a/static/index.js b/static/index.js
index 3099c20409..27ba85edc9 100644
--- a/static/index.js
+++ b/static/index.js
@@ -4,6 +4,7 @@
const startWindowTime = Date.now();
const electron = require('electron');
+ const remote = require('@electron/remote');
const path = require('path');
const Module = require('module');
const getWindowLoadSettings = require('../src/get-window-load-settings');
@@ -12,7 +13,7 @@
const entryPointDirPath = __dirname;
let blobStore = null;
- const startupMarkers = electron.remote.getCurrentWindow().startupMarkers;
+ const startupMarkers = remote.getCurrentWindow().startupMarkers;
if (startupMarkers) {
StartupTime.importData(startupMarkers);
@@ -23,7 +24,9 @@
try {
StartupTime.addMarker('window:onload:start');
const startTime = Date.now();
- await require('second-mate').ready
+ await Promise.all([
+ require('second-mate').ready
+ ])
process.on('unhandledRejection', function(error, promise) {
console.error(
@@ -75,7 +78,7 @@
}
function handleSetupError(error) {
- const currentWindow = electron.remote.getCurrentWindow();
+ const currentWindow = remote.getCurrentWindow();
currentWindow.setSize(800, 600);
currentWindow.center();
currentWindow.show();
@@ -136,7 +139,7 @@
});
}
- const webContents = electron.remote.getCurrentWindow().webContents;
+ const webContents = remote.getCurrentWindow().webContents;
if (webContents.devToolsWebContents) {
profile();
} else {
diff --git a/yarn.lock b/yarn.lock
index 164901d82d..15200ab8f4 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -8,12 +8,12 @@
integrity sha512-sAP4LldeWNz0lNzmTird3uWfFDWWTeg6V/MsmyyLR9X1idwKBWIgt/ZvinqQldJm3LecKEs1emkbquO6PCiLVQ==
"@ampproject/remapping@^2.1.0":
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/@ampproject/remapping/-/remapping-2.2.0.tgz#56c133824780de3174aed5ab6834f3026790154d"
- integrity sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==
+ version "2.3.0"
+ resolved "https://registry.yarnpkg.com/@ampproject/remapping/-/remapping-2.3.0.tgz#ed441b6fa600072520ce18b43d2c8cc8caecc7f4"
+ integrity sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==
dependencies:
- "@jridgewell/gen-mapping" "^0.1.0"
- "@jridgewell/trace-mapping" "^0.3.9"
+ "@jridgewell/gen-mapping" "^0.3.5"
+ "@jridgewell/trace-mapping" "^0.3.24"
"@atom/babel-plugin-chai-assert-async@1.0.0":
version "1.0.0"
@@ -37,29 +37,22 @@
source-map "0.1.32"
"@babel/cli@^7":
- version "7.19.3"
- resolved "https://registry.yarnpkg.com/@babel/cli/-/cli-7.19.3.tgz#55914ed388e658e0b924b3a95da1296267e278e2"
- integrity sha512-643/TybmaCAe101m2tSVHi9UKpETXP9c/Ff4mD2tAwkdP6esKIfaauZFc67vGEM6r9fekbEGid+sZhbEnSe3dg==
+ version "7.28.3"
+ resolved "https://registry.yarnpkg.com/@babel/cli/-/cli-7.28.3.tgz#f33693753bc103ab0084a5776ccf8ab8a140038b"
+ integrity sha512-n1RU5vuCX0CsaqaXm9I0KUCNKNQMy5epmzl/xdSSm70bSqhg9GWhgeosypyQLc0bK24+Xpk1WGzZlI9pJtkZdg==
dependencies:
- "@jridgewell/trace-mapping" "^0.3.8"
- commander "^4.0.1"
- convert-source-map "^1.1.0"
+ "@jridgewell/trace-mapping" "^0.3.28"
+ commander "^6.2.0"
+ convert-source-map "^2.0.0"
fs-readdir-recursive "^1.1.0"
glob "^7.2.0"
make-dir "^2.1.0"
slash "^2.0.0"
optionalDependencies:
"@nicolo-ribaudo/chokidar-2" "2.1.8-no-fsevents.3"
- chokidar "^3.4.0"
+ chokidar "^3.6.0"
-"@babel/code-frame@^7.0.0", "@babel/code-frame@^7.10.4", "@babel/code-frame@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.18.6.tgz#3b25d38c89600baa2dcc219edfa88a74eb2c427a"
- integrity sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==
- dependencies:
- "@babel/highlight" "^7.18.6"
-
-"@babel/code-frame@^7.27.1":
+"@babel/code-frame@^7.0.0", "@babel/code-frame@^7.10.4", "@babel/code-frame@^7.18.6", "@babel/code-frame@^7.27.1":
version "7.27.1"
resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.27.1.tgz#200f715e66d52a23b221a9435534a91cc13ad5be"
integrity sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==
@@ -68,10 +61,10 @@
js-tokens "^4.0.0"
picocolors "^1.1.1"
-"@babel/compat-data@^7.12.1", "@babel/compat-data@^7.17.7", "@babel/compat-data@^7.18.6", "@babel/compat-data@^7.20.0", "@babel/compat-data@^7.20.1":
- version "7.20.1"
- resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.20.1.tgz#f2e6ef7790d8c8dbf03d379502dcc246dcce0b30"
- integrity sha512-EWZ4mE2diW3QALKvDMiXnbZpRvlj+nayZ112nK93SnhqOtpdsbVD4W+2tEoT3YNBAG9RBR0ISY758ZkOgsn6pQ==
+"@babel/compat-data@^7.12.1", "@babel/compat-data@^7.17.7", "@babel/compat-data@^7.18.6", "@babel/compat-data@^7.20.5", "@babel/compat-data@^7.27.2":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.28.4.tgz#96fdf1af1b8859c8474ab39c295312bfb7c24b04"
+ integrity sha512-YsmSKC29MJwf0gF8Rjjrg5LQCmyh+j/nD8/eP7f+BeoQTKYqs9RoWbjGOdy0+1Ekr68RJZMUOPVQaQisnIo4Rw==
"@babel/core@7.18.6":
version "7.18.6"
@@ -95,25 +88,25 @@
semver "^6.3.0"
"@babel/core@7.x", "@babel/core@^7":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.20.2.tgz#8dc9b1620a673f92d3624bd926dc49a52cf25b92"
- integrity sha512-w7DbG8DtMrJcFOi4VrLm+8QM4az8Mo+PuLBKLp2zrYRCow8W/f9xiXm5sN53C8HksCyDQwCKha9JiDoIyPjT2g==
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.28.4.tgz#12a550b8794452df4c8b084f95003bce1742d496"
+ integrity sha512-2BCOP7TN8M+gVDj7/ht3hsaO/B/n5oDbiAyyvnRlNOs+u1o+JWNYTQrmpuNp1/Wq2gcFrI01JAW+paEKDMx/CA==
dependencies:
- "@ampproject/remapping" "^2.1.0"
- "@babel/code-frame" "^7.18.6"
- "@babel/generator" "^7.20.2"
- "@babel/helper-compilation-targets" "^7.20.0"
- "@babel/helper-module-transforms" "^7.20.2"
- "@babel/helpers" "^7.20.1"
- "@babel/parser" "^7.20.2"
- "@babel/template" "^7.18.10"
- "@babel/traverse" "^7.20.1"
- "@babel/types" "^7.20.2"
- convert-source-map "^1.7.0"
+ "@babel/code-frame" "^7.27.1"
+ "@babel/generator" "^7.28.3"
+ "@babel/helper-compilation-targets" "^7.27.2"
+ "@babel/helper-module-transforms" "^7.28.3"
+ "@babel/helpers" "^7.28.4"
+ "@babel/parser" "^7.28.4"
+ "@babel/template" "^7.27.2"
+ "@babel/traverse" "^7.28.4"
+ "@babel/types" "^7.28.4"
+ "@jridgewell/remapping" "^2.3.5"
+ convert-source-map "^2.0.0"
debug "^4.1.0"
gensync "^1.0.0-beta.2"
- json5 "^2.2.1"
- semver "^6.3.0"
+ json5 "^2.2.3"
+ semver "^6.3.1"
"@babel/core@7.x <7.12.10":
version "7.12.9"
@@ -147,71 +140,56 @@
lodash "^4.17.13"
source-map "^0.5.0"
-"@babel/generator@^7.12.5", "@babel/generator@^7.18.6", "@babel/generator@^7.20.2":
- version "7.20.4"
- resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.20.4.tgz#4d9f8f0c30be75fd90a0562099a26e5839602ab8"
- integrity sha512-luCf7yk/cm7yab6CAW1aiFnmEfBJplb/JojV56MYEK7ziWfGmFlTfmL9Ehwfy4gFhbjBfWO1wj7/TuSbVNEEtA==
- dependencies:
- "@babel/types" "^7.20.2"
- "@jridgewell/gen-mapping" "^0.3.2"
- jsesc "^2.5.1"
-
-"@babel/generator@^7.27.1":
- version "7.27.1"
- resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.27.1.tgz#862d4fad858f7208edd487c28b58144036b76230"
- integrity sha512-UnJfnIpc/+JO0/+KRVQNGU+y5taA5vCbwN8+azkX6beii/ZF+enZJSOKo11ZSzGJjlNfJHfQtmQT8H+9TXPG2w==
+"@babel/generator@^7.12.5", "@babel/generator@^7.18.6", "@babel/generator@^7.28.3":
+ version "7.28.3"
+ resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.28.3.tgz#9626c1741c650cbac39121694a0f2d7451b8ef3e"
+ integrity sha512-3lSpxGgvnmZznmBkCRnVREPUFJv2wrv9iAoFDvADJc0ypmdOxdUtcLeBgBJ6zE0PMeTKnxeQzyk0xTBq4Ep7zw==
dependencies:
- "@babel/parser" "^7.27.1"
- "@babel/types" "^7.27.1"
- "@jridgewell/gen-mapping" "^0.3.5"
- "@jridgewell/trace-mapping" "^0.3.25"
+ "@babel/parser" "^7.28.3"
+ "@babel/types" "^7.28.2"
+ "@jridgewell/gen-mapping" "^0.3.12"
+ "@jridgewell/trace-mapping" "^0.3.28"
jsesc "^3.0.2"
-"@babel/helper-annotate-as-pure@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz#eaa49f6f80d5a33f9a5dd2276e6d6e451be0a6bb"
- integrity sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==
- dependencies:
- "@babel/types" "^7.18.6"
-
-"@babel/helper-builder-binary-assignment-operator-visitor@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.9.tgz#acd4edfd7a566d1d51ea975dff38fd52906981bb"
- integrity sha512-yFQ0YCHoIqarl8BCRwBL8ulYUaZpz3bNsA7oFepAzee+8/+ImtADXNOmO5vJvsPff3qi+hvpkY/NYBTrBQgdNw==
+"@babel/helper-annotate-as-pure@^7.18.6", "@babel/helper-annotate-as-pure@^7.27.1", "@babel/helper-annotate-as-pure@^7.27.3":
+ version "7.27.3"
+ resolved "https://registry.yarnpkg.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.27.3.tgz#f31fd86b915fc4daf1f3ac6976c59be7084ed9c5"
+ integrity sha512-fXSwMQqitTGeHLBC08Eq5yXz2m37E4pJX1qAU1+2cNedz/ifv/bVXft90VeSav5nFO61EcNgwr0aJxbyPaWBPg==
dependencies:
- "@babel/helper-explode-assignable-expression" "^7.18.6"
- "@babel/types" "^7.18.9"
+ "@babel/types" "^7.27.3"
-"@babel/helper-compilation-targets@^7.12.1", "@babel/helper-compilation-targets@^7.17.7", "@babel/helper-compilation-targets@^7.18.6", "@babel/helper-compilation-targets@^7.18.9", "@babel/helper-compilation-targets@^7.20.0":
- version "7.20.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.20.0.tgz#6bf5374d424e1b3922822f1d9bdaa43b1a139d0a"
- integrity sha512-0jp//vDGp9e8hZzBc6N/KwA5ZK3Wsm/pfm4CrY7vzegkVxc65SgSn6wYOnwHe9Js9HRQ1YTCKLGPzDtaS3RoLQ==
- dependencies:
- "@babel/compat-data" "^7.20.0"
- "@babel/helper-validator-option" "^7.18.6"
- browserslist "^4.21.3"
- semver "^6.3.0"
-
-"@babel/helper-create-class-features-plugin@^7.18.6", "@babel/helper-create-class-features-plugin@^7.20.2", "@babel/helper-create-class-features-plugin@^7.8.0":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.20.2.tgz#3c08a5b5417c7f07b5cf3dfb6dc79cbec682e8c2"
- integrity sha512-k22GoYRAHPYr9I+Gvy2ZQlAe5mGy8BqWst2wRt8cwIufWTxrsVshhIBvYNqC80N0GSFWTsqRVexOtfzlgOEDvA==
- dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-function-name" "^7.19.0"
- "@babel/helper-member-expression-to-functions" "^7.18.9"
- "@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/helper-replace-supers" "^7.19.1"
- "@babel/helper-split-export-declaration" "^7.18.6"
-
-"@babel/helper-create-regexp-features-plugin@^7.18.6", "@babel/helper-create-regexp-features-plugin@^7.19.0":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.19.0.tgz#7976aca61c0984202baca73d84e2337a5424a41b"
- integrity sha512-htnV+mHX32DF81amCDrwIDr8nrp1PTm+3wfBN9/v8QJOLEioOCOG7qNyq0nHeFiWbT3Eb7gsPwEmV64UCQ1jzw==
+"@babel/helper-compilation-targets@^7.12.1", "@babel/helper-compilation-targets@^7.17.7", "@babel/helper-compilation-targets@^7.18.6", "@babel/helper-compilation-targets@^7.20.7", "@babel/helper-compilation-targets@^7.27.1", "@babel/helper-compilation-targets@^7.27.2":
+ version "7.27.2"
+ resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz#46a0f6efab808d51d29ce96858dd10ce8732733d"
+ integrity sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==
+ dependencies:
+ "@babel/compat-data" "^7.27.2"
+ "@babel/helper-validator-option" "^7.27.1"
+ browserslist "^4.24.0"
+ lru-cache "^5.1.1"
+ semver "^6.3.1"
+
+"@babel/helper-create-class-features-plugin@^7.18.6", "@babel/helper-create-class-features-plugin@^7.21.0", "@babel/helper-create-class-features-plugin@^7.27.1", "@babel/helper-create-class-features-plugin@^7.8.0":
+ version "7.28.3"
+ resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.28.3.tgz#3e747434ea007910c320c4d39a6b46f20f371d46"
+ integrity sha512-V9f6ZFIYSLNEbuGA/92uOvYsGCJNsuA8ESZ4ldc09bWk/j8H8TKiPw8Mk1eG6olpnO0ALHJmYfZvF4MEE4gajg==
+ dependencies:
+ "@babel/helper-annotate-as-pure" "^7.27.3"
+ "@babel/helper-member-expression-to-functions" "^7.27.1"
+ "@babel/helper-optimise-call-expression" "^7.27.1"
+ "@babel/helper-replace-supers" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
+ "@babel/traverse" "^7.28.3"
+ semver "^6.3.1"
+
+"@babel/helper-create-regexp-features-plugin@^7.18.6", "@babel/helper-create-regexp-features-plugin@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.27.1.tgz#05b0882d97ba1d4d03519e4bce615d70afa18c53"
+ integrity sha512-uVDC72XVf8UbrH5qQTc18Agb8emwjTiZrQE11Nv3CuBEZmVvTwwE9CBUEvHku06gQCAyYf8Nv6ja1IN+6LMbxQ==
dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- regexpu-core "^5.1.0"
+ "@babel/helper-annotate-as-pure" "^7.27.1"
+ regexpu-core "^6.2.0"
+ semver "^6.3.1"
"@babel/helper-define-polyfill-provider@^0.3.1", "@babel/helper-define-polyfill-provider@^0.3.2", "@babel/helper-define-polyfill-provider@^0.3.3":
version "0.3.3"
@@ -226,38 +204,24 @@
semver "^6.1.2"
"@babel/helper-environment-visitor@^7.18.9":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz#0c0cee9b35d2ca190478756865bb3528422f51be"
- integrity sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==
-
-"@babel/helper-explode-assignable-expression@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-explode-assignable-expression/-/helper-explode-assignable-expression-7.18.6.tgz#41f8228ef0a6f1a036b8dfdfec7ce94f9a6bc096"
- integrity sha512-eyAYAsQmB80jNfg4baAtLeWAQHfHFiR483rzFK+BhETlGZaQC9bsfrugfXDCbRHLQbIA7U5NxhhOxN7p/dWIcg==
- dependencies:
- "@babel/types" "^7.18.6"
-
-"@babel/helper-function-name@^7.18.9", "@babel/helper-function-name@^7.19.0":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-function-name/-/helper-function-name-7.19.0.tgz#941574ed5390682e872e52d3f38ce9d1bef4648c"
- integrity sha512-WAwHBINyrpqywkUH0nTnNgI5ina5TFn85HKS0pbPDfxFfhyR/aNQEn4hGi1P1JyT//I0t4OgXUlofzWILRvS5w==
+ version "7.24.7"
+ resolved "https://registry.yarnpkg.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.24.7.tgz#4b31ba9551d1f90781ba83491dd59cf9b269f7d9"
+ integrity sha512-DoiN84+4Gnd0ncbBOM9AZENV4a5ZiL39HYMyZJGZ/AZEykHYdJw0wW3kdcsh9/Kn+BRXHLkkklZ51ecPKmI1CQ==
dependencies:
- "@babel/template" "^7.18.10"
- "@babel/types" "^7.19.0"
+ "@babel/types" "^7.24.7"
-"@babel/helper-hoist-variables@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.18.6.tgz#d4d2c8fb4baeaa5c68b99cc8245c56554f926678"
- integrity sha512-UlJQPkFqFULIcyW5sbzgbkxn2FKRgwWiRexcuaR8RNJRy8+LLveqPjwZV/bwrLZCN0eUHD/x8D0heK1ozuoo6Q==
- dependencies:
- "@babel/types" "^7.18.6"
+"@babel/helper-globals@^7.28.0":
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@babel/helper-globals/-/helper-globals-7.28.0.tgz#b9430df2aa4e17bc28665eadeae8aa1d985e6674"
+ integrity sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw==
-"@babel/helper-member-expression-to-functions@^7.18.9":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz#1531661e8375af843ad37ac692c132841e2fd815"
- integrity sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==
+"@babel/helper-member-expression-to-functions@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.27.1.tgz#ea1211276be93e798ce19037da6f06fbb994fa44"
+ integrity sha512-E5chM8eWjTp/aNoVpcbfM7mLxu9XGLWYise2eBKGQomAk/Mb4XoxyqXTZbuTohbsl8EKqdlMhnDI2CCLfcs9wA==
dependencies:
- "@babel/types" "^7.18.9"
+ "@babel/traverse" "^7.27.1"
+ "@babel/types" "^7.27.1"
"@babel/helper-module-imports@7.0.0":
version "7.0.0"
@@ -266,174 +230,123 @@
dependencies:
"@babel/types" "^7.0.0"
-"@babel/helper-module-imports@^7.12.1", "@babel/helper-module-imports@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz#1e3ebdbbd08aad1437b428c50204db13c5a3ca6e"
- integrity sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==
+"@babel/helper-module-imports@^7.12.1", "@babel/helper-module-imports@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz#7ef769a323e2655e126673bb6d2d6913bbead204"
+ integrity sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==
dependencies:
- "@babel/types" "^7.18.6"
+ "@babel/traverse" "^7.27.1"
+ "@babel/types" "^7.27.1"
-"@babel/helper-module-transforms@^7.12.1", "@babel/helper-module-transforms@^7.18.6", "@babel/helper-module-transforms@^7.19.6", "@babel/helper-module-transforms@^7.20.2":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.20.2.tgz#ac53da669501edd37e658602a21ba14c08748712"
- integrity sha512-zvBKyJXRbmK07XhMuujYoJ48B5yvvmM6+wcpv6Ivj4Yg6qO7NOZOSnvZN9CRl1zz1Z4cKf8YejmCMh8clOoOeA==
+"@babel/helper-module-transforms@^7.12.1", "@babel/helper-module-transforms@^7.18.6", "@babel/helper-module-transforms@^7.27.1", "@babel/helper-module-transforms@^7.28.3":
+ version "7.28.3"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.28.3.tgz#a2b37d3da3b2344fe085dab234426f2b9a2fa5f6"
+ integrity sha512-gytXUbs8k2sXS9PnQptz5o0QnpLL51SwASIORY6XaBKF88nsOT0Zw9szLqlSGQDP/4TljBAD5y98p2U1fqkdsw==
dependencies:
- "@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-module-imports" "^7.18.6"
- "@babel/helper-simple-access" "^7.20.2"
- "@babel/helper-split-export-declaration" "^7.18.6"
- "@babel/helper-validator-identifier" "^7.19.1"
- "@babel/template" "^7.18.10"
- "@babel/traverse" "^7.20.1"
- "@babel/types" "^7.20.2"
-
-"@babel/helper-optimise-call-expression@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.18.6.tgz#9369aa943ee7da47edab2cb4e838acf09d290ffe"
- integrity sha512-HP59oD9/fEHQkdcbgFCnbmgH5vIQTJbxh2yf+CdM89/glUNnuzr87Q8GIjGEnOktTROemO0Pe0iPAYbqZuOUiA==
- dependencies:
- "@babel/types" "^7.18.6"
-
-"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.16.7", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.18.9", "@babel/helper-plugin-utils@^7.19.0", "@babel/helper-plugin-utils@^7.20.2", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.20.2.tgz#d1b9000752b18d0877cff85a5c376ce5c3121629"
- integrity sha512-8RvlJG2mj4huQ4pZ+rU9lqKi9ZKiRmuvGuM2HlWmkmgOhbs6zEAw6IEiJ5cQqGbDzGZOhwuOQNtZMi/ENLjZoQ==
+ "@babel/helper-module-imports" "^7.27.1"
+ "@babel/helper-validator-identifier" "^7.27.1"
+ "@babel/traverse" "^7.28.3"
-"@babel/helper-remap-async-to-generator@^7.18.6", "@babel/helper-remap-async-to-generator@^7.18.9":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.9.tgz#997458a0e3357080e54e1d79ec347f8a8cd28519"
- integrity sha512-dI7q50YKd8BAv3VEfgg7PS7yD3Rtbi2J1XMXaalXO0W0164hYLnh8zpjRS0mte9MfVp/tltvr/cfdXPvJr1opA==
+"@babel/helper-optimise-call-expression@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.27.1.tgz#c65221b61a643f3e62705e5dd2b5f115e35f9200"
+ integrity sha512-URMGH08NzYFhubNSGJrpUEphGKQwMQYBySzat5cAByY1/YgIRkULnIy3tAMeszlL/so2HbeilYloUmSpd7GdVw==
dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-wrap-function" "^7.18.9"
- "@babel/types" "^7.18.9"
+ "@babel/types" "^7.27.1"
-"@babel/helper-replace-supers@^7.18.6", "@babel/helper-replace-supers@^7.19.1":
- version "7.19.1"
- resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.19.1.tgz#e1592a9b4b368aa6bdb8784a711e0bcbf0612b78"
- integrity sha512-T7ahH7wV0Hfs46SFh5Jz3s0B6+o8g3c+7TMxu7xKfmHikg7EAZ3I2Qk9LFhjxXq8sL7UkP5JflezNwoZa8WvWw==
- dependencies:
- "@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-member-expression-to-functions" "^7.18.9"
- "@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/traverse" "^7.19.1"
- "@babel/types" "^7.19.0"
+"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.16.7", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.18.9", "@babel/helper-plugin-utils@^7.20.2", "@babel/helper-plugin-utils@^7.27.1", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz#ddb2f876534ff8013e6c2b299bf4d39b3c51d44c"
+ integrity sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==
-"@babel/helper-simple-access@^7.19.4", "@babel/helper-simple-access@^7.20.2":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.20.2.tgz#0ab452687fe0c2cfb1e2b9e0015de07fc2d62dd9"
- integrity sha512-+0woI/WPq59IrqDYbVGfshjT5Dmk/nnbdpcF8SnMhhXObpTq2KNBdLFRFrkVdbDOyUmHBCxzm5FHV1rACIkIbA==
+"@babel/helper-remap-async-to-generator@^7.18.9", "@babel/helper-remap-async-to-generator@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.27.1.tgz#4601d5c7ce2eb2aea58328d43725523fcd362ce6"
+ integrity sha512-7fiA521aVw8lSPeI4ZOD3vRFkoqkJcS+z4hFo82bFSH/2tNd6eJ5qCVMS5OzDmZh/kaHQeBaeyxK6wljcPtveA==
dependencies:
- "@babel/types" "^7.20.2"
+ "@babel/helper-annotate-as-pure" "^7.27.1"
+ "@babel/helper-wrap-function" "^7.27.1"
+ "@babel/traverse" "^7.27.1"
-"@babel/helper-skip-transparent-expression-wrappers@^7.18.6", "@babel/helper-skip-transparent-expression-wrappers@^7.18.9":
- version "7.20.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.20.0.tgz#fbe4c52f60518cab8140d77101f0e63a8a230684"
- integrity sha512-5y1JYeNKfvnT8sZcK9DVRtpTbGiomYIHviSP3OQWmDPU3DeH4a1ZlT/N2lyQ5P8egjcRaT/Y9aNqUxK0WsnIIg==
+"@babel/helper-replace-supers@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.27.1.tgz#b1ed2d634ce3bdb730e4b52de30f8cccfd692bc0"
+ integrity sha512-7EHz6qDZc8RYS5ElPoShMheWvEgERonFCs7IAonWLLUTXW59DP14bCZt89/GKyreYn8g3S83m21FelHKbeDCKA==
dependencies:
- "@babel/types" "^7.20.0"
+ "@babel/helper-member-expression-to-functions" "^7.27.1"
+ "@babel/helper-optimise-call-expression" "^7.27.1"
+ "@babel/traverse" "^7.27.1"
-"@babel/helper-split-export-declaration@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.18.6.tgz#7367949bc75b20c6d5a5d4a97bba2824ae8ef075"
- integrity sha512-bde1etTx6ZyTmobl9LLMMQsaizFVZrquTEHOqKeQESMKo4PlObf+8+JA25ZsIpZhT/WEd39+vOdLXAFG/nELpA==
+"@babel/helper-skip-transparent-expression-wrappers@^7.18.6", "@babel/helper-skip-transparent-expression-wrappers@^7.20.0", "@babel/helper-skip-transparent-expression-wrappers@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.27.1.tgz#62bb91b3abba8c7f1fec0252d9dbea11b3ee7a56"
+ integrity sha512-Tub4ZKEXqbPjXgWLl2+3JpQAYBJ8+ikpQ2Ocj/q/r0LwE3UhENh7EUabyHjz2kCEsrRY83ew2DQdHluuiDQFzg==
dependencies:
- "@babel/types" "^7.18.6"
-
-"@babel/helper-string-parser@^7.19.4":
- version "7.19.4"
- resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.19.4.tgz#38d3acb654b4701a9b77fb0615a96f775c3a9e63"
- integrity sha512-nHtDoQcuqFmwYNYPz3Rah5ph2p8PFeFCsZk9A/48dPc/rGocJ5J3hAAZ7pb76VWX3fZKu+uEr/FhH5jLx7umrw==
+ "@babel/traverse" "^7.27.1"
+ "@babel/types" "^7.27.1"
"@babel/helper-string-parser@^7.27.1":
version "7.27.1"
resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz#54da796097ab19ce67ed9f88b47bb2ec49367687"
integrity sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==
-"@babel/helper-validator-identifier@^7.18.6", "@babel/helper-validator-identifier@^7.19.1":
- version "7.19.1"
- resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.19.1.tgz#7eea834cf32901ffdc1a7ee555e2f9c27e249ca2"
- integrity sha512-awrNfaMtnHUr653GgGEs++LlAvW6w+DcPrOliSMXWCKo597CwL5Acf/wWdNkf/tfEQE3mjkeD1YOVZOUV/od1w==
-
"@babel/helper-validator-identifier@^7.27.1":
version "7.27.1"
resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz#a7054dcc145a967dd4dc8fee845a57c1316c9df8"
integrity sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==
-"@babel/helper-validator-option@^7.12.1", "@babel/helper-validator-option@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.18.6.tgz#bf0d2b5a509b1f336099e4ff36e1a63aa5db4db8"
- integrity sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==
-
-"@babel/helper-wrap-function@^7.18.6", "@babel/helper-wrap-function@^7.18.9":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-wrap-function/-/helper-wrap-function-7.19.0.tgz#89f18335cff1152373222f76a4b37799636ae8b1"
- integrity sha512-txX8aN8CZyYGTwcLhlk87KRqncAzhh5TpQamZUa0/u3an36NtDpUP6bQgBCBcLeBs09R/OwQu3OjK0k/HwfNDg==
- dependencies:
- "@babel/helper-function-name" "^7.19.0"
- "@babel/template" "^7.18.10"
- "@babel/traverse" "^7.19.0"
- "@babel/types" "^7.19.0"
+"@babel/helper-validator-option@^7.12.1", "@babel/helper-validator-option@^7.18.6", "@babel/helper-validator-option@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz#fa52f5b1e7db1ab049445b421c4471303897702f"
+ integrity sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==
-"@babel/helpers@^7.12.5", "@babel/helpers@^7.18.6", "@babel/helpers@^7.20.1":
- version "7.20.1"
- resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.20.1.tgz#2ab7a0fcb0a03b5bf76629196ed63c2d7311f4c9"
- integrity sha512-J77mUVaDTUJFZ5BpP6mMn6OIl3rEWymk2ZxDBQJUG3P+PbmyMcF3bYWvz0ma69Af1oobDqT/iAsvzhB58xhQUg==
+"@babel/helper-wrap-function@^7.18.6", "@babel/helper-wrap-function@^7.27.1":
+ version "7.28.3"
+ resolved "https://registry.yarnpkg.com/@babel/helper-wrap-function/-/helper-wrap-function-7.28.3.tgz#fe4872092bc1438ffd0ce579e6f699609f9d0a7a"
+ integrity sha512-zdf983tNfLZFletc0RRXYrHrucBEg95NIFMkn6K9dbeMYnsgHaSBGcQqdsCSStG2PYwRre0Qc2NNSCXbG+xc6g==
dependencies:
- "@babel/template" "^7.18.10"
- "@babel/traverse" "^7.20.1"
- "@babel/types" "^7.20.0"
+ "@babel/template" "^7.27.2"
+ "@babel/traverse" "^7.28.3"
+ "@babel/types" "^7.28.2"
-"@babel/highlight@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.18.6.tgz#81158601e93e2563795adcbfbdf5d64be3f2ecdf"
- integrity sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==
+"@babel/helpers@^7.12.5", "@babel/helpers@^7.18.6", "@babel/helpers@^7.28.4":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.28.4.tgz#fe07274742e95bdf7cf1443593eeb8926ab63827"
+ integrity sha512-HFN59MmQXGHVyYadKLVumYsA9dBFun/ldYxipEjzA4196jpLZd8UjEEBLkbEkvfYreDqJhZxYAWFPtrfhNpj4w==
dependencies:
- "@babel/helper-validator-identifier" "^7.18.6"
- chalk "^2.0.0"
- js-tokens "^4.0.0"
+ "@babel/template" "^7.27.2"
+ "@babel/types" "^7.28.4"
-"@babel/parser@^7.1.0", "@babel/parser@^7.12.7", "@babel/parser@^7.18.10", "@babel/parser@^7.18.6", "@babel/parser@^7.20.2":
- version "7.20.3"
- resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.20.3.tgz#5358cf62e380cf69efcb87a7bb922ff88bfac6e2"
- integrity sha512-OP/s5a94frIPXwjzEcv5S/tpQfc6XhxYUnmWpgdqMWGgYCuErA3SzozaRAMQgSZWKeTJxht9aWAkUY+0UzvOFg==
-
-"@babel/parser@^7.27.1", "@babel/parser@^7.27.2":
- version "7.27.2"
- resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.27.2.tgz#577518bedb17a2ce4212afd052e01f7df0941127"
- integrity sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==
+"@babel/parser@^7.1.0", "@babel/parser@^7.12.7", "@babel/parser@^7.18.6", "@babel/parser@^7.20.15", "@babel/parser@^7.20.7", "@babel/parser@^7.27.2", "@babel/parser@^7.28.3", "@babel/parser@^7.28.4":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.28.4.tgz#da25d4643532890932cc03f7705fe19637e03fa8"
+ integrity sha512-yZbBqeM6TkpP9du/I2pUZnJsRMGGvOuIrhjzC1AwHwW+6he4mni6Bp/m8ijn0iOuZuPI2BfkCoSRunpyjnrQKg==
dependencies:
- "@babel/types" "^7.27.1"
-
-"@babel/parser@^7.9.4":
- version "7.20.7"
- resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.20.7.tgz#66fe23b3c8569220817d5feb8b9dcdc95bb4f71b"
- integrity sha512-T3Z9oHybU+0vZlY9CiDSJQTD5ZapcW18ZctFMi0MOAl/4BjFF4ul7NVSARLdbGO5vDqy9eQiGTV0LtKfvCYvcg==
+ "@babel/types" "^7.28.4"
"@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.18.6.tgz#da5b8f9a580acdfbe53494dba45ea389fb09a4d2"
- integrity sha512-Dgxsyg54Fx1d4Nge8UnvTrED63vrwOdPmyvPzlNN/boaliRP54pm3pGzZD1SJUwrBA+Cs/xdG8kXX6Mn/RfISQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.27.1.tgz#beb623bd573b8b6f3047bd04c32506adc3e58a72"
+ integrity sha512-g4L7OYun04N1WyqMNjldFwlfPCLVkgB54A/YCXICZYBsvJJE3kByKv9c9+R/nAfmIfjl2rKYLNyMHboYbZaWaA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.9.tgz#a11af19aa373d68d561f08e0a57242350ed0ec50"
- integrity sha512-AHrP9jadvH7qlOj6PINbgSuphjQUAK7AOT7DPjBo9EHoLhQTnnK5u45e1Hd4DbSQEO9nqPWtQ89r+XEOWFScKg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.27.1.tgz#e134a5479eb2ba9c02714e8c1ebf1ec9076124fd"
+ integrity sha512-oO02gcONcD5O1iTLi/6frMJBIwWEHceWGSGqrpCmEL8nogiS6J9PBlE48CaK20/Jx1LuRml9aDftLgdjXT8+Cw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
- "@babel/plugin-proposal-optional-chaining" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
+ "@babel/plugin-transform-optional-chaining" "^7.27.1"
"@babel/plugin-proposal-async-generator-functions@^7.12.1", "@babel/plugin-proposal-async-generator-functions@^7.18.6":
- version "7.20.1"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.20.1.tgz#352f02baa5d69f4e7529bdac39aaa02d41146af9"
- integrity sha512-Gh5rchzSwE4kC+o/6T8waD0WHEQIsDmjltY8WnWRXHUdH8axZhuH86Ov9M72YhJfDrZseQwuuWaaIT/TmePp3g==
+ version "7.20.7"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.20.7.tgz#bfb7276d2d573cb67ba379984a2334e262ba5326"
+ integrity sha512-xMbiLsn/8RK7Wq7VeVytytS2L6qE69bXPB10YCmMdDZbKF4okCqY74pI/jJQ/8U0b/F6NrT2+14b8/P9/3AMGA==
dependencies:
"@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-plugin-utils" "^7.20.2"
"@babel/helper-remap-async-to-generator" "^7.18.9"
"@babel/plugin-syntax-async-generators" "^7.8.4"
@@ -454,24 +367,22 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-proposal-class-static-block@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-class-static-block/-/plugin-proposal-class-static-block-7.18.6.tgz#8aa81d403ab72d3962fc06c26e222dacfc9b9020"
- integrity sha512-+I3oIiNxrCpup3Gi8n5IGMwj0gOCAjcJUSQEcotNnCCPMEnixawOQ+KeJPlgfjzx+FKQ1QSyZOWe7wmoJp7vhw==
+ version "7.21.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-class-static-block/-/plugin-proposal-class-static-block-7.21.0.tgz#77bdd66fb7b605f3a61302d224bdfacf5547977d"
+ integrity sha512-XP5G9MWNUskFuP30IfFSEFB0Z6HzLIUcjYM4bYOPHXl7eiJ9HFv8tWj6TXTN5QODiEhDZAeI4hLok2iHFFV4hw==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-create-class-features-plugin" "^7.21.0"
+ "@babel/helper-plugin-utils" "^7.20.2"
"@babel/plugin-syntax-class-static-block" "^7.14.5"
"@babel/plugin-proposal-decorators@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.20.2.tgz#1c6c32b2a44b154ebeec2bb534f9eaebdb541fb6"
- integrity sha512-nkBH96IBmgKnbHQ5gXFrcmez+Z9S2EIDKDQGp005ROqBigc88Tky4rzCnlP/lnlj245dCEQl4/YyV0V1kYh5dw==
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.28.0.tgz#419c8acc31088e05a774344c021800f7ddc39bf0"
+ integrity sha512-zOiZqvANjWDUaUS9xMxbMcK/Zccztbe/6ikvUXaG9nsPH3w6qh5UaPGAnirI/WhIbZ8m3OHU0ReyPrknG+ZKeg==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.20.2"
- "@babel/helper-plugin-utils" "^7.20.2"
- "@babel/helper-replace-supers" "^7.19.1"
- "@babel/helper-split-export-declaration" "^7.18.6"
- "@babel/plugin-syntax-decorators" "^7.19.0"
+ "@babel/helper-create-class-features-plugin" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/plugin-syntax-decorators" "^7.27.1"
"@babel/plugin-proposal-do-expressions@7.18.6":
version "7.18.6"
@@ -547,11 +458,11 @@
"@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
"@babel/plugin-proposal-logical-assignment-operators@^7.12.1", "@babel/plugin-proposal-logical-assignment-operators@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.9.tgz#8148cbb350483bf6220af06fa6db3690e14b2e23"
- integrity sha512-128YbMpjCrP35IOExw2Fq+x55LMP42DzhOhX2aNNIdI9avSWl2PI0yuBWarr3RYpZBSPtabfadkH2yeRiMD61Q==
+ version "7.20.7"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.20.7.tgz#dfbcaa8f7b4d37b51e8bfb46d94a5aea2bb89d83"
+ integrity sha512-y7C7cZgpMIjWlKE5T7eJwp+tnRYM89HmRvWM5EQuB5BoHEONjmQ8lSNmBUwOyy/GFRsohJED51YBF79hE1djug==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.20.2"
"@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
"@babel/plugin-proposal-nullish-coalescing-operator@7.18.6", "@babel/plugin-proposal-nullish-coalescing-operator@^7.12.1", "@babel/plugin-proposal-nullish-coalescing-operator@^7.18.6":
@@ -579,15 +490,15 @@
"@babel/plugin-syntax-object-rest-spread" "^7.8.0"
"@babel/plugin-proposal-object-rest-spread@^7.12.1", "@babel/plugin-proposal-object-rest-spread@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.2.tgz#a556f59d555f06961df1e572bb5eca864c84022d"
- integrity sha512-Ks6uej9WFK+fvIMesSqbAto5dD8Dz4VuuFvGJFKgIGSkJuRGcrwGECPA1fDgQK3/DbExBJpEkTeYeB8geIFCSQ==
+ version "7.20.7"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.7.tgz#aa662940ef425779c75534a5c41e9d936edc390a"
+ integrity sha512-d2S98yCiLxDVmBmE8UjGcfPvNEUbA1U5q5WxaWFUGRzJSVAZqm5W6MbPct0jxnegUZ0niLeNX+IOzEs7wYg9Dg==
dependencies:
- "@babel/compat-data" "^7.20.1"
- "@babel/helper-compilation-targets" "^7.20.0"
+ "@babel/compat-data" "^7.20.5"
+ "@babel/helper-compilation-targets" "^7.20.7"
"@babel/helper-plugin-utils" "^7.20.2"
"@babel/plugin-syntax-object-rest-spread" "^7.8.3"
- "@babel/plugin-transform-parameters" "^7.20.1"
+ "@babel/plugin-transform-parameters" "^7.20.7"
"@babel/plugin-proposal-optional-catch-binding@^7.12.1", "@babel/plugin-proposal-optional-catch-binding@^7.18.6":
version "7.18.6"
@@ -606,13 +517,13 @@
"@babel/helper-skip-transparent-expression-wrappers" "^7.18.6"
"@babel/plugin-syntax-optional-chaining" "^7.8.3"
-"@babel/plugin-proposal-optional-chaining@^7.12.1", "@babel/plugin-proposal-optional-chaining@^7.18.6", "@babel/plugin-proposal-optional-chaining@^7.18.9":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.9.tgz#e8e8fe0723f2563960e4bf5e9690933691915993"
- integrity sha512-v5nwt4IqBXihxGsW2QmCWMDS3B3bzGIk/EQVZz2ei7f3NJl8NzAJVvUmpDW5q1CRNY+Beb/k58UAH1Km1N411w==
+"@babel/plugin-proposal-optional-chaining@^7.12.1", "@babel/plugin-proposal-optional-chaining@^7.18.6":
+ version "7.21.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.21.0.tgz#886f5c8978deb7d30f678b2e24346b287234d3ea"
+ integrity sha512-p4zeefM72gpmEe2fkUr/OnOXpWEf8nAgk7ZYVqqfFiyIG7oFfVZcCrU64hWn5xp4tQ9LkV4bTIa5rD0KANpKNA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.20.2"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.20.0"
"@babel/plugin-syntax-optional-chaining" "^7.8.3"
"@babel/plugin-proposal-pipeline-operator@7.18.6":
@@ -632,13 +543,13 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-proposal-private-property-in-object@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.18.6.tgz#a64137b232f0aca3733a67eb1a144c192389c503"
- integrity sha512-9Rysx7FOctvT5ouj5JODjAFAkgGoudQuLPamZb0v1TGLpapdNaftzifU8NTWQm0IRjqoYypdrSmyWgkocDQ8Dw==
+ version "7.21.11"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.21.11.tgz#69d597086b6760c4126525cfa154f34631ff272c"
+ integrity sha512-0QZ8qP/3RLDVBwBFoWAwCtgcDZJVwA5LUJRZU8x2YFfKNuFq161wK3cuGrALu5yiPu+vzwTAg/sMWVNeWeNyaw==
dependencies:
"@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-create-class-features-plugin" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-create-class-features-plugin" "^7.21.0"
+ "@babel/helper-plugin-utils" "^7.20.2"
"@babel/plugin-syntax-private-property-in-object" "^7.14.5"
"@babel/plugin-proposal-throw-expressions@7.18.6":
@@ -678,19 +589,19 @@
dependencies:
"@babel/helper-plugin-utils" "^7.14.5"
-"@babel/plugin-syntax-decorators@^7.19.0":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.19.0.tgz#5f13d1d8fce96951bea01a10424463c9a5b3a599"
- integrity sha512-xaBZUEDntt4faL1yN8oIFlhfXeQAWJW7CLKYsHTUqriCUbj8xOra8bfxxKGi/UwExPFBuPdH4XfHc9rGQhrVkQ==
+"@babel/plugin-syntax-decorators@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.27.1.tgz#ee7dd9590aeebc05f9d4c8c0560007b05979a63d"
+ integrity sha512-YMq8Z87Lhl8EGkmb0MwYkt36QnxC+fzCgrl66ereamPlYToRpIk5nUjKUY3QKLWq8mwUB1BgbeXcTJhZOCDg5A==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-do-expressions@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-do-expressions/-/plugin-syntax-do-expressions-7.18.6.tgz#8581baedc0f128cdf0292e3003a7f44e47b87368"
- integrity sha512-kTogvOsjBTVOSZtkkziiXB5hwGXqwhq2gBXDaiWVruRLDT7C2GqfbsMnicHJ7ePq2GE8UJeWS34YbNP6yDhwUA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-do-expressions/-/plugin-syntax-do-expressions-7.27.1.tgz#6bd3140b48eea66f9425b57c4d9fc3ef15a5779a"
+ integrity sha512-u6oeILJBQ0jE8l0dZe6dHlxOFM7cWLCd20mJf0VV1gLxpZfy8PUV/6nFwAh2hxCGy9McWOYk+2fkUG+tqC+WJg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-dynamic-import@7.8.3", "@babel/plugin-syntax-dynamic-import@^7.8.0", "@babel/plugin-syntax-dynamic-import@^7.8.3":
version "7.8.3"
@@ -700,11 +611,11 @@
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-export-default-from@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-default-from/-/plugin-syntax-export-default-from-7.18.6.tgz#8df076711a4818c4ce4f23e61d622b0ba2ff84bc"
- integrity sha512-Kr//z3ujSVNx6E9z9ih5xXXMqK07VVTuqPmqGe6Mss/zW5XPeLZeSDZoP9ab/hT4wPKqAgjl2PnhPrcpk8Seew==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-default-from/-/plugin-syntax-export-default-from-7.27.1.tgz#8efed172e79ab657c7fa4d599224798212fb7e18"
+ integrity sha512-eBC/3KSekshx19+N40MzjWqJd7KTEdOoLesAfa4IDFI8eRz5a47i5Oszus6zG/cwIXN63YhgLOMSSNJx49sENg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-export-namespace-from@^7.8.3":
version "7.8.3"
@@ -713,33 +624,33 @@
dependencies:
"@babel/helper-plugin-utils" "^7.8.3"
-"@babel/plugin-syntax-flow@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-flow/-/plugin-syntax-flow-7.18.6.tgz#774d825256f2379d06139be0c723c4dd444f3ca1"
- integrity sha512-LUbR+KNTBWCUAqRG9ex5Gnzu2IOkt8jRJbHHXFT9q+L9zm7M/QQbEqXyw1n1pohYvOyWC8CjeyjrSaIwiYjK7A==
+"@babel/plugin-syntax-flow@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-flow/-/plugin-syntax-flow-7.27.1.tgz#6c83cf0d7d635b716827284b7ecd5aead9237662"
+ integrity sha512-p9OkPbZ5G7UT1MofwYFigGebnrzGJacoBSQM0/6bi/PUMVE+qlWDD/OalvQKbwgQzU6dl0xAv6r4X7Jme0RYxA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-function-bind@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-function-bind/-/plugin-syntax-function-bind-7.18.6.tgz#3214e8bfc71ec1de636ddbc01838c2829e560b19"
- integrity sha512-wZN0Aq/AScknI9mKGcR3TpHdASMufFGaeJgc1rhPmLtZ/PniwjePSh8cfh8tXMB3U4kh/3cRKrLjDtedejg8jQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-function-bind/-/plugin-syntax-function-bind-7.27.1.tgz#512c06f0f0e66d0566f4f19b5369780e56bf5e9c"
+ integrity sha512-H4/tUIbfZEn3nDZ+a0uwSfwetrMQUzX4QV4DgD80b9mKDiFt5kaKZIIS1kK6r1ACABM++ohPQcVq++xr8qqJcg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-function-sent@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-function-sent/-/plugin-syntax-function-sent-7.18.6.tgz#ce2e8e9979f8a26246bba81534e605c6d1369e5e"
- integrity sha512-f3OJHIlFIkg+cP1Hfo2SInLhsg0pz2Ikmgo7jMdIIKC+3jVXQlHB0bgSapOWxeWI0SU28qIWmfn5ZKu1yPJHkg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-function-sent/-/plugin-syntax-function-sent-7.27.1.tgz#144251c1dfe03aab229373c9ad2343ad384dbde7"
+ integrity sha512-fzJUWyPk5U3znUjfUsvPkOlrkgSAehrdXFOuEMEqBgqJB4IH1ph36R/0ESOjj93p3fU4q9kTr2CkpDllTiUanA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-import-assertions@^7.18.6":
- version "7.20.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.20.0.tgz#bb50e0d4bea0957235390641209394e87bdb9cc4"
- integrity sha512-IUh1vakzNoWalR8ch/areW7qFopR2AEw03JlG7BbrDqmQ4X3q9uuipQwSGrUn7oGiemKjtSLDhNtQHzMHr1JdQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.27.1.tgz#88894aefd2b03b5ee6ad1562a7c8e1587496aecd"
+ integrity sha512-UT/Jrhw57xg4ILHLFnzFpPDlMbcdEicaAtjPQpbj9wa8T4r5KVWCimHcL/460g8Ht0DMxDyjsLgiWSkVjnwPFg==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-import-meta@7.10.4":
version "7.10.4"
@@ -755,12 +666,12 @@
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
-"@babel/plugin-syntax-jsx@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.18.6.tgz#a8feef63b010150abd97f1649ec296e849943ca0"
- integrity sha512-6mmljtAedFGTWu2p/8WIORGwy+61PLgOMPOdazc7YoJ9ZCWUyFy3A6CpPkRKLKD1ToAesxX8KGEViAiLo9N+7Q==
+"@babel/plugin-syntax-jsx@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz#2f9beb5eff30fa507c5532d107daac7b888fa34c"
+ integrity sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-logical-assignment-operators@^7.10.4":
version "7.10.4"
@@ -805,11 +716,11 @@
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-pipeline-operator@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-pipeline-operator/-/plugin-syntax-pipeline-operator-7.18.6.tgz#daa44d460bba23478c329a0e8bbee433a681fd43"
- integrity sha512-pFtIdQomJtkTHWcNsGXhjJ5YUkL+AxJnP4G+Ol85UO6uT2fpHTPYLLE5bBeRA9cxf25qa/VKsJ3Fi67Gyqe3rA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-pipeline-operator/-/plugin-syntax-pipeline-operator-7.27.1.tgz#a9cd0217db407d8c6be510f0bc13845d2bb7503e"
+ integrity sha512-8HYe0Q/NCpFL9bqH2hHkKKeQsO09tGsGd1YDxrnhXgTKgJqeB2mj3a7diDQayjSlutJXDE67BlvXeudPk3XtbA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-private-property-in-object@^7.14.5":
version "7.14.5"
@@ -819,11 +730,11 @@
"@babel/helper-plugin-utils" "^7.14.5"
"@babel/plugin-syntax-throw-expressions@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-throw-expressions/-/plugin-syntax-throw-expressions-7.18.6.tgz#50889d493f7ef9631d79bae6b30f58fa8c06449f"
- integrity sha512-rp1CqEZXGv1z1YZ3qYffBH3rhnOxrTwQG8fh2yqulTurwv9zu3Gthfd+niZBLSOi1rY6146TgF+JmVeDXaX4TQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-throw-expressions/-/plugin-syntax-throw-expressions-7.27.1.tgz#53e6c6f6b5f95a636fcc453617894d56467ac32f"
+ integrity sha512-zwzZz8uFxUILQQqOSLdtFtpIRaZYzq/dza2s5PN/bX1Q3nAF+Jwl23/iAZKPdtpRMqDe6mHYYX8YkJiBJ0feMg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-syntax-top-level-await@^7.12.1", "@babel/plugin-syntax-top-level-await@^7.14.5":
version "7.14.5"
@@ -832,326 +743,333 @@
dependencies:
"@babel/helper-plugin-utils" "^7.14.5"
-"@babel/plugin-syntax-typescript@^7.20.0":
- version "7.20.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.20.0.tgz#4e9a0cfc769c85689b77a2e642d24e9f697fc8c7"
- integrity sha512-rd9TkG+u1CExzS4SM1BlMEhMXwFLKVjOAFFCDx9PbX5ycJWDoWMcwdJH9RhkPu1dOgn5TrxLot/Gx6lWFuAUNQ==
+"@babel/plugin-syntax-typescript@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz#5147d29066a793450f220c63fa3a9431b7e6dd18"
+ integrity sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-arrow-functions@^7.12.1", "@babel/plugin-transform-arrow-functions@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.18.6.tgz#19063fcf8771ec7b31d742339dac62433d0611fe"
- integrity sha512-9S9X9RUefzrsHZmKMbDXxweEH+YlE8JJEuat9FdvW9Qh1cw7W64jELCtWNkPBPX5En45uy28KGvA/AySqUh8CQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.27.1.tgz#6e2061067ba3ab0266d834a9f94811196f2aba9a"
+ integrity sha512-8Z4TGic6xW70FKThA5HYEKKyBpOOsucTOD1DjU3fZxDg+K3zBJcXMFnt/4yQiZnf5+MiOMSXQ9PaEK/Ilh1DeA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-async-to-generator@^7.12.1", "@babel/plugin-transform-async-to-generator@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.18.6.tgz#ccda3d1ab9d5ced5265fdb13f1882d5476c71615"
- integrity sha512-ARE5wZLKnTgPW7/1ftQmSi1CmkqqHo2DNmtztFhvgtOWSDfq0Cq9/9L+KnZNYSNrydBekhW3rwShduf59RoXag==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.27.1.tgz#9a93893b9379b39466c74474f55af03de78c66e7"
+ integrity sha512-NREkZsZVJS4xmTr8qzE5y8AfIPqsdQfRuUiLRTEzb7Qii8iFWCyDKaUV2c0rCuh4ljDZ98ALHP/PetiBV2nddA==
dependencies:
- "@babel/helper-module-imports" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-remap-async-to-generator" "^7.18.6"
+ "@babel/helper-module-imports" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-remap-async-to-generator" "^7.27.1"
"@babel/plugin-transform-block-scoped-functions@^7.12.1", "@babel/plugin-transform-block-scoped-functions@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.18.6.tgz#9187bf4ba302635b9d70d986ad70f038726216a8"
- integrity sha512-ExUcOqpPWnliRcPqves5HJcJOvHvIIWfuS4sroBUenPuMdmW+SMHDakmtS7qOo13sVppmUijqeTv7qqGsvURpQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.27.1.tgz#558a9d6e24cf72802dd3b62a4b51e0d62c0f57f9"
+ integrity sha512-cnqkuOtZLapWYZUYM5rVIdv1nXYuFVIltZ6ZJ7nIj585QsjKM5dhL2Fu/lICXZ1OyIAFc7Qy+bvDAtTXqGrlhg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-block-scoping@^7.12.1", "@babel/plugin-transform-block-scoping@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.20.2.tgz#f59b1767e6385c663fd0bce655db6ca9c8b236ed"
- integrity sha512-y5V15+04ry69OV2wULmwhEA6jwSWXO1TwAtIwiPXcvHcoOQUqpyMVd2bDsQJMW8AurjulIyUV8kDqtjSwHy1uQ==
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.28.4.tgz#e19ac4ddb8b7858bac1fd5c1be98a994d9726410"
+ integrity sha512-1yxmvN0MJHOhPVmAsmoW5liWwoILobu/d/ShymZmj867bAdxGbehIrew1DuLpw2Ukv+qDSSPQdYW1dLNE7t11A==
dependencies:
- "@babel/helper-plugin-utils" "^7.20.2"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-classes@^7.12.1", "@babel/plugin-transform-classes@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.20.2.tgz#c0033cf1916ccf78202d04be4281d161f6709bb2"
- integrity sha512-9rbPp0lCVVoagvtEyQKSo5L8oo0nQS/iif+lwlAz29MccX2642vWDlSZK+2T2buxbopotId2ld7zZAzRfz9j1g==
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.28.4.tgz#75d66175486788c56728a73424d67cbc7473495c"
+ integrity sha512-cFOlhIYPBv/iBoc+KS3M6et2XPtbT2HiCRfBXWtfpc9OAyostldxIf9YAYB6ypURBBbx+Qv6nyrLzASfJe+hBA==
dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-compilation-targets" "^7.20.0"
- "@babel/helper-environment-visitor" "^7.18.9"
- "@babel/helper-function-name" "^7.19.0"
- "@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.20.2"
- "@babel/helper-replace-supers" "^7.19.1"
- "@babel/helper-split-export-declaration" "^7.18.6"
- globals "^11.1.0"
+ "@babel/helper-annotate-as-pure" "^7.27.3"
+ "@babel/helper-compilation-targets" "^7.27.2"
+ "@babel/helper-globals" "^7.28.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-replace-supers" "^7.27.1"
+ "@babel/traverse" "^7.28.4"
"@babel/plugin-transform-computed-properties@^7.12.1", "@babel/plugin-transform-computed-properties@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.9.tgz#2357a8224d402dad623caf6259b611e56aec746e"
- integrity sha512-+i0ZU1bCDymKakLxn5srGHrsAPRELC2WIbzwjLhHW9SIE1cPYkLCL0NlnXMZaM1vhfgA2+M7hySk42VBvrkBRw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.27.1.tgz#81662e78bf5e734a97982c2b7f0a793288ef3caa"
+ integrity sha512-lj9PGWvMTVksbWiDT2tW68zGS/cyo4AkZ/QTp0sQT0mjPopCmrSkzxeXkznjqBxzDI6TclZhOJbBmbBLjuOZUw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/template" "^7.27.1"
"@babel/plugin-transform-destructuring@^7.12.1", "@babel/plugin-transform-destructuring@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.20.2.tgz#c23741cfa44ddd35f5e53896e88c75331b8b2792"
- integrity sha512-mENM+ZHrvEgxLTBXUiQ621rRXZes3KWUv6NdQlrnr1TkWVw+hUjQBZuP2X32qKlrlG2BzgR95gkuCRSkJl8vIw==
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.28.0.tgz#0f156588f69c596089b7d5b06f5af83d9aa7f97a"
+ integrity sha512-v1nrSMBiKcodhsyJ4Gf+Z0U/yawmJDBOTpEB3mcQY52r9RIyPneGyAS/yM6seP/8I+mWI3elOMtT5dB8GJVs+A==
dependencies:
- "@babel/helper-plugin-utils" "^7.20.2"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/traverse" "^7.28.0"
"@babel/plugin-transform-dotall-regex@^7.12.1", "@babel/plugin-transform-dotall-regex@^7.18.6", "@babel/plugin-transform-dotall-regex@^7.4.4":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.18.6.tgz#b286b3e7aae6c7b861e45bed0a2fafd6b1a4fef8"
- integrity sha512-6S3jpun1eEbAxq7TdjLotAsl4WpQI9DxfkycRcKrjhQYzU87qpXdknpBg/e+TdcMehqGnLFi7tnFUBR02Vq6wg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.27.1.tgz#aa6821de864c528b1fecf286f0a174e38e826f4d"
+ integrity sha512-gEbkDVGRvjj7+T1ivxrfgygpT7GUd4vmODtYpbs0gZATdkX8/iSnOtZSxiZnsgm1YjTgjI6VKBGSJJevkrclzw==
dependencies:
- "@babel/helper-create-regexp-features-plugin" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-create-regexp-features-plugin" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-duplicate-keys@^7.12.1", "@babel/plugin-transform-duplicate-keys@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.9.tgz#687f15ee3cdad6d85191eb2a372c4528eaa0ae0e"
- integrity sha512-d2bmXCtZXYc59/0SanQKbiWINadaJXqtvIQIzd4+hNwkWBgyCd5F/2t1kXoUdvPMrxzPvhK6EMQRROxsue+mfw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.27.1.tgz#f1fbf628ece18e12e7b32b175940e68358f546d1"
+ integrity sha512-MTyJk98sHvSs+cvZ4nOauwTTG1JeonDjSGvGGUNHreGQns+Mpt6WX/dVzWBHgg+dYZhkC4X+zTDfkTU+Vy9y7Q==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-exponentiation-operator@^7.12.1", "@babel/plugin-transform-exponentiation-operator@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.18.6.tgz#421c705f4521888c65e91fdd1af951bfefd4dacd"
- integrity sha512-wzEtc0+2c88FVR34aQmiz56dxEkxr2g8DQb/KfaFa1JYXOFVsbhvAonFN6PwVWj++fKmku8NP80plJ5Et4wqHw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.27.1.tgz#fc497b12d8277e559747f5a3ed868dd8064f83e1"
+ integrity sha512-uspvXnhHvGKf2r4VVtBpeFnuDWsJLQ6MF6lGJLC89jBR1uoVeqM416AZtTuhTezOfgHicpJQmoD5YUakO/YmXQ==
dependencies:
- "@babel/helper-builder-binary-assignment-operator-visitor" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-flow-strip-types@^7.18.6":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-flow-strip-types/-/plugin-transform-flow-strip-types-7.19.0.tgz#e9e8606633287488216028719638cbbb2f2dde8f"
- integrity sha512-sgeMlNaQVbCSpgLSKP4ZZKfsJVnFnNQlUSk6gPYzR/q7tzCgQF2t8RBKAP6cKJeZdveei7Q7Jm527xepI8lNLg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-flow-strip-types/-/plugin-transform-flow-strip-types-7.27.1.tgz#5def3e1e7730f008d683144fb79b724f92c5cdf9"
+ integrity sha512-G5eDKsu50udECw7DL2AcsysXiQyB7Nfg521t2OAJ4tbfTJ27doHLeF/vlI1NZGlLdbb/v+ibvtL1YBQqYOwJGg==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
- "@babel/plugin-syntax-flow" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/plugin-syntax-flow" "^7.27.1"
"@babel/plugin-transform-for-of@^7.12.1", "@babel/plugin-transform-for-of@^7.18.6":
- version "7.18.8"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.8.tgz#6ef8a50b244eb6a0bdbad0c7c61877e4e30097c1"
- integrity sha512-yEfTRnjuskWYo0k1mHUqrVWaZwrdq8AYbfrpqULOJOaucGSp4mNMVps+YtA8byoevxS/urwU75vyhQIxcCgiBQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.27.1.tgz#bc24f7080e9ff721b63a70ac7b2564ca15b6c40a"
+ integrity sha512-BfbWFFEJFQzLCQ5N8VocnCtA8J1CLkNTe2Ms2wocj75dd6VpiqS5Z5quTYcUoo4Yq+DN0rtikODccuv7RU81sw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
"@babel/plugin-transform-function-name@^7.12.1", "@babel/plugin-transform-function-name@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.9.tgz#cc354f8234e62968946c61a46d6365440fc764e0"
- integrity sha512-WvIBoRPaJQ5yVHzcnJFor7oS5Ls0PYixlTYE63lCj2RtdQEl15M68FXQlxnG6wdraJIXRdR7KI+hQ7q/9QjrCQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.27.1.tgz#4d0bf307720e4dce6d7c30fcb1fd6ca77bdeb3a7"
+ integrity sha512-1bQeydJF9Nr1eBCMMbC+hdwmRlsv5XYOMu03YSWFwNs0HsAmtSxxF1fyuYPqemVldVyFmlCU7w8UE14LupUSZQ==
dependencies:
- "@babel/helper-compilation-targets" "^7.18.9"
- "@babel/helper-function-name" "^7.18.9"
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-compilation-targets" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/traverse" "^7.27.1"
"@babel/plugin-transform-literals@^7.12.1", "@babel/plugin-transform-literals@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.9.tgz#72796fdbef80e56fba3c6a699d54f0de557444bc"
- integrity sha512-IFQDSRoTPnrAIrI5zoZv73IFeZu2dhu6irxQjY9rNjTT53VmKg9fenjvoiOWOkJ6mm4jKVPtdMzBY98Fp4Z4cg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-literals/-/plugin-transform-literals-7.27.1.tgz#baaefa4d10a1d4206f9dcdda50d7d5827bb70b24"
+ integrity sha512-0HCFSepIpLTkLcsi86GG3mTUzxV5jpmbv97hTETW3yzrAij8aqlD36toB1D0daVFJM8NK6GvKO0gslVQmm+zZA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-member-expression-literals@^7.12.1", "@babel/plugin-transform-member-expression-literals@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.18.6.tgz#ac9fdc1a118620ac49b7e7a5d2dc177a1bfee88e"
- integrity sha512-qSF1ihLGO3q+/g48k85tUjD033C29TNTVB2paCwZPVmOsjn9pClvYYrM2VeJpBY2bcNkuny0YUyTNRyRxJ54KA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.27.1.tgz#37b88ba594d852418e99536f5612f795f23aeaf9"
+ integrity sha512-hqoBX4dcZ1I33jCSWcXrP+1Ku7kdqXf1oeah7ooKOIiAdKQ+uqftgCFNOSzA5AMS2XIHEYeGFg4cKRCdpxzVOQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-modules-amd@^7.12.1", "@babel/plugin-transform-modules-amd@^7.18.6":
- version "7.19.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.19.6.tgz#aca391801ae55d19c4d8d2ebfeaa33df5f2a2cbd"
- integrity sha512-uG3od2mXvAtIFQIh0xrpLH6r5fpSQN04gIVovl+ODLdUMANokxQLZnPBHcjmv3GxRjnqwLuHvppjjcelqUFZvg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.27.1.tgz#a4145f9d87c2291fe2d05f994b65dba4e3e7196f"
+ integrity sha512-iCsytMg/N9/oFq6n+gFTvUYDZQOMK5kEdeYxmxt91fcJGycfxVP9CnrxoliM0oumFERba2i8ZtwRUCMhvP1LnA==
dependencies:
- "@babel/helper-module-transforms" "^7.19.6"
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-module-transforms" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
-"@babel/plugin-transform-modules-commonjs@^7.12.1", "@babel/plugin-transform-modules-commonjs@^7.18.6":
- version "7.19.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.19.6.tgz#25b32feef24df8038fc1ec56038917eacb0b730c"
- integrity sha512-8PIa1ym4XRTKuSsOUXqDG0YaOlEuTVvHMe5JCfgBMOtHvJKw/4NGovEGN33viISshG/rZNVrACiBmPQLvWN8xQ==
+"@babel/plugin-transform-modules-commonjs@^7.12.1", "@babel/plugin-transform-modules-commonjs@^7.18.6", "@babel/plugin-transform-modules-commonjs@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.27.1.tgz#8e44ed37c2787ecc23bdc367f49977476614e832"
+ integrity sha512-OJguuwlTYlN0gBZFRPqwOGNWssZjfIUdS7HMYtN8c1KmwpwHFBwTeFZrg9XZa+DFTitWOW5iTAG7tyCUPsCCyw==
dependencies:
- "@babel/helper-module-transforms" "^7.19.6"
- "@babel/helper-plugin-utils" "^7.19.0"
- "@babel/helper-simple-access" "^7.19.4"
+ "@babel/helper-module-transforms" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-modules-systemjs@^7.12.1", "@babel/plugin-transform-modules-systemjs@^7.18.6":
- version "7.19.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.19.6.tgz#59e2a84064b5736a4471b1aa7b13d4431d327e0d"
- integrity sha512-fqGLBepcc3kErfR9R3DnVpURmckXP7gj7bAlrTQyBxrigFqszZCkFkcoxzCp2v32XmwXLvbw+8Yq9/b+QqksjQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.27.1.tgz#00e05b61863070d0f3292a00126c16c0e024c4ed"
+ integrity sha512-w5N1XzsRbc0PQStASMksmUeqECuzKuTJer7kFagK8AXgpCMkeDMO5S+aaFb7A51ZYDF7XI34qsTX+fkHiIm5yA==
dependencies:
- "@babel/helper-hoist-variables" "^7.18.6"
- "@babel/helper-module-transforms" "^7.19.6"
- "@babel/helper-plugin-utils" "^7.19.0"
- "@babel/helper-validator-identifier" "^7.19.1"
+ "@babel/helper-module-transforms" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-validator-identifier" "^7.27.1"
+ "@babel/traverse" "^7.27.1"
"@babel/plugin-transform-modules-umd@^7.12.1", "@babel/plugin-transform-modules-umd@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.18.6.tgz#81d3832d6034b75b54e62821ba58f28ed0aab4b9"
- integrity sha512-dcegErExVeXcRqNtkRU/z8WlBLnvD4MRnHgNs3MytRO1Mn1sHRyhbcpYbVMGclAqOjdW+9cfkdZno9dFdfKLfQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.27.1.tgz#63f2cf4f6dc15debc12f694e44714863d34cd334"
+ integrity sha512-iQBE/xC5BV1OxJbp6WG7jq9IWiD+xxlZhLrdwpPkTX3ydmXdvoCpyfJN7acaIBZaOqTfr76pgzqBJflNbeRK+w==
dependencies:
- "@babel/helper-module-transforms" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-module-transforms" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-named-capturing-groups-regex@^7.12.1", "@babel/plugin-transform-named-capturing-groups-regex@^7.18.6":
- version "7.19.1"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.19.1.tgz#ec7455bab6cd8fb05c525a94876f435a48128888"
- integrity sha512-oWk9l9WItWBQYS4FgXD4Uyy5kq898lvkXpXQxoJEY1RnvPk4R/Dvu2ebXU9q8lP+rlMwUQTFf2Ok6d78ODa0kw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.27.1.tgz#f32b8f7818d8fc0cc46ee20a8ef75f071af976e1"
+ integrity sha512-SstR5JYy8ddZvD6MhV0tM/j16Qds4mIpJTOd1Yu9J9pJjH93bxHECF7pgtc28XvkzTD6Pxcm/0Z73Hvk7kb3Ng==
dependencies:
- "@babel/helper-create-regexp-features-plugin" "^7.19.0"
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-create-regexp-features-plugin" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-new-target@^7.12.1", "@babel/plugin-transform-new-target@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.18.6.tgz#d128f376ae200477f37c4ddfcc722a8a1b3246a8"
- integrity sha512-DjwFA/9Iu3Z+vrAn+8pBUGcjhxKguSMlsFqeCKbhb9BAV756v0krzVK04CRDi/4aqmk8BsHb4a/gFcaA5joXRw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.27.1.tgz#259c43939728cad1706ac17351b7e6a7bea1abeb"
+ integrity sha512-f6PiYeqXQ05lYq3TIfIDu/MtliKUbNwkGApPUvyo6+tc7uaR4cPjPe7DFPr15Uyycg2lZU6btZ575CuQoYh7MQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-object-super@^7.12.1", "@babel/plugin-transform-object-super@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.18.6.tgz#fb3c6ccdd15939b6ff7939944b51971ddc35912c"
- integrity sha512-uvGz6zk+pZoS1aTZrOvrbj6Pp/kK2mp45t2B+bTDre2UgsZZ8EZLSJtUg7m/no0zOJUWgFONpB7Zv9W2tSaFlA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.27.1.tgz#1c932cd27bf3874c43a5cac4f43ebf970c9871b5"
+ integrity sha512-SFy8S9plRPbIcxlJ8A6mT/CxFdJx/c04JEctz4jf8YZaVS2px34j7NXRrlGlHkN/M2gnpL37ZpGRGVFLd3l8Ng==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-replace-supers" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-replace-supers" "^7.27.1"
-"@babel/plugin-transform-parameters@^7.12.1", "@babel/plugin-transform-parameters@^7.18.6", "@babel/plugin-transform-parameters@^7.20.1":
- version "7.20.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.20.3.tgz#7b3468d70c3c5b62e46be0a47b6045d8590fb748"
- integrity sha512-oZg/Fpx0YDrj13KsLyO8I/CX3Zdw7z0O9qOd95SqcoIzuqy/WTGWvePeHAnZCN54SfdyjHcb1S30gc8zlzlHcA==
+"@babel/plugin-transform-optional-chaining@^7.27.1":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.27.1.tgz#874ce3c4f06b7780592e946026eb76a32830454f"
+ integrity sha512-BQmKPPIuc8EkZgNKsv0X4bPmOoayeu4F1YCwx2/CfmDSXDbp7GnzlUH+/ul5VGfRg1AoFPsrIThlEBj2xb4CAg==
dependencies:
- "@babel/helper-plugin-utils" "^7.20.2"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
+
+"@babel/plugin-transform-parameters@^7.12.1", "@babel/plugin-transform-parameters@^7.18.6", "@babel/plugin-transform-parameters@^7.20.7":
+ version "7.27.7"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.27.7.tgz#1fd2febb7c74e7d21cf3b05f7aebc907940af53a"
+ integrity sha512-qBkYTYCb76RRxUM6CcZA5KRu8K4SM8ajzVeUgVdMVO9NN9uI/GaVmBg/WKJJGnNokV9SY8FxNOVWGXzqzUidBg==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-property-literals@^7.12.1", "@babel/plugin-transform-property-literals@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.18.6.tgz#e22498903a483448e94e032e9bbb9c5ccbfc93a3"
- integrity sha512-cYcs6qlgafTud3PAzrrRNbQtfpQ8+y/+M5tKmksS9+M1ckbH6kzY8MrexEM9mcA6JDsukE19iIRvAyYl463sMg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.27.1.tgz#07eafd618800591e88073a0af1b940d9a42c6424"
+ integrity sha512-oThy3BCuCha8kDZ8ZkgOg2exvPYUlprMukKQXI1r1pJ47NCvxfkEy8vK+r/hT9nF0Aa4H1WUPZZjHTFtAhGfmQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-react-display-name@^7.18.6", "@babel/plugin-transform-react-display-name@^7.8.0":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.18.6.tgz#8b1125f919ef36ebdfff061d664e266c666b9415"
- integrity sha512-TV4sQ+T013n61uMoygyMRm+xf04Bd5oqFpv2jAEQwSZ8NwQA7zeRPg1LMVg2PWi3zWBz+CLKD+v5bcpZ/BS0aA==
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.28.0.tgz#6f20a7295fea7df42eb42fed8f896813f5b934de"
+ integrity sha512-D6Eujc2zMxKjfa4Zxl4GHMsmhKKZ9VpcqIchJLvwTxad9zWIYulwYItBovpDOoNLISpcZSXoDJ5gaGbQUDqViA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-react-jsx-development@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.18.6.tgz#dbe5c972811e49c7405b630e4d0d2e1380c0ddc5"
- integrity sha512-SA6HEjwYFKF7WDjWcMcMGUimmw/nhNRDWxr+KaLSCrkD/LMDBvWRmHAYgE1HDeF8KUuI8OAu+RT6EOtKxSW2qA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.27.1.tgz#47ff95940e20a3a70e68ad3d4fcb657b647f6c98"
+ integrity sha512-ykDdF5yI4f1WrAolLqeF3hmYU12j9ntLQl/AOG1HAS21jxyg1Q0/J/tpREuYLfatGdGmXp/3yS0ZA76kOlVq9Q==
dependencies:
- "@babel/plugin-transform-react-jsx" "^7.18.6"
+ "@babel/plugin-transform-react-jsx" "^7.27.1"
"@babel/plugin-transform-react-jsx-self@^7.8.0":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.18.6.tgz#3849401bab7ae8ffa1e3e5687c94a753fc75bda7"
- integrity sha512-A0LQGx4+4Jv7u/tWzoJF7alZwnBDQd6cGLh9P+Ttk4dpiL+J5p7NSNv/9tlEFFJDq3kjxOavWmbm6t0Gk+A3Ig==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.27.1.tgz#af678d8506acf52c577cac73ff7fe6615c85fc92"
+ integrity sha512-6UzkCs+ejGdZ5mFFC/OCUrv028ab2fp1znZmCZjAOBKiBK2jXD1O+BPSfX8X2qjJ75fZBMSnQn3Rq2mrBJK2mw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-react-jsx-source@^7.8.0":
- version "7.19.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.19.6.tgz#88578ae8331e5887e8ce28e4c9dc83fb29da0b86"
- integrity sha512-RpAi004QyMNisst/pvSanoRdJ4q+jMCWyk9zdw/CyLB9j8RXEahodR6l2GyttDRyEVWZtbN+TpLiHJ3t34LbsQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.27.1.tgz#dcfe2c24094bb757bf73960374e7c55e434f19f0"
+ integrity sha512-zbwoTsBruTeKB9hSq73ha66iFeJHuaFkUbwvqElnygoNbj/jHRsSeokowZFN3CZ64IvEqcmmkVe89OPXc7ldAw==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
-"@babel/plugin-transform-react-jsx@^7.18.6", "@babel/plugin-transform-react-jsx@^7.8.0":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.19.0.tgz#b3cbb7c3a00b92ec8ae1027910e331ba5c500eb9"
- integrity sha512-UVEvX3tXie3Szm3emi1+G63jyw1w5IcMY0FSKM+CRnKRI5Mr1YbCNgsSTwoTwKphQEG9P+QqmuRFneJPZuHNhg==
+"@babel/plugin-transform-react-jsx@^7.18.6", "@babel/plugin-transform-react-jsx@^7.27.1", "@babel/plugin-transform-react-jsx@^7.8.0":
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.27.1.tgz#1023bc94b78b0a2d68c82b5e96aed573bcfb9db0"
+ integrity sha512-2KH4LWGSrJIkVf5tSiBFYuXDAoWRq2MMwgivCf+93dd0GQi8RXLjKA/0EvRnVV5G0hrHczsquXuD01L8s6dmBw==
dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-module-imports" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.19.0"
- "@babel/plugin-syntax-jsx" "^7.18.6"
- "@babel/types" "^7.19.0"
+ "@babel/helper-annotate-as-pure" "^7.27.1"
+ "@babel/helper-module-imports" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/plugin-syntax-jsx" "^7.27.1"
+ "@babel/types" "^7.27.1"
"@babel/plugin-transform-react-pure-annotations@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.18.6.tgz#561af267f19f3e5d59291f9950fd7b9663d0d844"
- integrity sha512-I8VfEPg9r2TRDdvnHgPepTKvuRomzA8+u+nhY7qSI1fR2hRNebasZEETLyM5mAUr0Ku56OkXJ0I7NHJnO6cJiQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.27.1.tgz#339f1ce355eae242e0649f232b1c68907c02e879"
+ integrity sha512-JfuinvDOsD9FVMTHpzA/pBLisxpv1aSf+OIV8lgH3MuWrks19R27e6a6DipIg4aX1Zm9Wpb04p8wljfKrVSnPA==
dependencies:
- "@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-annotate-as-pure" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-regenerator@^7.12.1", "@babel/plugin-transform-regenerator@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.18.6.tgz#585c66cb84d4b4bf72519a34cfce761b8676ca73"
- integrity sha512-poqRI2+qiSdeldcz4wTSTXBRryoq3Gc70ye7m7UD5Ww0nE29IXqMl6r7Nd15WBgRd74vloEMlShtH6CKxVzfmQ==
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.28.4.tgz#9d3fa3bebb48ddd0091ce5729139cd99c67cea51"
+ integrity sha512-+ZEdQlBoRg9m2NnzvEeLgtvBMO4tkFBw5SQIUgLICgTrumLoU7lr+Oghi6km2PFj+dbUt2u1oby2w3BDO9YQnA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- regenerator-transform "^0.15.0"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-reserved-words@^7.12.1", "@babel/plugin-transform-reserved-words@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.18.6.tgz#b1abd8ebf8edaa5f7fe6bbb8d2133d23b6a6f76a"
- integrity sha512-oX/4MyMoypzHjFrT1CdivfKZ+XvIPMFXwwxHp/r0Ddy2Vuomt4HDFGmft1TAY2yiTKiNSsh3kjBAzcM8kSdsjA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.27.1.tgz#40fba4878ccbd1c56605a4479a3a891ac0274bb4"
+ integrity sha512-V2ABPHIJX4kC7HegLkYoDpfg9PVmuWy/i6vUM5eGK22bx4YVFD3M5F0QQnWQoDs6AGsUWTVOopBiMFQgHaSkVw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-shorthand-properties@^7.12.1", "@babel/plugin-transform-shorthand-properties@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.18.6.tgz#6d6df7983d67b195289be24909e3f12a8f664dc9"
- integrity sha512-eCLXXJqv8okzg86ywZJbRn19YJHU4XUa55oz2wbHhaQVn/MM+XhukiT7SYqp/7o00dg52Rj51Ny+Ecw4oyoygw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.27.1.tgz#532abdacdec87bfee1e0ef8e2fcdee543fe32b90"
+ integrity sha512-N/wH1vcn4oYawbJ13Y/FxcQrWk63jhfNa7jef0ih7PHSIHX2LB7GWE1rkPrOnka9kwMxb6hMl19p7lidA+EHmQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-spread@^7.12.1", "@babel/plugin-transform-spread@^7.18.6":
- version "7.19.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-spread/-/plugin-transform-spread-7.19.0.tgz#dd60b4620c2fec806d60cfaae364ec2188d593b6"
- integrity sha512-RsuMk7j6n+r752EtzyScnWkQyuJdli6LdO5Klv8Yx0OfPVTcQkIUfS8clx5e9yHXzlnhOZF3CbQ8C2uP5j074w==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-spread/-/plugin-transform-spread-7.27.1.tgz#1a264d5fc12750918f50e3fe3e24e437178abb08"
+ integrity sha512-kpb3HUqaILBJcRFVhFUs6Trdd4mkrzcGXss+6/mxUd273PfbWqSDHRzMT2234gIg2QYfAjvXLSquP1xECSg09Q==
dependencies:
- "@babel/helper-plugin-utils" "^7.19.0"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
"@babel/plugin-transform-sticky-regex@^7.12.1", "@babel/plugin-transform-sticky-regex@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.18.6.tgz#c6706eb2b1524028e317720339583ad0f444adcc"
- integrity sha512-kfiDrDQ+PBsQDO85yj1icueWMfGfJFKN1KCkndygtu/C9+XUfydLC8Iv5UYJqRwy4zk8EcplRxEOeLyjq1gm6Q==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.27.1.tgz#18984935d9d2296843a491d78a014939f7dcd280"
+ integrity sha512-lhInBO5bi/Kowe2/aLdBAawijx+q1pQzicSgnkB6dUPc1+RC8QmJHKf2OjvU+NZWitguJHEaEmbV6VWEouT58g==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-template-literals@^7.12.1", "@babel/plugin-transform-template-literals@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.9.tgz#04ec6f10acdaa81846689d63fae117dd9c243a5e"
- integrity sha512-S8cOWfT82gTezpYOiVaGHrCbhlHgKhQt8XH5ES46P2XWmX92yisoZywf5km75wv5sYcXDUCLMmMxOLCtthDgMA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.27.1.tgz#1a0eb35d8bb3e6efc06c9fd40eb0bcef548328b8"
+ integrity sha512-fBJKiV7F2DxZUkg5EtHKXQdbsbURW3DZKQUWphDum0uRP6eHGGa/He9mc0mypL680pb+e/lDIthRohlv8NCHkg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-typeof-symbol@^7.12.1", "@babel/plugin-transform-typeof-symbol@^7.18.6":
- version "7.18.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.9.tgz#c8cea68263e45addcd6afc9091429f80925762c0"
- integrity sha512-SRfwTtF11G2aemAZWivL7PD+C9z52v9EvMqH9BuYbabyPuKUvSWks3oCg6041pT925L4zVFqaVBeECwsmlguEw==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.27.1.tgz#70e966bb492e03509cf37eafa6dcc3051f844369"
+ integrity sha512-RiSILC+nRJM7FY5srIyc4/fGIwUhyDuuBSdWn4y6yT6gm652DpCHZjIipgn6B7MQ1ITOUnAKWixEUjQRIBIcLw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
-"@babel/plugin-transform-typescript@^7.18.6":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.20.2.tgz#91515527b376fc122ba83b13d70b01af8fe98f3f"
- integrity sha512-jvS+ngBfrnTUBfOQq8NfGnSbF9BrqlR6hjJ2yVxMkmO5nL/cdifNbI30EfjRlN4g5wYWNnMPyj5Sa6R1pbLeag==
+"@babel/plugin-transform-typescript@^7.27.1":
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.28.0.tgz#796cbd249ab56c18168b49e3e1d341b72af04a6b"
+ integrity sha512-4AEiDEBPIZvLQaWlc9liCavE0xRM0dNca41WtBeM3jgFptfUOSG9z0uteLhq6+3rq+WB6jIvUwKDTpXEHPJ2Vg==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.20.2"
- "@babel/helper-plugin-utils" "^7.20.2"
- "@babel/plugin-syntax-typescript" "^7.20.0"
+ "@babel/helper-annotate-as-pure" "^7.27.3"
+ "@babel/helper-create-class-features-plugin" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.27.1"
+ "@babel/plugin-syntax-typescript" "^7.27.1"
"@babel/plugin-transform-unicode-escapes@^7.12.1", "@babel/plugin-transform-unicode-escapes@^7.18.6":
- version "7.18.10"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.18.10.tgz#1ecfb0eda83d09bbcb77c09970c2dd55832aa246"
- integrity sha512-kKAdAI+YzPgGY/ftStBFXTI1LZFju38rYThnfMykS+IXy8BVx+res7s2fxf1l8I35DV2T97ezo6+SGrXz6B3iQ==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.27.1.tgz#3e3143f8438aef842de28816ece58780190cf806"
+ integrity sha512-Ysg4v6AmF26k9vpfFuTZg8HRfVWzsh1kVfowA23y9j/Gu6dOuahdUVhkLqpObp3JIv27MLSii6noRnuKN8H0Mg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/plugin-transform-unicode-regex@^7.12.1", "@babel/plugin-transform-unicode-regex@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.18.6.tgz#194317225d8c201bbae103364ffe9e2cea36cdca"
- integrity sha512-gE7A6Lt7YLnNOL3Pb9BNeZvi+d8l7tcRrG4+pwJjK9hD2xX4mEvjlQW60G9EEmfXVYRPv9VRQcyegIVHCql/AA==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.27.1.tgz#25948f5c395db15f609028e370667ed8bae9af97"
+ integrity sha512-xvINq24TRojDuyt6JGtHmkVkrfVV3FPT16uytxImLeBZqW3/H52yN+kM1MGuyPkIQxrzKwPHs5U/MP3qKyzkGw==
dependencies:
- "@babel/helper-create-regexp-features-plugin" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-create-regexp-features-plugin" "^7.27.1"
+ "@babel/helper-plugin-utils" "^7.27.1"
"@babel/preset-env@7.12.1":
version "7.12.1"
@@ -1316,9 +1234,9 @@
"@babel/plugin-transform-flow-strip-types" "^7.18.6"
"@babel/preset-modules@^0.1.3", "@babel/preset-modules@^0.1.5":
- version "0.1.5"
- resolved "https://registry.yarnpkg.com/@babel/preset-modules/-/preset-modules-0.1.5.tgz#ef939d6e7f268827e1841638dc6ff95515e115d9"
- integrity sha512-A57th6YRG7oR3cq/yt/Y84MvGgE0eJG2F1JLhKuyG+jFxEgrd/HAMJatiFtmOiZurz+0DkrvbheCLaV5f2JfjA==
+ version "0.1.6"
+ resolved "https://registry.yarnpkg.com/@babel/preset-modules/-/preset-modules-0.1.6.tgz#31bcdd8f19538437339d17af00d177d854d9d458"
+ integrity sha512-ID2yj6K/4lKfhuU3+EX4UvNbIt7eACFbHmNUjzA+ep+B5971CknnA/9DEWKbRokfbbtblxxxXFJJrH47UEAMVg==
dependencies:
"@babel/helper-plugin-utils" "^7.0.0"
"@babel/plugin-proposal-unicode-property-regex" "^7.4.4"
@@ -1350,31 +1268,22 @@
"@babel/plugin-transform-react-jsx-source" "^7.8.0"
"@babel/preset-typescript@^7.18.6":
- version "7.18.6"
- resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.18.6.tgz#ce64be3e63eddc44240c6358daefac17b3186399"
- integrity sha512-s9ik86kXBAnD760aybBucdpnLsAt0jK1xqJn2juOn9lkOvSHV60os5hxoVJsPzMQxvnUJFAlkont2DvvaYEBtQ==
- dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-validator-option" "^7.18.6"
- "@babel/plugin-transform-typescript" "^7.18.6"
-
-"@babel/runtime@^7.0.0", "@babel/runtime@^7.12.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4":
- version "7.20.1"
- resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.20.1.tgz#1148bb33ab252b165a06698fde7576092a78b4a9"
- integrity sha512-mrzLkl6U9YLF8qpqI7TB82PESyEGjm/0Ly91jG575eVxMMlb8fYfOXFZIJ8XfLrJZQbm7dlKry2bJmXBUEkdFg==
+ version "7.27.1"
+ resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.27.1.tgz#190742a6428d282306648a55b0529b561484f912"
+ integrity sha512-l7WfQfX0WK4M0v2RudjuQK4u99BS6yLHYEmdtVPP7lKV013zr9DygFuWNlnbvQ9LR+LS0Egz/XAvGx5U9MX0fQ==
dependencies:
- regenerator-runtime "^0.13.10"
+ "@babel/helper-plugin-utils" "^7.27.1"
+ "@babel/helper-validator-option" "^7.27.1"
+ "@babel/plugin-syntax-jsx" "^7.27.1"
+ "@babel/plugin-transform-modules-commonjs" "^7.27.1"
+ "@babel/plugin-transform-typescript" "^7.27.1"
-"@babel/template@^7.12.7", "@babel/template@^7.18.10", "@babel/template@^7.18.6":
- version "7.18.10"
- resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.18.10.tgz#6f9134835970d1dbf0835c0d100c9f38de0c5e71"
- integrity sha512-TI+rCtooWHr3QJ27kJxfjutghu44DLnasDMwpDqCXVTal9RLp3RSYNh4NdBrRP2cQAoG9A8juOQl6P6oZG4JxA==
- dependencies:
- "@babel/code-frame" "^7.18.6"
- "@babel/parser" "^7.18.10"
- "@babel/types" "^7.18.10"
+"@babel/runtime@^7.0.0", "@babel/runtime@^7.12.5", "@babel/runtime@^7.7.2":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.28.4.tgz#a70226016fabe25c5783b2f22d3e1c9bc5ca3326"
+ integrity sha512-Q/N6JNWvIvPnLDvjlE1OUBLPQHH6l3CltCEsHIujp45zQUSSh8K+gHnaEX45yAT1nyngnINhvWtzN+Nb9D8RAQ==
-"@babel/template@^7.27.1":
+"@babel/template@^7.12.7", "@babel/template@^7.18.6", "@babel/template@^7.27.1", "@babel/template@^7.27.2":
version "7.27.2"
resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.27.2.tgz#fa78ceed3c4e7b63ebf6cb39e5852fca45f6809d"
integrity sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==
@@ -1383,32 +1292,23 @@
"@babel/parser" "^7.27.2"
"@babel/types" "^7.27.1"
-"@babel/traverse@^7.12.9", "@babel/traverse@^7.18.6", "@babel/traverse@^7.19.0", "@babel/traverse@^7.19.1", "@babel/traverse@^7.20.1":
- version "7.27.1"
- resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.27.1.tgz#4db772902b133bbddd1c4f7a7ee47761c1b9f291"
- integrity sha512-ZCYtZciz1IWJB4U61UPu4KEaqyfj+r5T1Q5mqPo+IBpcG9kHv30Z0aD8LXPgC1trYa6rK0orRyAhqUgk4MjmEg==
+"@babel/traverse@^7.12.9", "@babel/traverse@^7.18.6", "@babel/traverse@^7.27.1", "@babel/traverse@^7.28.0", "@babel/traverse@^7.28.3", "@babel/traverse@^7.28.4":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.28.4.tgz#8d456101b96ab175d487249f60680221692b958b"
+ integrity sha512-YEzuboP2qvQavAcjgQNVgsvHIDv6ZpwXvcvjmyySP2DIMuByS/6ioU5G9pYrWHM6T2YDfc7xga9iNzYOs12CFQ==
dependencies:
"@babel/code-frame" "^7.27.1"
- "@babel/generator" "^7.27.1"
- "@babel/parser" "^7.27.1"
- "@babel/template" "^7.27.1"
- "@babel/types" "^7.27.1"
+ "@babel/generator" "^7.28.3"
+ "@babel/helper-globals" "^7.28.0"
+ "@babel/parser" "^7.28.4"
+ "@babel/template" "^7.27.2"
+ "@babel/types" "^7.28.4"
debug "^4.3.1"
- globals "^11.1.0"
-
-"@babel/types@^7.0.0", "@babel/types@^7.12.1", "@babel/types@^7.12.7", "@babel/types@^7.18.10", "@babel/types@^7.18.6", "@babel/types@^7.18.9", "@babel/types@^7.19.0", "@babel/types@^7.20.0", "@babel/types@^7.20.2", "@babel/types@^7.3.0", "@babel/types@^7.4.4", "@babel/types@^7.8.0":
- version "7.20.2"
- resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.20.2.tgz#67ac09266606190f496322dbaff360fdaa5e7842"
- integrity sha512-FnnvsNWgZCr232sqtXggapvlkk/tuwR/qhGzcmxI0GXLCjmPYQPzio2FbdlWuY6y1sHFfQKk+rRbUZ9VStQMog==
- dependencies:
- "@babel/helper-string-parser" "^7.19.4"
- "@babel/helper-validator-identifier" "^7.19.1"
- to-fast-properties "^2.0.0"
-"@babel/types@^7.27.1":
- version "7.27.1"
- resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.27.1.tgz#9defc53c16fc899e46941fc6901a9eea1c9d8560"
- integrity sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==
+"@babel/types@^7.0.0", "@babel/types@^7.12.1", "@babel/types@^7.12.7", "@babel/types@^7.18.6", "@babel/types@^7.20.7", "@babel/types@^7.24.7", "@babel/types@^7.27.1", "@babel/types@^7.27.3", "@babel/types@^7.28.2", "@babel/types@^7.28.4", "@babel/types@^7.4.4", "@babel/types@^7.8.0":
+ version "7.28.4"
+ resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.28.4.tgz#0a4e618f4c60a7cd6c11cb2d48060e4dbe38ac3a"
+ integrity sha512-bkFqkLhh3pMBUQQkpVgWDWq/lqzc2678eUyDlTBhRqhCHFguYYGM0Efga7tYk4TogG/3x0EEl66/OQ+WGbWB/Q==
dependencies:
"@babel/helper-string-parser" "^7.27.1"
"@babel/helper-validator-identifier" "^7.27.1"
@@ -1421,30 +1321,89 @@
ajv "^6.12.0"
ajv-keywords "^3.4.1"
-"@electron/get@^1.0.1":
- version "1.14.1"
- resolved "https://registry.yarnpkg.com/@electron/get/-/get-1.14.1.tgz#16ba75f02dffb74c23965e72d617adc721d27f40"
- integrity sha512-BrZYyL/6m0ZXz/lDxy/nlVhQz+WF+iPS6qXolEU8atw7h6v1aYkjwJZ63m+bJMBTxDE66X+r2tPS4a/8C82sZw==
+"@electron/get@^2.0.0":
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/@electron/get/-/get-2.0.3.tgz#fba552683d387aebd9f3fcadbcafc8e12ee4f960"
+ integrity sha512-Qkzpg2s9GnVV2I2BjRksUi43U5e6+zaQMcjoJy0C+C5oxaKl+fmckGDQFtRpZpZV0NQekuZZ+tGz7EA9TVnQtQ==
dependencies:
debug "^4.1.1"
env-paths "^2.2.0"
fs-extra "^8.1.0"
- got "^9.6.0"
+ got "^11.8.5"
progress "^2.0.3"
semver "^6.2.0"
sumchecker "^3.0.1"
optionalDependencies:
global-agent "^3.0.0"
- global-tunnel-ng "^2.7.1"
+
+"@electron/node-gyp@git+https://github.com/electron/node-gyp.git#06b29aafb7708acef8b3669835c8a7857ebc92d2":
+ version "10.2.0-electron.1"
+ resolved "git+https://github.com/electron/node-gyp.git#06b29aafb7708acef8b3669835c8a7857ebc92d2"
+ dependencies:
+ env-paths "^2.2.0"
+ exponential-backoff "^3.1.1"
+ glob "^8.1.0"
+ graceful-fs "^4.2.6"
+ make-fetch-happen "^10.2.1"
+ nopt "^6.0.0"
+ proc-log "^2.0.1"
+ semver "^7.3.5"
+ tar "^6.2.1"
+ which "^2.0.2"
"@electron/notarize@^1.2.3":
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/@electron/notarize/-/notarize-1.2.3.tgz#38056a629e5a0b5fd56c975c4828c0f74285b644"
- integrity sha512-9oRzT56rKh5bspk3KpAVF8lPKHYQrBnRwcgiOeR0hdilVEQmszDaAu0IPCPrwwzJN0ugNs0rRboTreHMt/6mBQ==
+ version "1.2.4"
+ resolved "https://registry.yarnpkg.com/@electron/notarize/-/notarize-1.2.4.tgz#a7d38773f4cad40df111a5edc64037e5d768ea1e"
+ integrity sha512-W5GQhJEosFNafewnS28d3bpQ37/s91CDWqxVchHfmv2dQSTWpOzNlUVQwYzC1ay5bChRV/A9BTL68yj0Pa+TSg==
dependencies:
debug "^4.1.1"
fs-extra "^9.0.1"
+"@electron/rebuild@3.6.0":
+ version "3.6.0"
+ resolved "https://registry.yarnpkg.com/@electron/rebuild/-/rebuild-3.6.0.tgz#60211375a5f8541a71eb07dd2f97354ad0b2b96f"
+ integrity sha512-zF4x3QupRU3uNGaP5X1wjpmcjfw1H87kyqZ00Tc3HvriV+4gmOGuvQjGNkrJuXdsApssdNyVwLsy+TaeTGGcVw==
+ dependencies:
+ "@malept/cross-spawn-promise" "^2.0.0"
+ chalk "^4.0.0"
+ debug "^4.1.1"
+ detect-libc "^2.0.1"
+ fs-extra "^10.0.0"
+ got "^11.7.0"
+ node-abi "^3.45.0"
+ node-api-version "^0.2.0"
+ node-gyp "^9.0.0"
+ ora "^5.1.0"
+ read-binary-file-arch "^1.0.6"
+ semver "^7.3.5"
+ tar "^6.0.5"
+ yargs "^17.0.1"
+
+"@electron/rebuild@^3.2.11":
+ version "3.7.2"
+ resolved "https://registry.yarnpkg.com/@electron/rebuild/-/rebuild-3.7.2.tgz#8d808b29159c50086d27a5dec72b40bf16b4b582"
+ integrity sha512-19/KbIR/DAxbsCkiaGMXIdPnMCJLkcf8AvGnduJtWBs/CBwiAjY1apCqOLVxrXg+rtXFCngbXhBanWjxLUt1Mg==
+ dependencies:
+ "@electron/node-gyp" "https://github.com/electron/node-gyp#06b29aafb7708acef8b3669835c8a7857ebc92d2"
+ "@malept/cross-spawn-promise" "^2.0.0"
+ chalk "^4.0.0"
+ debug "^4.1.1"
+ detect-libc "^2.0.1"
+ fs-extra "^10.0.0"
+ got "^11.7.0"
+ node-abi "^3.45.0"
+ node-api-version "^0.2.0"
+ ora "^5.1.0"
+ read-binary-file-arch "^1.0.6"
+ semver "^7.3.5"
+ tar "^6.0.5"
+ yargs "^17.0.1"
+
+"@electron/remote@2.1.2", "@electron/remote@^2.1.0":
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/@electron/remote/-/remote-2.1.2.tgz#52a97c8faa5b769155b649ef262f2f8c851776e6"
+ integrity sha512-EPwNx+nhdrTBxyCqXt/pftoQg/ybtWDW3DUWHafejvnB1ZGGfMpv6e15D8KeempocjXe78T7WreyGGb3mlZxdA==
+
"@electron/universal@1.2.1":
version "1.2.1"
resolved "https://registry.yarnpkg.com/@electron/universal/-/universal-1.2.1.tgz#3c2c4ff37063a4e9ab1e6ff57db0bc619bc82339"
@@ -1467,14 +1426,26 @@
esquery "^1.4.0"
jsdoc-type-pratt-parser "~3.1.0"
-"@eslint/eslintrc@^1.4.1":
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-1.4.1.tgz#af58772019a2d271b7e2d4c23ff4ddcba3ccfb3e"
- integrity sha512-XXrH9Uarn0stsyldqDYq8r++mROmWRI1xKMXa640Bb//SY1+ECYX6VzT6Lcx5frD0V30XieqJ0oX9I2Xj5aoMA==
+"@eslint-community/eslint-utils@^4.2.0":
+ version "4.9.0"
+ resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.9.0.tgz#7308df158e064f0dd8b8fdb58aa14fa2a7f913b3"
+ integrity sha512-ayVFHdtZ+hsq1t2Dy24wCmGXGe4q9Gu3smhLYALJrr473ZH27MsnSL+LKUlimp4BWJqMDMLmPpx/Q9R3OAlL4g==
+ dependencies:
+ eslint-visitor-keys "^3.4.3"
+
+"@eslint-community/regexpp@^4.6.1":
+ version "4.12.1"
+ resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.12.1.tgz#cfc6cffe39df390a3841cde2abccf92eaa7ae0e0"
+ integrity sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==
+
+"@eslint/eslintrc@^2.1.4":
+ version "2.1.4"
+ resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.1.4.tgz#388a269f0f25c1b6adc317b5a2c55714894c70ad"
+ integrity sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==
dependencies:
ajv "^6.12.4"
debug "^4.3.2"
- espree "^9.4.0"
+ espree "^9.6.0"
globals "^13.19.0"
ignore "^5.2.0"
import-fresh "^3.2.1"
@@ -1482,64 +1453,64 @@
minimatch "^3.1.2"
strip-json-comments "^3.1.1"
-"@formatjs/ecma402-abstract@2.0.0":
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/@formatjs/ecma402-abstract/-/ecma402-abstract-2.0.0.tgz#39197ab90b1c78b7342b129a56a7acdb8f512e17"
- integrity sha512-rRqXOqdFmk7RYvj4khklyqzcfQl9vEL/usogncBHRZfZBDOwMGuSRNFl02fu5KGHXdbinju+YXyuR+Nk8xlr/g==
- dependencies:
- "@formatjs/intl-localematcher" "0.5.4"
- tslib "^2.4.0"
+"@eslint/js@8.57.1":
+ version "8.57.1"
+ resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.57.1.tgz#de633db3ec2ef6a3c89e2f19038063e8a122e2c2"
+ integrity sha512-d9zaMRSTIKDLhctzH12MtXvJKSSUhaHcjV+2Z+GK+EEY7XKpP5yR4x+N3TAcHTcu963nIr+TMcCb4DBCYX1z6Q==
-"@formatjs/fast-memoize@2.2.0":
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/@formatjs/fast-memoize/-/fast-memoize-2.2.0.tgz#33bd616d2e486c3e8ef4e68c99648c196887802b"
- integrity sha512-hnk/nY8FyrL5YxwP9e4r9dqeM6cAbo8PeU9UjyXojZMNvVad2Z06FAVHyR3Ecw6fza+0GH7vdJgiKIVXTMbSBA==
+"@formatjs/ecma402-abstract@2.3.6":
+ version "2.3.6"
+ resolved "https://registry.yarnpkg.com/@formatjs/ecma402-abstract/-/ecma402-abstract-2.3.6.tgz#d6ca9d3579054fe1e1a0a0b5e872e0d64922e4e1"
+ integrity sha512-HJnTFeRM2kVFVr5gr5kH1XP6K0JcJtE7Lzvtr3FS/so5f1kpsqqqxy5JF+FRaO6H2qmcMfAUIox7AJteieRtVw==
dependencies:
- tslib "^2.4.0"
+ "@formatjs/fast-memoize" "2.2.7"
+ "@formatjs/intl-localematcher" "0.6.2"
+ decimal.js "^10.4.3"
+ tslib "^2.8.0"
-"@formatjs/fast-memoize@^2.2.6":
- version "2.2.6"
- resolved "https://registry.yarnpkg.com/@formatjs/fast-memoize/-/fast-memoize-2.2.6.tgz#fac0a84207a1396be1f1aa4ee2805b179e9343d1"
- integrity sha512-luIXeE2LJbQnnzotY1f2U2m7xuQNj2DA8Vq4ce1BY9ebRZaoPB1+8eZ6nXpLzsxuW5spQxr7LdCg+CApZwkqkw==
+"@formatjs/fast-memoize@2.2.7", "@formatjs/fast-memoize@^2.2.6":
+ version "2.2.7"
+ resolved "https://registry.yarnpkg.com/@formatjs/fast-memoize/-/fast-memoize-2.2.7.tgz#707f9ddaeb522a32f6715bb7950b0831f4cc7b15"
+ integrity sha512-Yabmi9nSvyOMrlSeGGWDiH7rf3a7sIwplbvo/dlz9WCIjzIQAfy1RMf4S0X3yG724n5Ghu2GmEl5NJIV6O9sZQ==
dependencies:
- tslib "2"
+ tslib "^2.8.0"
-"@formatjs/icu-messageformat-parser@2.7.8":
- version "2.7.8"
- resolved "https://registry.yarnpkg.com/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.7.8.tgz#f6d7643001e9bb5930d812f1f9a9856f30fa0343"
- integrity sha512-nBZJYmhpcSX0WeJ5SDYUkZ42AgR3xiyhNCsQweFx3cz/ULJjym8bHAzWKvG5e2+1XO98dBYC0fWeeAECAVSwLA==
+"@formatjs/icu-messageformat-parser@2.11.4":
+ version "2.11.4"
+ resolved "https://registry.yarnpkg.com/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.11.4.tgz#63bd2cd82d08ae2bef55adeeb86486df68826f32"
+ integrity sha512-7kR78cRrPNB4fjGFZg3Rmj5aah8rQj9KPzuLsmcSn4ipLXQvC04keycTI1F7kJYDwIXtT2+7IDEto842CfZBtw==
dependencies:
- "@formatjs/ecma402-abstract" "2.0.0"
- "@formatjs/icu-skeleton-parser" "1.8.2"
- tslib "^2.4.0"
+ "@formatjs/ecma402-abstract" "2.3.6"
+ "@formatjs/icu-skeleton-parser" "1.8.16"
+ tslib "^2.8.0"
-"@formatjs/icu-skeleton-parser@1.8.2":
- version "1.8.2"
- resolved "https://registry.yarnpkg.com/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.8.2.tgz#2252c949ae84ee66930e726130ea66731a123c9f"
- integrity sha512-k4ERKgw7aKGWJZgTarIcNEmvyTVD9FYh0mTrrBMHZ1b8hUu6iOJ4SzsZlo3UNAvHYa+PnvntIwRPt1/vy4nA9Q==
+"@formatjs/icu-skeleton-parser@1.8.16":
+ version "1.8.16"
+ resolved "https://registry.yarnpkg.com/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.8.16.tgz#13f81f6845c7cf6599623006aacaf7d6b4ad2970"
+ integrity sha512-H13E9Xl+PxBd8D5/6TVUluSpxGNvFSlN/b3coUp0e0JpuWXXnQDiavIpY3NnvSp4xhEMoXyyBvVfdFX8jglOHQ==
dependencies:
- "@formatjs/ecma402-abstract" "2.0.0"
- tslib "^2.4.0"
+ "@formatjs/ecma402-abstract" "2.3.6"
+ tslib "^2.8.0"
-"@formatjs/intl-localematcher@0.5.4":
- version "0.5.4"
- resolved "https://registry.yarnpkg.com/@formatjs/intl-localematcher/-/intl-localematcher-0.5.4.tgz#caa71f2e40d93e37d58be35cfffe57865f2b366f"
- integrity sha512-zTwEpWOzZ2CiKcB93BLngUX59hQkuZjT2+SAQEscSm52peDW/getsawMcWF1rGRpMCX6D7nSJA3CzJ8gn13N/g==
+"@formatjs/intl-localematcher@0.6.2":
+ version "0.6.2"
+ resolved "https://registry.yarnpkg.com/@formatjs/intl-localematcher/-/intl-localematcher-0.6.2.tgz#e9ebe0b4082d7d48e5b2d753579fb7ece4eaefea"
+ integrity sha512-XOMO2Hupl0wdd172Y06h6kLpBz6Dv+J4okPLl4LPtzbr8f66WbIoy4ev98EBuZ6ZK4h5ydTN6XneT4QVpD7cdA==
dependencies:
- tslib "^2.4.0"
+ tslib "^2.8.0"
-"@gar/promisify@^1.0.1":
+"@gar/promisify@^1.1.3":
version "1.1.3"
resolved "https://registry.yarnpkg.com/@gar/promisify/-/promisify-1.1.3.tgz#555193ab2e3bb3b6adc3d551c9c030d9e860daf6"
integrity sha512-k2Ty1JcVojjJFwrg/ThKi2ujJ7XNLYaFGNB/bWT9wGR+oSMJHMa5w+CUq6p/pVrKeNNgA7pCqEcjSnHVoqJQFw==
-"@humanwhocodes/config-array@^0.11.8":
- version "0.11.8"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.8.tgz#03595ac2075a4dc0f191cc2131de14fbd7d410b9"
- integrity sha512-UybHIJzJnR5Qc/MsD9Kr+RpO2h+/P1GhOwdiLPXK5TWk5sgTdu88bTD9UP+CKbPPh5Rni1u0GjAdYQLemG8g+g==
+"@humanwhocodes/config-array@^0.13.0":
+ version "0.13.0"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.13.0.tgz#fb907624df3256d04b9aa2df50d7aa97ec648748"
+ integrity sha512-DZLEEqFWQFiyK6h5YIeynKx7JlvCYWL0cImfSRXZ9l4Sg2efkFGTuFf6vzXjK1cq6IYkU+Eg/JizXw+TD2vRNw==
dependencies:
- "@humanwhocodes/object-schema" "^1.2.1"
- debug "^4.1.1"
+ "@humanwhocodes/object-schema" "^2.0.3"
+ debug "^4.3.1"
minimatch "^3.0.5"
"@humanwhocodes/module-importer@^1.0.1":
@@ -1547,87 +1518,61 @@
resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
-"@humanwhocodes/object-schema@^1.2.1":
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
- integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
+"@humanwhocodes/object-schema@^2.0.3":
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-2.0.3.tgz#4a2868d75d6d6963e423bcf90b7fd1be343409d3"
+ integrity sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==
-"@jridgewell/gen-mapping@^0.1.0":
- version "0.1.1"
- resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz#e5d2e450306a9491e3bd77e323e38d7aff315996"
- integrity sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==
- dependencies:
- "@jridgewell/set-array" "^1.0.0"
- "@jridgewell/sourcemap-codec" "^1.4.10"
+"@isaacs/balanced-match@^4.0.1":
+ version "4.0.1"
+ resolved "https://registry.yarnpkg.com/@isaacs/balanced-match/-/balanced-match-4.0.1.tgz#3081dadbc3460661b751e7591d7faea5df39dd29"
+ integrity sha512-yzMTt9lEb8Gv7zRioUilSglI0c0smZ9k5D65677DLWLtWJaXIS3CqcGyUFByYKlnUj6TkjLVs54fBl6+TiGQDQ==
-"@jridgewell/gen-mapping@^0.3.2":
- version "0.3.2"
- resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz#c1aedc61e853f2bb9f5dfe6d4442d3b565b253b9"
- integrity sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==
+"@isaacs/brace-expansion@^5.0.0":
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/@isaacs/brace-expansion/-/brace-expansion-5.0.0.tgz#4b3dabab7d8e75a429414a96bd67bf4c1d13e0f3"
+ integrity sha512-ZT55BDLV0yv0RBm2czMiZ+SqCGO7AvmOM3G/w2xhVPH+te0aKgFjmBvGlL1dH+ql2tgGO3MVrbb3jCKyvpgnxA==
dependencies:
- "@jridgewell/set-array" "^1.0.1"
- "@jridgewell/sourcemap-codec" "^1.4.10"
- "@jridgewell/trace-mapping" "^0.3.9"
+ "@isaacs/balanced-match" "^4.0.1"
-"@jridgewell/gen-mapping@^0.3.5":
- version "0.3.8"
- resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz#4f0e06362e01362f823d348f1872b08f666d8142"
- integrity sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==
+"@jridgewell/gen-mapping@^0.3.12", "@jridgewell/gen-mapping@^0.3.5":
+ version "0.3.13"
+ resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.13.tgz#6342a19f44347518c93e43b1ac69deb3c4656a1f"
+ integrity sha512-2kkt/7niJ6MgEPxF0bYdQ6etZaA+fQvDcLKckhy1yIQOzaoKjBBjSj63/aLVjYE3qhRt5dvM+uUyfCg6UKCBbA==
dependencies:
- "@jridgewell/set-array" "^1.2.1"
- "@jridgewell/sourcemap-codec" "^1.4.10"
+ "@jridgewell/sourcemap-codec" "^1.5.0"
"@jridgewell/trace-mapping" "^0.3.24"
-"@jridgewell/resolve-uri@3.1.0":
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz#2203b118c157721addfe69d47b70465463066d78"
- integrity sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==
+"@jridgewell/remapping@^2.3.5":
+ version "2.3.5"
+ resolved "https://registry.yarnpkg.com/@jridgewell/remapping/-/remapping-2.3.5.tgz#375c476d1972947851ba1e15ae8f123047445aa1"
+ integrity sha512-LI9u/+laYG4Ds1TDKSJW2YPrIlcVYOwi2fUC6xB43lueCjgxV4lffOCZCtYFiH6TNOX+tQKXx97T4IKHbhyHEQ==
+ dependencies:
+ "@jridgewell/gen-mapping" "^0.3.5"
+ "@jridgewell/trace-mapping" "^0.3.24"
"@jridgewell/resolve-uri@^3.1.0":
version "3.1.2"
resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz#7a0ee601f60f99a20c7c7c5ff0c80388c1189bd6"
integrity sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==
-"@jridgewell/set-array@^1.0.0", "@jridgewell/set-array@^1.0.1":
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/@jridgewell/set-array/-/set-array-1.1.2.tgz#7c6cf998d6d20b914c0a55a91ae928ff25965e72"
- integrity sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==
-
-"@jridgewell/set-array@^1.2.1":
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/@jridgewell/set-array/-/set-array-1.2.1.tgz#558fb6472ed16a4c850b889530e6b36438c49280"
- integrity sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==
-
-"@jridgewell/sourcemap-codec@1.4.14", "@jridgewell/sourcemap-codec@^1.4.10":
- version "1.4.14"
- resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz#add4c98d341472a289190b424efbdb096991bb24"
- integrity sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==
+"@jridgewell/sourcemap-codec@^1.4.14", "@jridgewell/sourcemap-codec@^1.5.0":
+ version "1.5.5"
+ resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.5.tgz#6912b00d2c631c0d15ce1a7ab57cd657f2a8f8ba"
+ integrity sha512-cYQ9310grqxueWbl+WuIUIaiUaDcj7WOq5fVhEljNVgRfOUhY9fy2zTvfoqWsnebh8Sl70VScFbICvJnLKB0Og==
-"@jridgewell/sourcemap-codec@^1.4.14":
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz#3188bcb273a414b0d215fd22a58540b989b9409a"
- integrity sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==
-
-"@jridgewell/trace-mapping@^0.3.24", "@jridgewell/trace-mapping@^0.3.25":
- version "0.3.25"
- resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz#15f190e98895f3fc23276ee14bc76b675c2e50f0"
- integrity sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==
+"@jridgewell/trace-mapping@^0.3.24", "@jridgewell/trace-mapping@^0.3.28":
+ version "0.3.31"
+ resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.31.tgz#db15d6781c931f3a251a3dac39501c98a6082fd0"
+ integrity sha512-zzNR+SdQSDJzc8joaeP8QQoCQr8NuYx2dIIytl1QeBEZHJ9uW6hebsrYgbz8hJwUQao3TWCMtmfV8Nu1twOLAw==
dependencies:
"@jridgewell/resolve-uri" "^3.1.0"
"@jridgewell/sourcemap-codec" "^1.4.14"
-"@jridgewell/trace-mapping@^0.3.8", "@jridgewell/trace-mapping@^0.3.9":
- version "0.3.17"
- resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.17.tgz#793041277af9073b0951a7fe0f0d8c4c98c36985"
- integrity sha512-MCNzAp77qzKca9+W/+I0+sEpaUnZoeasnghNeVc41VZCEKaCH73Vq3BZZ/SzWIgrqE4H4ceI+p+b6C0mHf9T4g==
- dependencies:
- "@jridgewell/resolve-uri" "3.1.0"
- "@jridgewell/sourcemap-codec" "1.4.14"
-
"@jsdoc/salty@^0.2.1":
- version "0.2.2"
- resolved "https://registry.yarnpkg.com/@jsdoc/salty/-/salty-0.2.2.tgz#567017ddda2048c5ff921aeffd38564a0578fdca"
- integrity sha512-A1FrVnc7L9qI2gUGsfN0trTiJNK72Y0CL/VAyrmYEmeKI3pnHDawP64CEev31XLyAAOx2xmDo3tbadPxC0CSbw==
+ version "0.2.9"
+ resolved "https://registry.yarnpkg.com/@jsdoc/salty/-/salty-0.2.9.tgz#4d8c147f7ca011532681ce86352a77a0178f1dec"
+ integrity sha512-yYxMVH7Dqw6nO0d5NIV8OQWnitU8k6vXH8NtgqAfIa/IUqRMxRv/NUJJ08VEKbAakwxlgBl5PJdrU0dMPStsnw==
dependencies:
lodash "^4.17.21"
@@ -1686,42 +1631,141 @@
"@nodelib/fs.scandir" "2.1.5"
fastq "^1.6.0"
-"@npmcli/fs@^1.0.0":
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/@npmcli/fs/-/fs-1.1.1.tgz#72f719fe935e687c56a4faecf3c03d06ba593257"
- integrity sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==
+"@npmcli/fs@^2.1.0":
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/@npmcli/fs/-/fs-2.1.2.tgz#a9e2541a4a2fec2e69c29b35e6060973da79b865"
+ integrity sha512-yOJKRvohFOaLqipNtwYB9WugyZKhC/DZC4VYPmpaCzDBrA8YpK3qHZ8/HGscMnE4GqbkLNuVcCnxkeQEdGt6LQ==
dependencies:
- "@gar/promisify" "^1.0.1"
+ "@gar/promisify" "^1.1.3"
semver "^7.3.5"
-"@npmcli/move-file@^1.0.1":
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/@npmcli/move-file/-/move-file-1.1.2.tgz#1a82c3e372f7cae9253eb66d72543d6b8685c674"
- integrity sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==
+"@npmcli/move-file@^2.0.0":
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/@npmcli/move-file/-/move-file-2.0.1.tgz#26f6bdc379d87f75e55739bab89db525b06100e4"
+ integrity sha512-mJd2Z5TjYWq/ttPLLGqArdtnC74J6bOzg4rMDnN+p1xTacZ2yPRCk2y0oSWQtygLR9YVQXgOcONrwtnk3JupxQ==
+ dependencies:
+ mkdirp "^1.0.4"
+ rimraf "^3.0.2"
+
+"@paralleldrive/cuid2@^2.2.2":
+ version "2.2.2"
+ resolved "https://registry.yarnpkg.com/@paralleldrive/cuid2/-/cuid2-2.2.2.tgz#7f91364d53b89e2c9cb9e02e8dd0f129e834455f"
+ integrity sha512-ZOBkgDwEdoYVlSeRbYYXs0S9MejQofiVYoTbKzy/6GQa39/q5tQU2IX46+shYnUkpEl3wc+J6wRlar7r2EK2xA==
+ dependencies:
+ "@noble/hashes" "^1.1.5"
+
+"@playwright/test@1.22.2":
+ version "1.22.2"
+ resolved "https://registry.yarnpkg.com/@playwright/test/-/test-1.22.2.tgz#b848f25f8918140c2d0bae8e9227a40198f2dd4a"
+ integrity sha512-cCl96BEBGPtptFz7C2FOSN3PrTnJ3rPpENe+gYCMx4GNNDlN4tmo2D89y13feGKTMMAIVrXfSQ/UmaQKLy1XLA==
+ dependencies:
+ "@types/node" "*"
+ playwright-core "1.22.2"
+
+"@pulsar-edit/atom-keymap@^9.0.2":
+ version "9.0.2"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/atom-keymap/-/atom-keymap-9.0.2.tgz#2e65f87f6e4d1c501e74a61575308d616ae0c8c0"
+ integrity sha512-2rXUV8hGhxVNb3wexN8LMBEwx1eAlUE5BJ7F0ZXbW8i8CZ0lAolLZOnI6PNQWSubj6iabtASHnO3rCb63qr7TQ==
+ dependencies:
+ "@electron/rebuild" "^3.2.11"
+ "@pulsar-edit/keyboard-layout" "^3.0.4"
+ "@pulsar-edit/pathwatcher" "^9.0.2"
+ clear-cut "^2"
+ event-kit "^1.0.0"
+ fs-plus "^3.0.0"
+ grim "^1.2.1"
+ property-accessors "^1"
+ season "^6.0.2"
+
+"@pulsar-edit/fuzzy-native@1.3.0":
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/fuzzy-native/-/fuzzy-native-1.3.0.tgz#e163ab6f5ca2508493e27d417e93f67672df2ea1"
+ integrity sha512-vENyad38rMcgJZBiNf/Q0+y4fCrepj1MNwFnyf7ejqEJBFMrKCzJ77jtkvx1gNzSasjOfK3oHuJ2w7TMoFKj2g==
+ dependencies:
+ nan "^2.18.0"
+
+"@pulsar-edit/get-scrollbar-style@^1.0.1":
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/get-scrollbar-style/-/get-scrollbar-style-1.0.1.tgz#00a45b768ec3451c57e194538e96ad30f26b28e8"
+ integrity sha512-1DMvPe0iOUleVh+Kcd5gx+A7UiHemYgJ/2GCPiVH2PGWBlPdjYsbl0RHW77CEEhzVENXEUYta7F6DXCWiz8fUA==
+ dependencies:
+ node-addon-api "^6.1.0"
+
+"@pulsar-edit/git-utils@^7.0.1":
+ version "7.0.1"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/git-utils/-/git-utils-7.0.1.tgz#5b1cd4902851b5473e67d1a9b2056472f4df1ecc"
+ integrity sha512-ZFrx+c/+4wrJD7IdEZbTh5RXpmnyLFINSPqzqtmtnNhuBbUxXIFG7BYglJ5N8c4ffJP4JjWzqQqBdYb/6BM16w==
+ dependencies:
+ fs-plus "^3.0.0"
+ nan "^2.14.2"
+
+"@pulsar-edit/keyboard-layout@^3.0.4":
+ version "3.0.4"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/keyboard-layout/-/keyboard-layout-3.0.4.tgz#8474b2658c37b7c17324baf89639189b1273dfb5"
+ integrity sha512-qpyaN5lEOruWXYTPfK4mh82o+1V6B2apMCMTKo+qxX29lRJXCsxZVu2xrOADU3ORfTsQAYIE2w+l5zlgBh48hA==
+ dependencies:
+ event-kit "^2.0.0"
+ node-addon-api "^7.1.1"
+
+"@pulsar-edit/pathwatcher@^9.0.2":
+ version "9.0.2"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/pathwatcher/-/pathwatcher-9.0.2.tgz#6c520011910a0e560a0d4bb88ccc03f8a890bdb6"
+ integrity sha512-5FsBUfUsynrS+0W1OlnGNj29wYzHPNgzr06APTScF/zYjnrz02uYj1edYeZOYiErxeBuVWsecrRYue82Zu42zg==
+ dependencies:
+ async "~0.2.10"
+ emissary "^1.3.2"
+ event-kit "^2.1.0"
+ fs-plus "^3.0.0"
+ grim "^2.0.1"
+ iconv-lite "~0.4.4"
+ underscore-plus "~1.x"
+
+"@pulsar-edit/scandal@^4.0.0":
+ version "4.0.0"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/scandal/-/scandal-4.0.0.tgz#0a43a5d3be7fcecd87b010fe1f2cac105dc4d807"
+ integrity sha512-ZX+AL68+/zwqsPzEPyNJG3AHmRtkzU5dIMvSreT/qqlz1brs9b3aD8zeEDRL981YJ9btbLiM9Ng0gzSroL0rSw==
dependencies:
- mkdirp "^1.0.4"
- rimraf "^3.0.2"
+ "@pulsar-edit/git-utils" "^7.0.1"
+ argparse "^1.0.2"
+ isbinaryfile "^3.0.3"
+ minimatch "^2.0.9"
+ split "^1.0.0"
+ temp "^0.8.3"
-"@paralleldrive/cuid2@^2.2.2":
- version "2.2.2"
- resolved "https://registry.yarnpkg.com/@paralleldrive/cuid2/-/cuid2-2.2.2.tgz#7f91364d53b89e2c9cb9e02e8dd0f129e834455f"
- integrity sha512-ZOBkgDwEdoYVlSeRbYYXs0S9MejQofiVYoTbKzy/6GQa39/q5tQU2IX46+shYnUkpEl3wc+J6wRlar7r2EK2xA==
+"@pulsar-edit/superstring@^3.0.4":
+ version "3.0.4"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/superstring/-/superstring-3.0.4.tgz#b6fa89cec8ebdb745c7d18c225b2663f1a6c518e"
+ integrity sha512-2gAZOOMCcwjLmFAojiBwyk/4aoj29jezZ80bH+7axjg8/6lFQk63L0Mu3+/lwSjDYMQ1XU6ebZGhBhHHtFSXYA==
dependencies:
- "@noble/hashes" "^1.1.5"
+ node-addon-api "^8.5.0"
-"@playwright/test@1.22.2":
- version "1.22.2"
- resolved "https://registry.yarnpkg.com/@playwright/test/-/test-1.22.2.tgz#b848f25f8918140c2d0bae8e9227a40198f2dd4a"
- integrity sha512-cCl96BEBGPtptFz7C2FOSN3PrTnJ3rPpENe+gYCMx4GNNDlN4tmo2D89y13feGKTMMAIVrXfSQ/UmaQKLy1XLA==
+"@pulsar-edit/text-buffer@^14.0.3":
+ version "14.0.3"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/text-buffer/-/text-buffer-14.0.3.tgz#b88823b185c1522d0411baff0a08c2e0e4a8f89f"
+ integrity sha512-+YUq3a+/+KoOHKE5SaKqchGgsKuACRD04PonqlpZjaEoGe4BIpMwr+8GbLrw/DpFKfv1urAemmgkEEFJEB9TEA==
dependencies:
- "@types/node" "*"
- playwright-core "1.22.2"
+ "@pulsar-edit/pathwatcher" "^9.0.2"
+ "@pulsar-edit/superstring" "^3.0.4"
+ delegato "^1.0.0"
+ diff "^2.2.1"
+ emissary "^1.0.0"
+ event-kit "^2.4.0"
+ fs-admin "^0.19.0"
+ fs-plus "^3.0.0"
+ grim "^2.0.2"
+ mkdirp "^0.5.1"
+ serializable "^1.0.3"
+ underscore-plus "^1.0.0"
+ winattr "^3.0.0"
-"@pulsar-edit/fuzzy-native@https://github.com/pulsar-edit/fuzzy-native.git#c6ddd2e0ace7b3cfe8082fcbe5985c49f76da5b8":
- version "1.2.1"
- resolved "https://github.com/pulsar-edit/fuzzy-native.git#c6ddd2e0ace7b3cfe8082fcbe5985c49f76da5b8"
+"@pulsar-edit/whats-my-line@0.3.0":
+ version "0.3.0"
+ resolved "https://registry.yarnpkg.com/@pulsar-edit/whats-my-line/-/whats-my-line-0.3.0.tgz#a87d34c0875dc722c2b0344481acb9c155364dfa"
+ integrity sha512-m1aKppObM53jw9DoCCK3UdqbkABFeOAmJ2WYyiXvmoErTJ0uiPMiIdnnv5vCvalia2IEyDYPNXmQrWCH1A5YPA==
dependencies:
- nan "2.17.0"
+ "@pulsar-edit/superstring" "^3.0.4"
+ dugite "2.5.2"
+ what-the-diff "^0.6.0"
"@sindresorhus/is@^0.14.0":
version "0.14.0"
@@ -1734,9 +1778,9 @@
integrity sha512-t09vSN3MdfsyCHoFcTRCH/iUtG7OJ0CsjzB8cjAmKc/va/kIgeDI/TxsigdncE/4be734m0cvIYwNaV4i2XqAw==
"@sinonjs/commons@^1", "@sinonjs/commons@^1.6.0", "@sinonjs/commons@^1.7.0", "@sinonjs/commons@^1.8.1":
- version "1.8.5"
- resolved "https://registry.yarnpkg.com/@sinonjs/commons/-/commons-1.8.5.tgz#e280c94c95f206dcfd5aca00a43f2156b758c764"
- integrity sha512-rTpCA0wG1wUxglBSFdMMY0oTrKYvgf4fNgv/sXbfCVAdf+FnPBdKJR/7XbpTCwbCrvCbdPYnlWaUUYz4V2fPDA==
+ version "1.8.6"
+ resolved "https://registry.yarnpkg.com/@sinonjs/commons/-/commons-1.8.6.tgz#80c516a4dc264c2a69115e7578d62581ff455ed9"
+ integrity sha512-Ky+XkAkqPZSm3NLBeUng77EBQl3cmeJhITaGHdYH8kjVB+aun3S4XBRti2zt17mtt0mIUDiNxYeoJm6drVvBJQ==
dependencies:
type-detect "4.0.8"
@@ -1765,9 +1809,9 @@
type-detect "^4.0.8"
"@sinonjs/text-encoding@^0.7.1":
- version "0.7.2"
- resolved "https://registry.yarnpkg.com/@sinonjs/text-encoding/-/text-encoding-0.7.2.tgz#5981a8db18b56ba38ef0efb7d995b12aa7b51918"
- integrity sha512-sXXKG+uL9IrKqViTtao2Ws6dy0znu9sOaP1di/jKGW1M6VssO8vlpXCQcpZ+jisQ1tTFAC5Jo/EOzFbggBagFQ==
+ version "0.7.3"
+ resolved "https://registry.yarnpkg.com/@sinonjs/text-encoding/-/text-encoding-0.7.3.tgz#282046f03e886e352b2d5f5da5eb755e01457f3f"
+ integrity sha512-DE427ROAphMQzU4ENbliGYrBSYPXF+TtLg9S8vzeA+OF4ZKzoDdzfL8sxuMUGS/lgRhM6j1URSk9ghf7Xo1tyA==
"@szmarczak/http-timer@^1.1.2":
version "1.1.2"
@@ -1783,36 +1827,31 @@
dependencies:
defer-to-connect "^2.0.0"
-"@tootallnate/once@1":
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-1.1.2.tgz#ccb91445360179a04e7fe6aff78c00ffc1eeaf82"
- integrity sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==
-
"@tootallnate/once@2":
version "2.0.0"
resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-2.0.0.tgz#f544a148d3ab35801c1f633a7441fd87c2e484bf"
integrity sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A==
"@types/aria-query@^5.0.0":
- version "5.0.1"
- resolved "https://registry.yarnpkg.com/@types/aria-query/-/aria-query-5.0.1.tgz#3286741fb8f1e1580ac28784add4c7a1d49bdfbc"
- integrity sha512-XTIieEY+gvJ39ChLcB4If5zHtPxt3Syj5rgZR+e1ctpmK8NjPf0zFqsz4JpLJT0xla9GFDKjy8Cpu331nrmE1Q==
+ version "5.0.4"
+ resolved "https://registry.yarnpkg.com/@types/aria-query/-/aria-query-5.0.4.tgz#1a31c3d378850d2778dabb6374d036dcba4ba708"
+ integrity sha512-rfT93uj5s0PRL7EzccGMs3brplhcrghnDoV26NqKhCAS1hVo+WdNsPvE/yb6ilfr5hi2MEk6d5EWJTKdxg8jVw==
"@types/babel__core@^7.1.12", "@types/babel__core@^7.1.19":
- version "7.1.20"
- resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.1.20.tgz#e168cdd612c92a2d335029ed62ac94c95b362359"
- integrity sha512-PVb6Bg2QuscZ30FvOU7z4guG6c926D9YRvOxEaelzndpMsvP+YM74Q/dAFASpg2l6+XLalxSGxcq/lrgYWZtyQ==
+ version "7.20.5"
+ resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.20.5.tgz#3df15f27ba85319caa07ba08d0721889bb39c017"
+ integrity sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==
dependencies:
- "@babel/parser" "^7.1.0"
- "@babel/types" "^7.0.0"
+ "@babel/parser" "^7.20.7"
+ "@babel/types" "^7.20.7"
"@types/babel__generator" "*"
"@types/babel__template" "*"
"@types/babel__traverse" "*"
"@types/babel__generator@*":
- version "7.6.4"
- resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.6.4.tgz#1f20ce4c5b1990b37900b63f050182d28c2439b7"
- integrity sha512-tFkciB9j2K755yrTALxD44McOrk+gfpIpvC3sxHjRawj6PfnQxrse4Clq5y/Rq+G3mrBurMax/lG8Qn2t9mSsg==
+ version "7.27.0"
+ resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.27.0.tgz#b5819294c51179957afaec341442f9341e4108a9"
+ integrity sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==
dependencies:
"@babel/types" "^7.0.0"
@@ -1822,19 +1861,19 @@
integrity sha512-epEgKQiqTDZdPgYwtriYK1GVAGcyVZVvvw2UatX3+95mogKGimebApcMEWLF12uhUbNIvX284CSQEavnV/OIgw==
"@types/babel__template@*":
- version "7.4.1"
- resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.1.tgz#3d1a48fd9d6c0edfd56f2ff578daed48f36c8969"
- integrity sha512-azBFKemX6kMg5Io+/rdGT0dkGreboUVR0Cdm3fz9QJWpaQGJRQXl7C+6hOTCZcMll7KFyEQpgbYI2lHdsS4U7g==
+ version "7.4.4"
+ resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.4.tgz#5672513701c1b2199bc6dad636a9d7491586766f"
+ integrity sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==
dependencies:
"@babel/parser" "^7.1.0"
"@babel/types" "^7.0.0"
"@types/babel__traverse@*":
- version "7.18.2"
- resolved "https://registry.yarnpkg.com/@types/babel__traverse/-/babel__traverse-7.18.2.tgz#235bf339d17185bdec25e024ca19cce257cc7309"
- integrity sha512-FcFaxOr2V5KZCviw1TnutEMVUVsGt4D2hP1TAfXZAMKuHYW3xQhe3jTxNPWutgCJ3/X1c5yX8ZoGVEItxKbwBg==
+ version "7.28.0"
+ resolved "https://registry.yarnpkg.com/@types/babel__traverse/-/babel__traverse-7.28.0.tgz#07d713d6cce0d265c9849db0cbe62d3f61f36f74"
+ integrity sha512-8PvcXf70gTDZBgt9ptxJ8elBeBjcLOAcOtoO/mPJjtji1+CdGbHgm77om1GrsPxsiE+uXIpNSK64UYaIwQXd4Q==
dependencies:
- "@babel/types" "^7.3.0"
+ "@babel/types" "^7.28.2"
"@types/cacheable-request@^6.0.1":
version "6.0.3"
@@ -1847,9 +1886,9 @@
"@types/responselike" "^1.0.0"
"@types/debug@^4.1.6":
- version "4.1.7"
- resolved "https://registry.yarnpkg.com/@types/debug/-/debug-4.1.7.tgz#7cc0ea761509124709b8b2d1090d8f6c17aadb82"
- integrity sha512-9AonUzyTjXXhEOa0DnqpzZi6VHlqKMswga9EXjpXnnqxwLtdvPPtlO8evrI5D9S6asFRCQ6v+wpiUKbw+vKqyg==
+ version "4.1.12"
+ resolved "https://registry.yarnpkg.com/@types/debug/-/debug-4.1.12.tgz#a155f21690871953410df4b6b6f53187f0500917"
+ integrity sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==
dependencies:
"@types/ms" "*"
@@ -1869,9 +1908,9 @@
"@types/node" "*"
"@types/http-cache-semantics@*":
- version "4.0.1"
- resolved "https://registry.yarnpkg.com/@types/http-cache-semantics/-/http-cache-semantics-4.0.1.tgz#0ea7b61496902b95890dc4c3a116b60cb8dae812"
- integrity sha512-SZs7ekbP8CN0txVG2xVRH6EgKmEm31BOxA07vkFaETzZz1xh+cbt8BcI0slpymvwhx5dlFnQG2rTlPVQn+iRPQ==
+ version "4.0.4"
+ resolved "https://registry.yarnpkg.com/@types/http-cache-semantics/-/http-cache-semantics-4.0.4.tgz#b979ebad3919799c979b17c72621c0bc0a31c6c4"
+ integrity sha512-1m0bIFVc7eJWyve9S0RnuRgcQqF/Xd5QsUZAZeQFr1Q3/p9JWoQQEqmVy+DPTNpGXwhgIetAoYF8JSc33q29QA==
"@types/keyv@^3.1.4":
version "3.1.4"
@@ -1880,61 +1919,74 @@
dependencies:
"@types/node" "*"
-"@types/linkify-it@*":
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/@types/linkify-it/-/linkify-it-3.0.2.tgz#fd2cd2edbaa7eaac7e7f3c1748b52a19143846c9"
- integrity sha512-HZQYqbiFVWufzCwexrvh694SOim8z2d+xJl5UNamcvQFejLY/2YUtzXHYi3cHdI7PMlS8ejH2slRAOJQ32aNbA==
+"@types/linkify-it@^5":
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/@types/linkify-it/-/linkify-it-5.0.0.tgz#21413001973106cda1c3a9b91eedd4ccd5469d76"
+ integrity sha512-sVDA58zAw4eWAffKOaQH5/5j3XeayukzDk+ewSsnv3p4yJEZHCCzMDiZM8e0OUrRvmpGZ85jf4yDHkHsgBNr9Q==
-"@types/markdown-it@^12.2.3":
- version "12.2.3"
- resolved "https://registry.yarnpkg.com/@types/markdown-it/-/markdown-it-12.2.3.tgz#0d6f6e5e413f8daaa26522904597be3d6cd93b51"
- integrity sha512-GKMHFfv3458yYy+v/N8gjufHO6MSZKCOXpZc5GXIWWy8uldwfmPn98vp81gZ5f9SVw8YYBctgfJ22a2d7AOMeQ==
+"@types/markdown-it@^14.1.1":
+ version "14.1.2"
+ resolved "https://registry.yarnpkg.com/@types/markdown-it/-/markdown-it-14.1.2.tgz#57f2532a0800067d9b934f3521429a2e8bfb4c61"
+ integrity sha512-promo4eFwuiW+TfGxhi+0x3czqTYJkG8qB17ZUJiVF10Xm7NLVRSLUsfRTU/6h1e24VvRnXCx+hG7li58lkzog==
dependencies:
- "@types/linkify-it" "*"
- "@types/mdurl" "*"
+ "@types/linkify-it" "^5"
+ "@types/mdurl" "^2"
-"@types/mdurl@*":
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/@types/mdurl/-/mdurl-1.0.2.tgz#e2ce9d83a613bacf284c7be7d491945e39e1f8e9"
- integrity sha512-eC4U9MlIcu2q0KQmXszyn5Akca/0jrQmwDRgpAMJai7qBWq4amIQhZyNau4VYGtCeALvW1/NtjzJJ567aZxfKA==
+"@types/mdurl@^2":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@types/mdurl/-/mdurl-2.0.0.tgz#d43878b5b20222682163ae6f897b20447233bdfd"
+ integrity sha512-RGdgjQUZba5p6QEFAVx2OGb8rQDL/cPRG7GiedRzMcJ1tYnUANBncjbSB1NRGwbvjcPeikRABz2nshyPk1bhWg==
"@types/minimatch@*":
- version "5.1.2"
- resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-5.1.2.tgz#07508b45797cb81ec3f273011b054cd0755eddca"
- integrity sha512-K0VQKziLUWkVKiRVrx4a40iPaxTUefQmjtkQofBkYRcoaaL/8rhwDWww9qWbrgicNOgnpIsMxyNIUM4+n6dUIA==
+ version "6.0.0"
+ resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-6.0.0.tgz#4d207b1cc941367bdcd195a3a781a7e4fc3b1e03"
+ integrity sha512-zmPitbQ8+6zNutpwgcQuLcsEpn/Cj54Kbn7L5pX0Os5kdWplB7xPgEh/g+SWOB/qmows2gpuCaPyduq8ZZRnxA==
+ dependencies:
+ minimatch "*"
"@types/ms@*":
- version "0.7.31"
- resolved "https://registry.yarnpkg.com/@types/ms/-/ms-0.7.31.tgz#31b7ca6407128a3d2bbc27fe2d21b345397f6197"
- integrity sha512-iiUgKzV9AuaEkZqkOLDIvlQiL6ltuZd9tGcW3gwpnX8JbuiuhFlEGmmFXEXkN50Cvq7Os88IY2v0dkDqXYWVgA==
+ version "2.1.0"
+ resolved "https://registry.yarnpkg.com/@types/ms/-/ms-2.1.0.tgz#052aa67a48eccc4309d7f0191b7e41434b90bb78"
+ integrity sha512-GsCCIZDE/p3i96vtEqx+7dBUGXrc7zeSK3wwPHIaRThS+9OhWIXRqzs4d6k1SVU8g91DrNRWxWUGhp5KXQb2VA==
-"@types/node@*", "@types/node@^18.0.0":
- version "18.11.9"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-18.11.9.tgz#02d013de7058cea16d36168ef2fc653464cfbad4"
- integrity sha512-CRpX21/kGdzjOpFsZSkcrXMGIBWMGNIHXXBVFSH+ggkftxg+XYP20TESbh+zFvFj3EQOl5byk0HTRn1IL6hbqg==
+"@types/node@*":
+ version "24.7.2"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-24.7.2.tgz#5adf66b6e2ac5cab1d10a2ad3682e359cb652f4a"
+ integrity sha512-/NbVmcGTP+lj5oa4yiYxxeBjRivKQ5Ns1eSZeB99ExsEQ6rX5XYU1Zy/gGxY/ilqtD4Etx9mKyrPxZRetiahhA==
+ dependencies:
+ undici-types "~7.14.0"
+
+"@types/node@^18.0.0":
+ version "18.19.130"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-18.19.130.tgz#da4c6324793a79defb7a62cba3947ec5add00d59"
+ integrity sha512-GRaXQx6jGfL8sKfaIDD6OupbIHBr9jv7Jnaml9tB7l4v068PAOXqfcujMMo5PhbIs6ggR1XODELqahT2R8v0fg==
+ dependencies:
+ undici-types "~5.26.4"
-"@types/node@^14.6.2":
- version "14.18.42"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-14.18.42.tgz#fa39b2dc8e0eba61bdf51c66502f84e23b66e114"
- integrity sha512-xefu+RBie4xWlK8hwAzGh3npDz/4VhF6icY/shU+zv/1fNn+ZVG7T7CRwe9LId9sAYRPxI+59QBPuKL3WpyGRg==
+"@types/node@^20.9.0":
+ version "20.19.21"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-20.19.21.tgz#6e5378e04993c40395473b13baf94a09875157b8"
+ integrity sha512-CsGG2P3I5y48RPMfprQGfy4JPRZ6csfC3ltBZSRItG3ngggmNY/qs2uZKp4p9VbrpqNNSMzUZNFZKzgOGnd/VA==
+ dependencies:
+ undici-types "~6.21.0"
"@types/parse-json@^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/@types/parse-json/-/parse-json-4.0.0.tgz#2f8bb441434d163b35fb8ffdccd7138927ffb8c0"
- integrity sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==
+ version "4.0.2"
+ resolved "https://registry.yarnpkg.com/@types/parse-json/-/parse-json-4.0.2.tgz#5950e50960793055845e956c427fc2b0d70c5239"
+ integrity sha512-dISoDXWWQwUquiKsyZ4Ng+HX2KsPL7LyHKHQwgGFEA3IaKac4Obd+h2a/a6waisAoepJlBcx9paWqjA8/HVjCw==
"@types/plist@^3.0.1":
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/@types/plist/-/plist-3.0.2.tgz#61b3727bba0f5c462fe333542534a0c3e19ccb01"
- integrity sha512-ULqvZNGMv0zRFvqn8/4LSPtnmN4MfhlPNtJCTpKuIIxGVGZ2rYWzFXrvEBoh9CVyqSE7D6YFRJ1hydLHI6kbWw==
+ version "3.0.5"
+ resolved "https://registry.yarnpkg.com/@types/plist/-/plist-3.0.5.tgz#9a0c49c0f9886c8c8696a7904dd703f6284036e0"
+ integrity sha512-E6OCaRmAe4WDmWNsL/9RMqdkkzDCY1etutkflWk4c+AcjDU07Pcz1fQwTX0TQz+Pxqn9i4L1TU3UFpjnrcDgxA==
dependencies:
"@types/node" "*"
xmlbuilder ">=11.0.1"
"@types/responselike@^1.0.0":
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/@types/responselike/-/responselike-1.0.0.tgz#251f4fe7d154d2bad125abe1b429b23afd262e29"
- integrity sha512-85Y2BjiufFzaMIlvJDvTTB8Fxl2xfLo4HgmHzVBz08w4wDePCTjYw66PdrolO0kzli3yam/YCgRufyo1DdQVTA==
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/@types/responselike/-/responselike-1.0.3.tgz#cc29706f0a397cfe6df89debfe4bf5cea159db50"
+ integrity sha512-H/+L+UkTV33uf49PH5pCAUBVPNj2nDBXTN+qS1dOwyyg24l3CcicicCA7ca+HMvJBZcFgl5r8e+RR6elsb4Lyw==
dependencies:
"@types/node" "*"
@@ -1944,14 +1996,14 @@
integrity sha512-ScaPdn1dQczgbl0QFTeTOmVHFULt394XJgOQNoyVhZ6r2vLnMLJfBPd53SB52T/3G36VI1/g2MZaX0cwDuXsfw==
"@types/ua-parser-js@^0.7.33":
- version "0.7.36"
- resolved "https://registry.yarnpkg.com/@types/ua-parser-js/-/ua-parser-js-0.7.36.tgz#9bd0b47f26b5a3151be21ba4ce9f5fa457c5f190"
- integrity sha512-N1rW+njavs70y2cApeIw1vLMYXRwfBy+7trgavGuuTfOd7j1Yh7QTRc/yqsPl6ncokt72ZXuxEU0PiCp9bSwNQ==
+ version "0.7.39"
+ resolved "https://registry.yarnpkg.com/@types/ua-parser-js/-/ua-parser-js-0.7.39.tgz#832c58e460c9435e4e34bb866e85e9146e12cdbb"
+ integrity sha512-P/oDfpofrdtF5xw433SPALpdSchtJmY7nsJItf8h3KXqOslkbySh8zq4dSWXH2oTjRvJ5PczVEoCZPow6GicLg==
"@types/verror@^1.10.3":
- version "1.10.6"
- resolved "https://registry.yarnpkg.com/@types/verror/-/verror-1.10.6.tgz#3e600c62d210c5826460858f84bcbb65805460bb"
- integrity sha512-NNm+gdePAX1VGvPcGZCDKQZKYSiAWigKhKaz5KF94hG6f2s8de9Ow5+7AbXoeKxL8gavZfk4UquSAygOF2duEQ==
+ version "1.10.11"
+ resolved "https://registry.yarnpkg.com/@types/verror/-/verror-1.10.11.tgz#d3d6b418978c8aa202d41e5bb3483227b6ecc1bb"
+ integrity sha512-RlDm9K7+o5stv0Co8i8ZRGxDbrTxhJtgjqjFyVh/tXQyl/rYtTKlnTvZ88oSTeYREWurwx20Js4kTuKCsFkUtg==
"@types/which@^1.3.2":
version "1.3.2"
@@ -1959,24 +2011,29 @@
integrity sha512-8oDqyLC7eD4HM307boe2QWKyuzdzWBj56xI/imSl2cpL+U3tCMaTAkMJ4ee5JBZ/FsOJlvRGeIShiZDAl1qERA==
"@types/yargs-parser@*":
- version "21.0.0"
- resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.0.tgz#0c60e537fa790f5f9472ed2776c2b71ec117351b"
- integrity sha512-iO9ZQHkZxHn4mSakYV0vFHAVDyEOIJQrV2uZ06HxEPcx+mt8swXoZHIbaaJ2crJYFfErySgktuTZ3BeLz+XmFA==
+ version "21.0.3"
+ resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.3.tgz#815e30b786d2e8f0dcd85fd5bcf5e1a04d008f15"
+ integrity sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==
"@types/yargs@^17.0.1":
- version "17.0.13"
- resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-17.0.13.tgz#34cced675ca1b1d51fcf4d34c3c6f0fa142a5c76"
- integrity sha512-9sWaruZk2JGxIQU+IhI1fhPYRcQ0UuTNuKuCW9bR5fp7qi2Llf7WDzNa17Cy7TKnh3cdxDOiyTu6gaLS0eDatg==
+ version "17.0.33"
+ resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-17.0.33.tgz#8c32303da83eec050a84b3c7ae7b9f922d13e32d"
+ integrity sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==
dependencies:
"@types/yargs-parser" "*"
"@types/yauzl@^2.9.1":
- version "2.10.0"
- resolved "https://registry.yarnpkg.com/@types/yauzl/-/yauzl-2.10.0.tgz#b3248295276cf8c6f153ebe6a9aba0c988cb2599"
- integrity sha512-Cn6WYCm0tXv8p6k+A8PvbDG763EDpBoTzHdA+Q/MF6H3sapGjCm9NzoaJncJS9tUKSuCoDs9XHxYYsQDgxR6kw==
+ version "2.10.3"
+ resolved "https://registry.yarnpkg.com/@types/yauzl/-/yauzl-2.10.3.tgz#e9b2808b4f109504a03cda958259876f61017999"
+ integrity sha512-oJoftv0LSuaDZE3Le4DbKX+KS9G36NzOeSap90UIK0yMA/NhKJhqlSGtNDORNRaIbQfzjXDrQa0ytJ6mNRGz/Q==
dependencies:
"@types/node" "*"
+"@ungap/structured-clone@^1.2.0":
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/@ungap/structured-clone/-/structured-clone-1.3.0.tgz#d06bbb384ebcf6c505fde1c3d0ed4ddffe0aaff8"
+ integrity sha512-WmoN8qaIAo7WTYWbAZuG8PYEhn5fkz7dZrqTBZ7dtt//lL2Gwms1IcnQ5yHqjDfX8Ft5j4YzDM23f87zBfDe9g==
+
"@wdio/config@7.20.8":
version "7.20.8"
resolved "https://registry.yarnpkg.com/@wdio/config/-/config-7.20.8.tgz#0cec7a822e7bdbb63169b6da38d56bf6030b520c"
@@ -2027,12 +2084,12 @@
"@wdio/types" "7.20.7"
p-iteration "^1.1.8"
-"@xmldom/xmldom@^0.8.5":
- version "0.8.6"
- resolved "https://registry.yarnpkg.com/@xmldom/xmldom/-/xmldom-0.8.6.tgz#8a1524eb5bd5e965c1e3735476f0262469f71440"
- integrity sha512-uRjjusqpoqfmRkTaNuLJ2VohVr67Q5YwDATW3VU7PfzTj6IRaihGrYI7zckGZjxQPBIp63nfvJbM+Yu5ICh0Bg==
+"@xmldom/xmldom@^0.8.5", "@xmldom/xmldom@^0.8.8":
+ version "0.8.11"
+ resolved "https://registry.yarnpkg.com/@xmldom/xmldom/-/xmldom-0.8.11.tgz#b79de2d67389734c57c52595f7a7305e30c2d608"
+ integrity sha512-cQzWCtO6C8TQiYl1ruKNn2U6Ao4o4WBBcbL61yJl84x+j5sOWWFU9X7DpND8XZG3daDppSsigMdfAIl2upQBRw==
-abbrev@1:
+abbrev@^1.0.0:
version "1.1.1"
resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8"
integrity sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==
@@ -2047,10 +2104,10 @@ acorn-jsx@^5.3.2:
resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
-acorn@^8.8.0:
- version "8.8.1"
- resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.8.1.tgz#0a3f9cbecc4ec3bea6f0a80b66ae8dd2da250b73"
- integrity sha512-7zFpHzhnqYKrkYdUjF1HI1bzd0VygEGX8lFk4k5zVMqHEoES+P+7TKI+EvLO9WVMJ8eekdO0aDEK044xTXwPPA==
+acorn@^8.9.0:
+ version "8.15.0"
+ resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.15.0.tgz#a360898bc415edaac46c8241f6383975b930b816"
+ integrity sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg==
afinn-165@^1.0.2:
version "1.0.4"
@@ -2069,13 +2126,11 @@ agent-base@6, agent-base@^6.0.2:
dependencies:
debug "4"
-agentkeepalive@^4.1.3:
- version "4.2.1"
- resolved "https://registry.yarnpkg.com/agentkeepalive/-/agentkeepalive-4.2.1.tgz#a7975cbb9f83b367f06c90cc51ff28fe7d499717"
- integrity sha512-Zn4cw2NEqd+9fiSVWMscnjyQ1a8Yfoc5oBajLeo5w+YBHgDUcEBY2hS4YpTz6iN5f/2zQiktcuM6tS8x1p9dpA==
+agentkeepalive@^4.2.1:
+ version "4.6.0"
+ resolved "https://registry.yarnpkg.com/agentkeepalive/-/agentkeepalive-4.6.0.tgz#35f73e94b3f40bf65f105219c623ad19c136ea6a"
+ integrity sha512-kja8j7PjmncONqaTsB8fQ+wE2mSU2DJ9D4XKoJ5PFWIdRMa6SLSN1ff4mOr4jCbfRSsxR4keIiySJU0N9T5hIQ==
dependencies:
- debug "^4.1.0"
- depd "^1.1.2"
humanize-ms "^1.2.1"
aggregate-error@^3.0.0:
@@ -2159,15 +2214,15 @@ ansi-styles@^4.0.0, ansi-styles@^4.1.0:
dependencies:
color-convert "^2.0.1"
-any-promise@^1.3.0:
+any-promise@1.3.0:
version "1.3.0"
resolved "https://registry.yarnpkg.com/any-promise/-/any-promise-1.3.0.tgz#abc6afeedcea52e809cdc0376aed3ce39635d17f"
integrity sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==
anymatch@~3.1.2:
- version "3.1.2"
- resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.2.tgz#c0557c096af32f106198f4f4e2a383537e378716"
- integrity sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==
+ version "3.1.3"
+ resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.3.tgz#790c58b19ba1720a84205b57c618d5ad8524973e"
+ integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==
dependencies:
normalize-path "^3.0.0"
picomatch "^2.0.4"
@@ -2222,9 +2277,9 @@ aproba@^1.0.3:
integrity sha512-Y9J6ZjXtoYh8RnXVCMOU/ttDmk1aBjunq9vO0ta5x85WDQiQfUF9sIPBITdbiiIVcBo03Hi3jMxigBtsddlXRw==
"aproba@^1.0.3 || ^2.0.0":
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/aproba/-/aproba-2.0.0.tgz#52520b8ae5b569215b354efc0caa3fe1e45a8adc"
- integrity sha512-lYe4Gx7QT+MKGbDsA+Z+he/Wtef0BiwDOlK/XkBrdfsh9J/jPPXbX0tE9x9cl27Tmu5gg3QUbUrQYa/y+KOHPQ==
+ version "2.1.0"
+ resolved "https://registry.yarnpkg.com/aproba/-/aproba-2.1.0.tgz#75500a190313d95c64e871e7e4284c6ac219f0b1"
+ integrity sha512-tLIEcj5GuR2RSTnxNKdkK0dJ/GrC7P38sUkiDmDuHfsHmbagTFAxDVIBltoklXEVIQ/f14IL8IMJ5pn9Hez1Ew==
"archive-view@file:packages/archive-view":
version "0.66.0"
@@ -2250,16 +2305,32 @@ archiver-utils@^2.1.0:
normalize-path "^3.0.0"
readable-stream "^2.0.0"
+archiver-utils@^3.0.4:
+ version "3.0.4"
+ resolved "https://registry.yarnpkg.com/archiver-utils/-/archiver-utils-3.0.4.tgz#a0d201f1cf8fce7af3b5a05aea0a337329e96ec7"
+ integrity sha512-KVgf4XQVrTjhyWmx6cte4RxonPLR9onExufI1jhvw/MQ4BB6IsZD5gT8Lq+u/+pRkWna/6JoHpiQioaqFP5Rzw==
+ dependencies:
+ glob "^7.2.3"
+ graceful-fs "^4.2.0"
+ lazystream "^1.0.0"
+ lodash.defaults "^4.2.0"
+ lodash.difference "^4.5.0"
+ lodash.flatten "^4.4.0"
+ lodash.isplainobject "^4.0.6"
+ lodash.union "^4.6.0"
+ normalize-path "^3.0.0"
+ readable-stream "^3.6.0"
+
archiver@^5.0.0:
- version "5.3.1"
- resolved "https://registry.yarnpkg.com/archiver/-/archiver-5.3.1.tgz#21e92811d6f09ecfce649fbefefe8c79e57cbbb6"
- integrity sha512-8KyabkmbYrH+9ibcTScQ1xCJC/CGcugdVIwB+53f5sZziXgwUh3iXlAlANMxcZyDEfTHMe6+Z5FofV8nopXP7w==
+ version "5.3.2"
+ resolved "https://registry.yarnpkg.com/archiver/-/archiver-5.3.2.tgz#99991d5957e53bd0303a392979276ac4ddccf3b0"
+ integrity sha512-+25nxyyznAXF7Nef3y0EbBeqmGZgeN/BxHX29Rs39djAfaFalmQ89SE6CWyDCHzGL0yt/ycBtNOmGTW0FyGWNw==
dependencies:
archiver-utils "^2.1.0"
- async "^3.2.3"
+ async "^3.2.4"
buffer-crc32 "^0.2.1"
readable-stream "^3.6.0"
- readdir-glob "^1.0.0"
+ readdir-glob "^1.1.2"
tar-stream "^2.2.0"
zip-stream "^4.1.0"
@@ -2292,11 +2363,9 @@ argparse@^2.0.1:
integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==
aria-query@^5.0.0:
- version "5.1.3"
- resolved "https://registry.yarnpkg.com/aria-query/-/aria-query-5.1.3.tgz#19db27cd101152773631396f7a95a3b58c22c35e"
- integrity sha512-R5iJ5lkuHybztUfuOAznmboyjWq8O6sqNqtK7CLOqdydi54VNbORp49mb14KbWgG1QD3JFO9hJdZ+y4KutfdOQ==
- dependencies:
- deep-equal "^2.0.5"
+ version "5.3.2"
+ resolved "https://registry.yarnpkg.com/aria-query/-/aria-query-5.3.2.tgz#93f81a43480e33a338f19163a3d10a50c01dcd59"
+ integrity sha512-COROpnaoap1E2F000S62r6A60uHZnmlvomhfyT2DlTcrY1OrBKn2UhH7qn5wTC9zMvD0AY7csdPSNwKP+7WiQw==
array-back@^1.0.2, array-back@^1.0.3:
version "1.0.4"
@@ -2332,16 +2401,40 @@ array-back@^6.2.2:
resolved "https://registry.yarnpkg.com/array-back/-/array-back-6.2.2.tgz#f567d99e9af88a6d3d2f9dfcc21db6f9ba9fd157"
integrity sha512-gUAZ7HPyb4SJczXAMUXMGAvI976JoK3qEx9v1FTmeYuJj0IBiaKttG1ydtGKdkfqWkIkouke7nG8ufGy77+Cvw==
-array.prototype.reduce@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/array.prototype.reduce/-/array.prototype.reduce-1.0.5.tgz#6b20b0daa9d9734dd6bc7ea66b5bbce395471eac"
- integrity sha512-kDdugMl7id9COE8R7MHF5jWk7Dqt/fs4Pv+JXoICnYwqpjjjbUurz6w5fT5IG6brLdJhv6/VoHB0H7oyIBXd+Q==
+array-buffer-byte-length@^1.0.1, array-buffer-byte-length@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/array-buffer-byte-length/-/array-buffer-byte-length-1.0.2.tgz#384d12a37295aec3769ab022ad323a18a51ccf8b"
+ integrity sha512-LHE+8BuR7RYGDKvnrmcuSq3tDcKv9OFEXQt/HpbZhY7V6h0zlUXutnAD82GiFx9rdieCMjkvtcsPqBwgUl1Iiw==
+ dependencies:
+ call-bound "^1.0.3"
+ is-array-buffer "^3.0.5"
+
+array.prototype.reduce@^1.0.6:
+ version "1.0.8"
+ resolved "https://registry.yarnpkg.com/array.prototype.reduce/-/array.prototype.reduce-1.0.8.tgz#42f97f5078daedca687d4463fd3c05cbfd83da57"
+ integrity sha512-DwuEqgXFBwbmZSRqt3BpQigWNUoqw9Ml2dTWdF3B2zQlQX4OeUE0zyuzX0fX0IbTvjdkZbcBTU3idgpO78qkTw==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ call-bind "^1.0.8"
+ call-bound "^1.0.4"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.9"
es-array-method-boxes-properly "^1.0.0"
- is-string "^1.0.7"
+ es-errors "^1.3.0"
+ es-object-atoms "^1.1.1"
+ is-string "^1.1.1"
+
+arraybuffer.prototype.slice@^1.0.4:
+ version "1.0.4"
+ resolved "https://registry.yarnpkg.com/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.4.tgz#9d760d84dbdd06d0cbf92c8849615a1a7ab3183c"
+ integrity sha512-BNoCY6SXXPQ7gF2opIP4GBE+Xw7U+pHMYKuzjgCN3GwiaIR09UUeKfheyIry77QtrCBlC0KK0q5/TER/tYh3PQ==
+ dependencies:
+ array-buffer-byte-length "^1.0.1"
+ call-bind "^1.0.8"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.5"
+ es-errors "^1.3.0"
+ get-intrinsic "^1.2.6"
+ is-array-buffer "^3.0.4"
asap@^2.0.0, asap@~2.0.3:
version "2.0.6"
@@ -2387,7 +2480,12 @@ async-exit-hook@^2.0.1:
resolved "https://registry.yarnpkg.com/async-exit-hook/-/async-exit-hook-2.0.1.tgz#8bd8b024b0ec9b1c01cccb9af9db29bd717dfaf3"
integrity sha512-NW2cX8m1Q7KPA7a5M2ULQeZ2wR5qI5PAbw5L0UOMxdioVk9PMZ0h1TmyZEkPYrCvYjDlFICusOu1dlEKAAeXBw==
-async@3.2.4, async@^3.2.0, async@^3.2.3:
+async-function@^1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/async-function/-/async-function-1.0.0.tgz#509c9fca60eaf85034c6829838188e4e4c8ffb2b"
+ integrity sha512-hsU18Ae8CDTR6Kgu9DYf0EbCr/a5iGL0rytQDobUcdpYOKokk8LEjVphnXkDkgpi0wYVsqrXuP0bZxJaTqdgoA==
+
+async@3.2.4:
version "3.2.4"
resolved "https://registry.yarnpkg.com/async/-/async-3.2.4.tgz#2d22e00f8cddeb5fde5dd33522b56d1cf569a81c"
integrity sha512-iAB+JbDEGXhyIUavoDl9WP/Jj106Kz9DEn1DPgYw5ruDn0e3Wgi3sKFm55sASdGBNOQB8F59d9qQ7deqrHA8wQ==
@@ -2402,6 +2500,11 @@ async@^1.5.2:
resolved "https://registry.yarnpkg.com/async/-/async-1.5.2.tgz#ec6a61ae56480c0c3cb241c95618e20892f9672a"
integrity sha512-nSVgobk4rv61R9PUSDtYt7mPVB2olxNR5RWJcAsH676/ef11bUZwvu7+RGYrYauVdDPcO519v68wRhXQtxsV9w==
+async@^3.2.0, async@^3.2.4, async@^3.2.6:
+ version "3.2.6"
+ resolved "https://registry.yarnpkg.com/async/-/async-3.2.6.tgz#1b0728e14929d51b85b449b7f06e27c1145e38ce"
+ integrity sha512-htCUDlxyyCLMgaM3xXg0C0LW2xqfuQ6p05pCEIsXuyQ+a1koYKTuBMzRNwmybfLgvJDMd0r1LTn4+E0Ti6C2AA==
+
asynckit@^0.4.0:
version "0.4.0"
resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
@@ -2426,32 +2529,12 @@ atom-grammar-test@^0.6.3:
chevrotain "^0.18.0"
escape-string-regexp "^1.0.5"
-atom-keymap@8.2.15:
- version "8.2.15"
- resolved "https://registry.yarnpkg.com/atom-keymap/-/atom-keymap-8.2.15.tgz#e191c8b3104a8f41af35b4d8841308116226f5ce"
- integrity sha512-oYDDhro613LsRRlk8gfgOu3/uWWrhQ2gEDm4DEK/B8Rrg6ajBBKmAeNWWVDSNzwr+dysatOEBBWbIAor84ijgg==
- dependencies:
- clear-cut "^2"
- emissary "^1.1.0"
- event-kit "^1.0.0"
- fs-plus "^3.0.0"
- grim "^1.2.1"
- keyboard-layout "2.0.17"
- pathwatcher "^8.0.0"
- property-accessors "^1"
- season "^6.0.2"
-
"atom-light-syntax@file:packages/atom-light-syntax":
version "0.29.1"
"atom-light-ui@file:packages/atom-light-ui":
version "0.46.3"
-atom-pathspec@^0.0.0:
- version "0.0.0"
- resolved "https://registry.yarnpkg.com/atom-pathspec/-/atom-pathspec-0.0.0.tgz#67aabaf95019b0afd8e3158b2cd7b18d737643f1"
- integrity sha512-7UMEHdTtBV5sJONT0uMeQ6M8JFdfMQy/14rxuP6OuoFfSiDjxyZHuorIbv8gqhRB3FQMMLPzqONoFJE2cpHiCg==
-
atom-select-list@^0.7.0, atom-select-list@^0.7.1:
version "0.7.2"
resolved "https://registry.yarnpkg.com/atom-select-list/-/atom-select-list-0.7.2.tgz#84a2db86af91d57b8acfc4ded34af771448fced7"
@@ -2503,10 +2586,12 @@ atom-slick@^2, atom-slick@^2.0.0:
"autosave@file:./packages/autosave":
version "0.24.6"
-available-typed-arrays@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
- integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
+available-typed-arrays@^1.0.7:
+ version "1.0.7"
+ resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.7.tgz#a5cc375d6a03c2efc87a553f3e0b1522def14846"
+ integrity sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==
+ dependencies:
+ possible-typed-array-names "^1.0.0"
aws-sign2@~0.7.0:
version "0.7.0"
@@ -2514,9 +2599,9 @@ aws-sign2@~0.7.0:
integrity sha512-08kcGqnYf/YmjoRhfxyu+CLxBjUtHLXLXX/vUfx9l2LYzG3c1m61nrpyFUZI6zeS+Li/wWMMidD9KgrqtGq3mA==
aws4@^1.8.0:
- version "1.11.0"
- resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.11.0.tgz#d61f46d83b2519250e2784daf5b09479a8b41c59"
- integrity sha512-xh1Rl34h6Fi1DC2WWKfxUTVqRsNnr6LsKz2+hfwDxQJWmrx8+c7ylaqBMcHfl1U1r2dsifOvKX3LQuLNZ+XSvA==
+ version "1.13.2"
+ resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.13.2.tgz#0aa167216965ac9474ccfa83892cfb6b3e1e52ef"
+ integrity sha512-lHe62zvbTB5eEABUVi/AwVh0ZKY9rMMDhmm+eeyuuUQbQ3+J+fONVQOZyj+DdrvD4BY33uYniyRJ4UJIaSKAfw==
babel-plugin-add-module-exports@^1.0.4:
version "1.0.4"
@@ -2656,6 +2741,11 @@ base64-js@^1.3.1, base64-js@^1.5.1:
resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a"
integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==
+baseline-browser-mapping@^2.8.9:
+ version "2.8.16"
+ resolved "https://registry.yarnpkg.com/baseline-browser-mapping/-/baseline-browser-mapping-2.8.16.tgz#e17789673e7f4b7654f81ab2ef25e96ab6a895f9"
+ integrity sha512-OMu3BGQ4E7P1ErFsIPpbJh0qvDudM/UuJeHgkAvfWe+0HFJCXh+t/l8L6fVLR55RI/UbKrVLnAXZSVwd9ysWYw==
+
bcrypt-pbkdf@^1.0.0:
version "1.0.2"
resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz#a4301d389b6a43f9b67ff3ca11a3f6637e360e9e"
@@ -2663,7 +2753,7 @@ bcrypt-pbkdf@^1.0.0:
dependencies:
tweetnacl "^0.14.3"
-better-sqlite3@^11.1.2:
+better-sqlite3@11.1.2:
version "11.1.2"
resolved "https://registry.yarnpkg.com/better-sqlite3/-/better-sqlite3-11.1.2.tgz#6c9d064c9f1ff2a7f507477648ca0ba67bf564a3"
integrity sha512-gujtFwavWU4MSPT+h9B+4pkvZdyOUkH54zgLdIrMmmmd4ZqiBIrRNBzNzYVFO417xo882uP5HBu4GjOfaSrIQw==
@@ -2672,9 +2762,9 @@ better-sqlite3@^11.1.2:
prebuild-install "^7.1.1"
binary-extensions@^2.0.0:
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d"
- integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==
+ version "2.3.0"
+ resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.3.0.tgz#f6e14a97858d327252200242d4ccfe522c445522"
+ integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==
binary-search@^1.3.3:
version "1.3.6"
@@ -2693,14 +2783,6 @@ bintrees@1.0.2:
resolved "https://registry.yarnpkg.com/bintrees/-/bintrees-1.0.2.tgz#49f896d6e858a4a499df85c38fb399b9aff840f8"
integrity sha512-VOMgTMwjAaUG580SXn3LacVgjurrbMme7ZZNYGSSV7mmtY6QQRh0Eg3pwIcntQ77DErK1L0NxkbetjcoXzVwKw==
-bl@^1.0.0:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/bl/-/bl-1.2.3.tgz#1e8dd80142eac80d7158c9dccc047fb620e035e7"
- integrity sha512-pvcNpa0UU69UT341rO6AYy4FVAIkUHuZXRIWbq+zHnsVcRzDDjIAhGuuYoi0d//cwIwtt4pkpKycWEfjdV+vww==
- dependencies:
- readable-stream "^2.3.5"
- safe-buffer "^5.1.1"
-
bl@^4.0.3, bl@^4.1.0:
version "4.1.0"
resolved "https://registry.yarnpkg.com/bl/-/bl-4.1.0.tgz#451535264182bec2fbbc83a62ab98cf11d9f7b3a"
@@ -2759,34 +2841,27 @@ boxen@^5.0.0:
wrap-ansi "^7.0.0"
brace-expansion@^1.0.0, brace-expansion@^1.1.7:
- version "1.1.11"
- resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
- integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
+ version "1.1.12"
+ resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.12.tgz#ab9b454466e5a8cc3a187beaad580412a9c5b843"
+ integrity sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==
dependencies:
balanced-match "^1.0.0"
concat-map "0.0.1"
brace-expansion@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.1.tgz#1edc459e0f0c548486ecf9fc99f2221364b9a0ae"
- integrity sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.2.tgz#54fc53237a613d854c7bd37463aad17df87214e7"
+ integrity sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==
dependencies:
balanced-match "^1.0.0"
-braces@^3.0.3:
+braces@^3.0.3, braces@~3.0.2:
version "3.0.3"
resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.3.tgz#490332f40919452272d55a8480adc0c441358789"
integrity sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==
dependencies:
fill-range "^7.1.1"
-braces@~3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
- integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
- dependencies:
- fill-range "^7.0.1"
-
"bracket-matcher@file:packages/bracket-matcher":
version "0.92.0"
dependencies:
@@ -2797,15 +2872,16 @@ browser-stdout@1.3.1:
resolved "https://registry.yarnpkg.com/browser-stdout/-/browser-stdout-1.3.1.tgz#baa559ee14ced73452229bad7326467c61fabd60"
integrity sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw==
-browserslist@^4.21.3, browserslist@^4.21.4:
- version "4.21.4"
- resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.21.4.tgz#e7496bbc67b9e39dd0f98565feccdcb0d4ff6987"
- integrity sha512-CBHJJdDmgjl3daYjN5Cp5kbTf1mUhZoS+beLklHIvkOWscs83YAhLlF3Wsh/lciQYAcbBJgTOD44VtG31ZM4Hw==
+browserslist@^4.24.0, browserslist@^4.26.3:
+ version "4.26.3"
+ resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.26.3.tgz#40fbfe2d1cd420281ce5b1caa8840049c79afb56"
+ integrity sha512-lAUU+02RFBuCKQPj/P6NgjlbCnLBMp4UtgTx7vNHd3XSIJF87s9a5rA3aH2yw3GS9DqZAUbOtZdCCiZeVRqt0w==
dependencies:
- caniuse-lite "^1.0.30001400"
- electron-to-chromium "^1.4.251"
- node-releases "^2.0.6"
- update-browserslist-db "^1.0.9"
+ baseline-browser-mapping "^2.8.9"
+ caniuse-lite "^1.0.30001746"
+ electron-to-chromium "^1.5.227"
+ node-releases "^2.0.21"
+ update-browserslist-db "^1.1.3"
buffer-alloc-unsafe@^1.1.0:
version "1.1.0"
@@ -2889,29 +2965,29 @@ bytes@^3.0.0:
resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.2.tgz#8b0beeb98605adf1b128fa4386403c009e0221a5"
integrity sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==
-cacache@^15.2.0:
- version "15.3.0"
- resolved "https://registry.yarnpkg.com/cacache/-/cacache-15.3.0.tgz#dc85380fb2f556fe3dda4c719bfa0ec875a7f1eb"
- integrity sha512-VVdYzXEn+cnbXpFgWs5hTT7OScegHVmLhJIR8Ufqk3iFD6A6j5iSX1KuBTfNEv4tdJWE2PzA6IVFtcLC7fN9wQ==
+cacache@^16.1.0:
+ version "16.1.3"
+ resolved "https://registry.yarnpkg.com/cacache/-/cacache-16.1.3.tgz#a02b9f34ecfaf9a78c9f4bc16fceb94d5d67a38e"
+ integrity sha512-/+Emcj9DAXxX4cwlLmRI9c166RuL3w30zp4R7Joiv2cQTtTtA+jeuCAjH3ZlGnYS3tKENSrKhAzVVP9GVyzeYQ==
dependencies:
- "@npmcli/fs" "^1.0.0"
- "@npmcli/move-file" "^1.0.1"
+ "@npmcli/fs" "^2.1.0"
+ "@npmcli/move-file" "^2.0.0"
chownr "^2.0.0"
- fs-minipass "^2.0.0"
- glob "^7.1.4"
+ fs-minipass "^2.1.0"
+ glob "^8.0.1"
infer-owner "^1.0.4"
- lru-cache "^6.0.0"
- minipass "^3.1.1"
+ lru-cache "^7.7.1"
+ minipass "^3.1.6"
minipass-collect "^1.0.2"
minipass-flush "^1.0.5"
- minipass-pipeline "^1.2.2"
- mkdirp "^1.0.3"
+ minipass-pipeline "^1.2.4"
+ mkdirp "^1.0.4"
p-map "^4.0.0"
promise-inflight "^1.0.1"
rimraf "^3.0.2"
- ssri "^8.0.1"
- tar "^6.0.2"
- unique-filename "^1.1.1"
+ ssri "^9.0.0"
+ tar "^6.1.11"
+ unique-filename "^2.0.0"
cache-point@^2.0.0:
version "2.0.0"
@@ -2941,9 +3017,9 @@ cacheable-request@^6.0.0:
responselike "^1.0.2"
cacheable-request@^7.0.2:
- version "7.0.2"
- resolved "https://registry.yarnpkg.com/cacheable-request/-/cacheable-request-7.0.2.tgz#ea0d0b889364a25854757301ca12b2da77f91d27"
- integrity sha512-pouW8/FmiPQbuGpkXQ9BAPv/Mo5xDGANgSNXzTzJ8DrKGuXOssM4wIQRjfanNRh3Yu5cfYPvcorqbhg2KIJtew==
+ version "7.0.4"
+ resolved "https://registry.yarnpkg.com/cacheable-request/-/cacheable-request-7.0.4.tgz#7a33ebf08613178b403635be7b899d3e69bbe817"
+ integrity sha512-v+p6ongsrp0yTGbJXjgxPow2+DL93DASP4kXCDKb8/bwRtt9OEF3whggkkDkGNzgcWy2XaF4a8nZglC7uElscg==
dependencies:
clone-response "^1.0.2"
get-stream "^5.1.0"
@@ -2953,7 +3029,7 @@ cacheable-request@^7.0.2:
normalize-url "^6.0.1"
responselike "^2.0.0"
-call-bind-apply-helpers@^1.0.1, call-bind-apply-helpers@^1.0.2:
+call-bind-apply-helpers@^1.0.0, call-bind-apply-helpers@^1.0.1, call-bind-apply-helpers@^1.0.2:
version "1.0.2"
resolved "https://registry.yarnpkg.com/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz#4b5428c222be985d79c3d82657479dbe0b59b2d6"
integrity sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==
@@ -2961,15 +3037,17 @@ call-bind-apply-helpers@^1.0.1, call-bind-apply-helpers@^1.0.2:
es-errors "^1.3.0"
function-bind "^1.1.2"
-call-bind@^1.0.0, call-bind@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
- integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
+call-bind@^1.0.7, call-bind@^1.0.8:
+ version "1.0.8"
+ resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.8.tgz#0736a9660f537e3388826f440d5ec45f744eaa4c"
+ integrity sha512-oKlSFMcMwpUg2ednkhQ454wfWiU/ul3CkJe/PEHcTKuiX6RpbehUiFMXu13HalGZxfUwCQzZG747YXBn1im9ww==
dependencies:
- function-bind "^1.1.1"
- get-intrinsic "^1.0.2"
+ call-bind-apply-helpers "^1.0.0"
+ es-define-property "^1.0.0"
+ get-intrinsic "^1.2.4"
+ set-function-length "^1.2.2"
-call-bound@^1.0.2:
+call-bound@^1.0.2, call-bound@^1.0.3, call-bound@^1.0.4:
version "1.0.4"
resolved "https://registry.yarnpkg.com/call-bound/-/call-bound-1.0.4.tgz#238de935d2a2a692928c538c7ccfa91067fd062a"
integrity sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==
@@ -2997,10 +3075,10 @@ camelcase@^6.2.0:
resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-6.3.0.tgz#5685b95eb209ac9c0c177467778c9c84df58ba9a"
integrity sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==
-caniuse-lite@^1.0.30001400:
- version "1.0.30001431"
- resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001431.tgz#e7c59bd1bc518fae03a4656be442ce6c4887a795"
- integrity sha512-zBUoFU0ZcxpvSt9IU66dXVT/3ctO1cy4y9cscs1szkPlcWb6pasYM144GqrUygUbT+k7cmUCW61cvskjcv0enQ==
+caniuse-lite@^1.0.30001746:
+ version "1.0.30001750"
+ resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001750.tgz#c229f82930033abd1502c6f73035356cf528bfbc"
+ integrity sha512-cuom0g5sdX6rw00qOoLNSFCJ9/mYIsuSOA+yzpDw8eopiFqcVwQvZHqov0vmEighRxX++cfC0Vg1G+1Iy/mSpQ==
caseless@~0.12.0:
version "0.12.0"
@@ -3026,7 +3104,7 @@ chai@4.3.4:
pathval "^1.1.1"
type-detect "^4.0.5"
-chalk@^2.0.0, chalk@^2.0.1:
+chalk@^2.0.1:
version "2.4.2"
resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
@@ -3035,7 +3113,7 @@ chalk@^2.0.0, chalk@^2.0.1:
escape-string-regexp "^1.0.5"
supports-color "^5.3.0"
-chalk@^4.0.0, chalk@^4.0.2, chalk@^4.1.0, chalk@^4.1.1:
+chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.1:
version "4.1.2"
resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
@@ -3049,9 +3127,11 @@ charenc@0.0.2:
integrity sha512-yrLQ/yVUFXkzg7EDQsPieE/53+0RlaWTs+wBrvW36cyilJ2SaDWfl4Yj7MtLTXleV9uEKefbAGUPv2/iWSooRA==
check-error@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/check-error/-/check-error-1.0.2.tgz#574d312edd88bb5dd8912e9286dd6c0aed4aac82"
- integrity sha512-BrgHpW9NURQgzoNyjfq0Wu6VFO6D7IZEmJNdtgNqpzGG8RuNFHt2jQxWlAs4HMe119chBnv+34syEZtc6IhLtA==
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/check-error/-/check-error-1.0.3.tgz#a6502e4312a7ee969f646e83bb3ddd56281bd694"
+ integrity sha512-iKEoDYaRmd1mxM90a2OEfWhjsjPpYPuQ+lMYsoxB126+t8fw7ySEO48nmDg5COTjxDI65/Y2OWpeEHk3ZOe8zg==
+ dependencies:
+ get-func-name "^2.0.2"
cheerio-select@^2.1.0:
version "2.1.0"
@@ -3066,27 +3146,31 @@ cheerio-select@^2.1.0:
domutils "^3.0.1"
cheerio@^1.0.0-rc.3:
- version "1.0.0-rc.12"
- resolved "https://registry.yarnpkg.com/cheerio/-/cheerio-1.0.0-rc.12.tgz#788bf7466506b1c6bf5fae51d24a2c4d62e47683"
- integrity sha512-VqR8m68vM46BNnuZ5NtnGBKIE/DfN0cRIzg9n40EIq9NOv90ayxLBXA8fXC5gquFRGJSTRqBq25Jt2ECLR431Q==
+ version "1.1.2"
+ resolved "https://registry.yarnpkg.com/cheerio/-/cheerio-1.1.2.tgz#26af77e89336c81c63ea83197f868b4cbd351369"
+ integrity sha512-IkxPpb5rS/d1IiLbHMgfPuS0FgiWTtFIm/Nj+2woXDLTZ7fOT2eqzgYbdMlLweqlHbsZjxEChoVK+7iph7jyQg==
dependencies:
cheerio-select "^2.1.0"
dom-serializer "^2.0.0"
domhandler "^5.0.3"
- domutils "^3.0.1"
- htmlparser2 "^8.0.1"
- parse5 "^7.0.0"
- parse5-htmlparser2-tree-adapter "^7.0.0"
+ domutils "^3.2.2"
+ encoding-sniffer "^0.2.1"
+ htmlparser2 "^10.0.0"
+ parse5 "^7.3.0"
+ parse5-htmlparser2-tree-adapter "^7.1.0"
+ parse5-parser-stream "^7.1.2"
+ undici "^7.12.0"
+ whatwg-mimetype "^4.0.0"
chevrotain@^0.18.0:
version "0.18.0"
resolved "https://registry.yarnpkg.com/chevrotain/-/chevrotain-0.18.0.tgz#b287714e31590bae2c5d1e2f611673efec479d80"
integrity sha512-TdMrwmrzGuLta1iwC7yuDC7T3IQrI2WHjzbkY3naTX6RsQivy9aXBrTc+LuUbrs4mdefrwVHBVLW6ojn5giTZw==
-chokidar@^3.4.0:
- version "3.5.3"
- resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.3.tgz#1cf37c8707b932bd1af1ae22c0432e2acd1903bd"
- integrity sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==
+chokidar@^3.6.0:
+ version "3.6.0"
+ resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.6.0.tgz#197c6cc669ef2a8dc5e7b4d97ee4e092c3eb0d5b"
+ integrity sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==
dependencies:
anymatch "~3.1.2"
braces "~3.0.2"
@@ -3098,7 +3182,7 @@ chokidar@^3.4.0:
optionalDependencies:
fsevents "~2.3.2"
-chownr@^1.0.1, chownr@^1.1.1:
+chownr@^1.1.1:
version "1.1.4"
resolved "https://registry.yarnpkg.com/chownr/-/chownr-1.1.4.tgz#6fc9d7b42d32a583596337666e7d08084da2cc6b"
integrity sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==
@@ -3109,9 +3193,9 @@ chownr@^2.0.0:
integrity sha512-bIomtDF5KGpdogkLd9VspvFzk9KfpyyGlS8YFVZl7TGPBHL5snIOnxeshwVgPteQ9b4Eydl+pVbIyE1DcvCWgQ==
chrome-launcher@^0.15.0:
- version "0.15.1"
- resolved "https://registry.yarnpkg.com/chrome-launcher/-/chrome-launcher-0.15.1.tgz#0a0208037063641e2b3613b7e42b0fcb3fa2d399"
- integrity sha512-UugC8u59/w2AyX5sHLZUHoxBAiSiunUhZa3zZwMH6zPVis0C3dDKiRWyUGIo14tTbZHGVviWxv3PQWZ7taZ4fg==
+ version "0.15.2"
+ resolved "https://registry.yarnpkg.com/chrome-launcher/-/chrome-launcher-0.15.2.tgz#4e6404e32200095fdce7f6a1e1004f9bd36fa5da"
+ integrity sha512-zdLEwNo3aUVzIhKhTtXfxhdvZhUghrnmkvcAq2NoDd+LeOHKf03H5jwZ8T/STsAlzyALkBVK552iaG1fGf1xVQ==
dependencies:
"@types/node" "*"
escape-string-regexp "^4.0.0"
@@ -3129,9 +3213,9 @@ ci-info@^2.0.0:
integrity sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==
ci-info@^3.2.0:
- version "3.6.1"
- resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-3.6.1.tgz#7594f1c95cb7fdfddee7af95a13af7dbc67afdcf"
- integrity sha512-up5ggbaDqOqJ4UqLKZ2naVkyqSJQgJi5lwD6b6mM748ysrghDBX0bx/qJTUHzw7zu6Mq4gycviSF5hJnwceD8w==
+ version "3.9.0"
+ resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-3.9.0.tgz#4279a62028a7b1f262f3473fc9605f5e218c59b4"
+ integrity sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==
classnames@2.2.6:
version "2.2.6"
@@ -3139,9 +3223,9 @@ classnames@2.2.6:
integrity sha512-JR/iSQOSt+LQIWwrwEzJ9uk0xfN3mTVYMwt1Ir5mUcSN6pU+V4zQFFaJsclJbPuAUQH+yfWef6tm7l1quW3C8Q==
classnames@^2.2.4:
- version "2.3.2"
- resolved "https://registry.yarnpkg.com/classnames/-/classnames-2.3.2.tgz#351d813bf0137fcc6a76a16b88208d2560a0d924"
- integrity sha512-CSbhY4cFEJRe6/GQzIk5qXZ4Jeg5pcsP7b5peFSDpffpe1cqjASH/n9UTjBwOp6XpMSTwQ8Za2K5V02ueA7Tmw==
+ version "2.5.1"
+ resolved "https://registry.yarnpkg.com/classnames/-/classnames-2.5.1.tgz#ba774c614be0f016da105c858e7159eae8e7687b"
+ integrity sha512-saHYOzhIQs6wy2sVxTM6bUDsQO4F50V9RQ22qBpEdCW+I+/Wmke2HOl6lS6dTpdxVhb88/I6+Hs+438c3lfUow==
clean-stack@^2.0.0:
version "2.2.0"
@@ -3166,9 +3250,9 @@ cli-cursor@^3.1.0:
restore-cursor "^3.1.0"
cli-spinners@^2.5.0:
- version "2.7.0"
- resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-2.7.0.tgz#f815fd30b5f9eaac02db604c7a231ed7cb2f797a"
- integrity sha512-qu3pN8Y3qHNgE2AFweciB1IfMnmZ/fsNTEE+NOFjmGB2F/7rLhnhzppvpCnN4FovtP26k8lHyy9ptEbNwWFLzw==
+ version "2.9.2"
+ resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-2.9.2.tgz#1773a8f4b9c4d6ac31563df53b3fc1d79462fe41"
+ integrity sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==
cli-truncate@^2.1.0:
version "2.1.0"
@@ -3367,11 +3451,6 @@ commander@2.9.0:
dependencies:
graceful-readlink ">= 1.0.0"
-commander@^4.0.1:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/commander/-/commander-4.1.1.tgz#9fd602bd936294e9e9ef46a3f4d6964044b18068"
- integrity sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==
-
commander@^5.0.0:
version "5.1.0"
resolved "https://registry.yarnpkg.com/commander/-/commander-5.1.0.tgz#46abbd1652f8e059bddaef99bbdcb2ad9cf179ae"
@@ -3407,10 +3486,10 @@ component-emitter@^1.3.1:
resolved "https://registry.yarnpkg.com/component-emitter/-/component-emitter-1.3.1.tgz#ef1d5796f7d93f135ee6fb684340b26403c97d17"
integrity sha512-T0+barUSQRTUQASh8bx02dl+DhF54GtIDY13Y3m9oWTklKbb3Wv974meRpeZ3lp1JpLVECWWNHC4vaG2XHXouQ==
-compress-commons@^4.1.0:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/compress-commons/-/compress-commons-4.1.1.tgz#df2a09a7ed17447642bad10a85cc9a19e5c42a7d"
- integrity sha512-QLdDLCKNV2dtoTorqgxngQCMA+gWXkM/Nwu7FpeBhk/RdkzimqC3jueb/FDmaZeXh+uby1jkBqE3xArsLBE5wQ==
+compress-commons@^4.1.2:
+ version "4.1.2"
+ resolved "https://registry.yarnpkg.com/compress-commons/-/compress-commons-4.1.2.tgz#6542e59cb63e1f46a8b21b0e06f9a32e4c8b06df"
+ integrity sha512-D3uMHtGc/fcO1Gt1/L7i1e33VOvD4A9hfQLP+6ewd+BvG/gQ84Yh4oftEhAdjSMgBgwGL+jsppT7JYNpo6MHHg==
dependencies:
buffer-crc32 "^0.2.13"
crc32-stream "^4.0.2"
@@ -3422,24 +3501,6 @@ concat-map@0.0.1:
resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
-concat-stream@^1.6.2:
- version "1.6.2"
- resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.2.tgz#904bdf194cd3122fc675c77fc4ac3d4ff0fd1a34"
- integrity sha512-27HBghJxjiZtIk3Ycvn/4kbJk/1uZuJFfuPEns6LaEvpvG1f0hTea8lilrouyo9mVc2GWdcEZ8OLoGmSADlrCw==
- dependencies:
- buffer-from "^1.0.0"
- inherits "^2.0.3"
- readable-stream "^2.2.2"
- typedarray "^0.0.6"
-
-config-chain@^1.1.11:
- version "1.1.13"
- resolved "https://registry.yarnpkg.com/config-chain/-/config-chain-1.1.13.tgz#fad0795aa6a6cdaff9ed1b68e9dff94372c232f4"
- integrity sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==
- dependencies:
- ini "^1.3.4"
- proto-list "~1.2.1"
-
config-master@^3.1.0:
version "3.1.0"
resolved "https://registry.yarnpkg.com/config-master/-/config-master-3.1.0.tgz#667663590505a283bf26a484d68489d74c5485da"
@@ -3464,11 +3525,16 @@ console-control-strings@^1.0.0, console-control-strings@^1.1.0, console-control-
resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e"
integrity sha512-ty/fTekppD2fIwRvnZAVdeOiGd1c7YXEixbgJTNzqcxJWKQnjJ/V1bNEEE6hygpM3WjwHFUVK6HTjWSzV4a8sQ==
-convert-source-map@^1.1.0, convert-source-map@^1.7.0:
+convert-source-map@^1.7.0:
version "1.9.0"
resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.9.0.tgz#7faae62353fb4213366d0ca98358d22e8368b05f"
integrity sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==
+convert-source-map@^2.0.0:
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-2.0.0.tgz#4b560f649fc4e918dd0ab75cf4961e8bc882d82a"
+ integrity sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==
+
cookiejar@^2.1.4:
version "2.1.4"
resolved "https://registry.yarnpkg.com/cookiejar/-/cookiejar-2.1.4.tgz#ee669c1fea2cf42dc31585469d193fef0d65771b"
@@ -3482,11 +3548,11 @@ copy-anything@^2.0.1:
is-what "^3.14.1"
core-js-compat@^3.21.0, core-js-compat@^3.22.1, core-js-compat@^3.6.2:
- version "3.26.1"
- resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.26.1.tgz#0e710b09ebf689d719545ac36e49041850f943df"
- integrity sha512-622/KzTudvXCDLRw70iHW4KKs1aGpcRcowGWyYJr2DEBfRrd6hNJybxSWJFuZYD4ma86xhrwDDHxmDaIq4EA8A==
+ version "3.46.0"
+ resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.46.0.tgz#0c87126a19a1af00371e12b02a2b088a40f3c6f7"
+ integrity sha512-p9hObIIEENxSV8xIu+V68JjSeARg6UVMG5mR+JEUguG3sI6MsiS1njz2jHmyJDvA+8jX/sytkBHup6kxhM9law==
dependencies:
- browserslist "^4.21.4"
+ browserslist "^4.26.3"
core-js@^2.4.1:
version "2.6.12"
@@ -3531,9 +3597,9 @@ crc-32@^1.2.0:
integrity sha512-ROmzCKrTnOwybPcJApAA6WBWij23HVfGVNKqqrZpuyZOHqK2CwHSvpGuyt/UNNvaIjEd8X5IFGp4Mh+Ie1IHJQ==
crc32-stream@^4.0.2:
- version "4.0.2"
- resolved "https://registry.yarnpkg.com/crc32-stream/-/crc32-stream-4.0.2.tgz#c922ad22b38395abe9d3870f02fa8134ed709007"
- integrity sha512-DxFZ/Hk473b/muq1VJ///PMNLj0ZMnzye9thBpmjpJKCc5eMgB95aK8zCGrGfQ90cWo561Te6HK9D+j4KPdM6w==
+ version "4.0.3"
+ resolved "https://registry.yarnpkg.com/crc32-stream/-/crc32-stream-4.0.3.tgz#85dd677eb78fa7cad1ba17cc506a597d41fc6f33"
+ integrity sha512-NT7w2JVU7DFroFdYkeq8cywxrgjPHWkdX1wjpRQXPX5Asews3tA+Ght6lddQO5Mkumffp3X7GEqku3epj2toIw==
dependencies:
crc-32 "^1.2.0"
readable-stream "^3.4.0"
@@ -3553,9 +3619,9 @@ cross-fetch@3.1.5:
node-fetch "2.6.7"
cross-spawn@^7.0.1, cross-spawn@^7.0.2, cross-spawn@^7.0.3:
- version "7.0.3"
- resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
- integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
+ version "7.0.6"
+ resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.6.tgz#8a58fe78f00dcd70c370451759dfbfaf03e8ee9f"
+ integrity sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==
dependencies:
path-key "^3.1.0"
shebang-command "^2.0.0"
@@ -3579,9 +3645,9 @@ cson-parser@^1.3.0:
coffee-script "^1.10.0"
css-select@^5.1.0:
- version "5.1.0"
- resolved "https://registry.yarnpkg.com/css-select/-/css-select-5.1.0.tgz#b8ebd6554c3637ccc76688804ad3f6a6fdaea8a6"
- integrity sha512-nwoRF1rvRRnnCqqY7updORDsuqKzqYJ28+oSMaJMMgOauh3fvwHqMS7EZpIPqK8GL+g9mKxF1vP/ZjSeNjEVHg==
+ version "5.2.2"
+ resolved "https://registry.yarnpkg.com/css-select/-/css-select-5.2.2.tgz#01b6e8d163637bb2dd6c982ca4ed65863682786e"
+ integrity sha512-TizTzUddG/xYLA3NXodFM0fSbNizXjOKhqiQQwvhlspadZokn1KDy0NZFS0wuEubIYAV5/c1/lAr0TaaFXEXzw==
dependencies:
boolbase "^1.0.0"
css-what "^6.1.0"
@@ -3590,9 +3656,9 @@ css-select@^5.1.0:
nth-check "^2.0.1"
css-shorthand-properties@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/css-shorthand-properties/-/css-shorthand-properties-1.1.1.tgz#1c808e63553c283f289f2dd56fcee8f3337bd935"
- integrity sha512-Md+Juc7M3uOdbAFwOYlTrccIZ7oCFuzrhKYQjdeUEW/sE1hv17Jp/Bws+ReOPpGVBTYCBoYo+G17V5Qo8QQ75A==
+ version "1.1.2"
+ resolved "https://registry.yarnpkg.com/css-shorthand-properties/-/css-shorthand-properties-1.1.2.tgz#38fe2d8422190607cdb19c273c42303b774daf99"
+ integrity sha512-C2AugXIpRGQTxaCW0N7n5jD/p5irUmCrwl03TrnMFBHDbdq44CFWR2zO7rK9xPN4Eo3pUxC4vQzQgbIpzrD1PQ==
css-value@^0.0.1:
version "0.0.1"
@@ -3600,30 +3666,29 @@ css-value@^0.0.1:
integrity sha512-FUV3xaJ63buRLgHrLQVlVgQnQdR4yqdLGaDu7g8CQcWjInDfM9plBTPI9FRfpahju1UBSaMckeb2/46ApS/V1Q==
css-what@^6.1.0:
- version "6.1.0"
- resolved "https://registry.yarnpkg.com/css-what/-/css-what-6.1.0.tgz#fb5effcf76f1ddea2c81bdfaa4de44e79bac70f4"
- integrity sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==
+ version "6.2.2"
+ resolved "https://registry.yarnpkg.com/css-what/-/css-what-6.2.2.tgz#cdcc8f9b6977719fdfbd1de7aec24abf756b9dea"
+ integrity sha512-u/O3vwbptzhMs3L1fQE82ZSLHQQfto5gyZzwteVIEyeaY5Fc7R4dapF/BvRoSYFeqfBk4m0V1Vafq5Pjv25wvA==
cssesc@^3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/cssesc/-/cssesc-3.0.0.tgz#37741919903b868565e1c09ea747445cd18983ee"
integrity sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==
-ctags@^3.1.0:
+ctags@^3.1.0, "ctags@https://github.com/pulsar-edit/node-ctags.git#c32ca6017dd3f4ea314d53b044225505820abbe3":
version "3.1.0"
- resolved "https://registry.yarnpkg.com/ctags/-/ctags-3.1.0.tgz#07f133401d573f4614d1eabffb4f7127afcff402"
- integrity sha512-7/aiGLj8Ih7Ko3bAAg8bQUwHjOGXKQ7XC+bv+vLh84BtkVodPEOpOnr65FnWjX2oFWoKSaDuxe7jFHudD2Q0uw==
+ resolved "https://github.com/pulsar-edit/node-ctags.git#c32ca6017dd3f4ea314d53b044225505820abbe3"
dependencies:
event-stream "~3.1.0"
- nan "^2.14.0"
+ nan "2.17.0"
-d@1, d@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/d/-/d-1.0.1.tgz#8698095372d58dbee346ffd0c7093f99f8f9eb5a"
- integrity sha512-m62ShEObQ39CfralilEQRjH6oAMtNCV1xJyEx5LpRYUVN+EviphDgUc/F3hnYbADmkiNs67Y+3ylmlG7Lnu+FA==
+d@1, d@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/d/-/d-1.0.2.tgz#2aefd554b81981e7dccf72d6842ae725cb17e5de"
+ integrity sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw==
dependencies:
- es5-ext "^0.10.50"
- type "^1.0.1"
+ es5-ext "^0.10.64"
+ type "^2.7.2"
d@~0.1.1:
version "0.1.1"
@@ -3644,6 +3709,33 @@ dashdash@^1.12.0:
dependencies:
assert-plus "^1.0.0"
+data-view-buffer@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/data-view-buffer/-/data-view-buffer-1.0.2.tgz#211a03ba95ecaf7798a8c7198d79536211f88570"
+ integrity sha512-EmKO5V3OLXh1rtK2wgXRansaK1/mtVdTUEiEI0W8RkvgT05kfxaH29PliLnpLP73yYO6142Q72QNa8Wx/A5CqQ==
+ dependencies:
+ call-bound "^1.0.3"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.2"
+
+data-view-byte-length@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/data-view-byte-length/-/data-view-byte-length-1.0.2.tgz#9e80f7ca52453ce3e93d25a35318767ea7704735"
+ integrity sha512-tuhGbE6CfTM9+5ANGf+oQb72Ky/0+s3xKUpHvShfiz2RxMFgFPjsXuRLBVMtvMs15awe45SRb83D6wH4ew6wlQ==
+ dependencies:
+ call-bound "^1.0.3"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.2"
+
+data-view-byte-offset@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/data-view-byte-offset/-/data-view-byte-offset-1.0.1.tgz#068307f9b71ab76dbbe10291389e020856606191"
+ integrity sha512-BS8PfmtDGnrgYdOonGZQdLZslWIeCGFP9tpan0hi1Co2Zr2NKADsvGYA8XxuG/4UWgJ6Cjtv+YJnB6MM69QGlQ==
+ dependencies:
+ call-bound "^1.0.2"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.1"
+
date-format@^4.0.14:
version "4.0.14"
resolved "https://registry.yarnpkg.com/date-format/-/date-format-4.0.14.tgz#7a8e584434fb169a521c8b7aa481f355810d9400"
@@ -3656,7 +3748,14 @@ debug@3.2.6:
dependencies:
ms "^2.1.1"
-debug@4, debug@4.3.4, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1, debug@^4.3.2, debug@^4.3.3, debug@^4.3.4:
+debug@4, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1, debug@^4.3.2, debug@^4.3.3, debug@^4.3.4, debug@^4.3.7:
+ version "4.4.3"
+ resolved "https://registry.yarnpkg.com/debug/-/debug-4.4.3.tgz#c6ae432d9bd9662582fce08709b038c58e9e3d6a"
+ integrity sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==
+ dependencies:
+ ms "^2.1.3"
+
+debug@4.3.4:
version "4.3.4"
resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865"
integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==
@@ -3670,25 +3769,16 @@ debug@^2.2.0, debug@^2.6.8, debug@^2.6.9:
dependencies:
ms "2.0.0"
-debug@^3.2.6:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a"
- integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==
- dependencies:
- ms "^2.1.1"
-
-debug@^4.3.7:
- version "4.4.3"
- resolved "https://registry.yarnpkg.com/debug/-/debug-4.4.3.tgz#c6ae432d9bd9662582fce08709b038c58e9e3d6a"
- integrity sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==
- dependencies:
- ms "^2.1.3"
-
decamelize@^1.1.1, decamelize@^1.2.0:
version "1.2.0"
resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290"
integrity sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==
+decimal.js@^10.4.3:
+ version "10.6.0"
+ resolved "https://registry.yarnpkg.com/decimal.js/-/decimal.js-10.6.0.tgz#e649a43e3ab953a72192ff5983865e509f37ed9a"
+ integrity sha512-YpgQiITW3JXGntzdUmyUR1V812Hn8T1YVXhCu+wO3OpS4eU9l4YdD3qjyiKdV6mvV29zapkMeD390UVEf2lkUg==
+
decompress-response@^3.3.0:
version "3.3.0"
resolved "https://registry.yarnpkg.com/decompress-response/-/decompress-response-3.3.0.tgz#80a4dd323748384bfa248083622aedec982adff3"
@@ -3716,9 +3806,9 @@ dedent@^0.7.0:
integrity sha512-Q6fKUPqnAHAyhiUgFU7BUzLiv0kd8saH9al7tnu5Q/okj6dnupxyTgFIBjVzJATdfIAm9NAsvXNzjaKa+bxVyA==
dedent@^1.5.3:
- version "1.5.3"
- resolved "https://registry.yarnpkg.com/dedent/-/dedent-1.5.3.tgz#99aee19eb9bae55a67327717b6e848d0bf777e5a"
- integrity sha512-NHQtfOOW68WD8lgypbLA5oT+Bt0xXJhiYvoR6SmmNXZfpzOGXwdKWmcwG8N7PwVVWV3eF/68nmD9BaJSsTBhyQ==
+ version "1.7.0"
+ resolved "https://registry.yarnpkg.com/dedent/-/dedent-1.7.0.tgz#c1f9445335f0175a96587be245a282ff451446ca"
+ integrity sha512-HGFtf8yhuhGhqO07SV79tRp+br4MnbdjeVxotpn1QBl30pcLLCQjX5b2295ll0fv8RKDKsmWYrl05usHM9CewQ==
deep-eql@^3.0.1:
version "3.0.1"
@@ -3727,27 +3817,6 @@ deep-eql@^3.0.1:
dependencies:
type-detect "^4.0.0"
-deep-equal@^2.0.5:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/deep-equal/-/deep-equal-2.1.0.tgz#5ba60402cf44ab92c2c07f3f3312c3d857a0e1dd"
- integrity sha512-2pxgvWu3Alv1PoWEyVg7HS8YhGlUFUV7N5oOvfL6d+7xAmLSemMwv/c8Zv/i9KFzxV5Kt5CAvQc70fLwVuf4UA==
- dependencies:
- call-bind "^1.0.2"
- es-get-iterator "^1.1.2"
- get-intrinsic "^1.1.3"
- is-arguments "^1.1.1"
- is-date-object "^1.0.5"
- is-regex "^1.1.4"
- isarray "^2.0.5"
- object-is "^1.1.5"
- object-keys "^1.1.1"
- object.assign "^4.1.4"
- regexp.prototype.flags "^1.4.3"
- side-channel "^1.0.4"
- which-boxed-primitive "^1.0.2"
- which-collection "^1.0.1"
- which-typed-array "^1.1.8"
-
deep-extend@^0.6.0, deep-extend@~0.6.0:
version "0.6.0"
resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.6.0.tgz#c4fa7c95404a17a9c3e8ca7e1537312b736330ac"
@@ -3759,9 +3828,9 @@ deep-is@^0.1.3:
integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
deepmerge@^4.0.0:
- version "4.2.2"
- resolved "https://registry.yarnpkg.com/deepmerge/-/deepmerge-4.2.2.tgz#44d2ea3679b8f4d4ffba33f03d865fc1e7bf4955"
- integrity sha512-FJ3UgI4gIl+PHZm53knsuSFpE+nESMr7M4v9QcgB7S63Kj/6WqMiFQJpBBYz1Pt+66bZpP3Q7Lye0Oo9MPKEdg==
+ version "4.3.1"
+ resolved "https://registry.yarnpkg.com/deepmerge/-/deepmerge-4.3.1.tgz#44b5f2147cd3b00d4b56137685966f26fd25dd4a"
+ integrity sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==
defaults@^1.0.3:
version "1.0.4"
@@ -3780,11 +3849,21 @@ defer-to-connect@^2.0.0:
resolved "https://registry.yarnpkg.com/defer-to-connect/-/defer-to-connect-2.0.1.tgz#8016bdb4143e4632b77a3449c6236277de520587"
integrity sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==
-define-properties@^1.1.2, define-properties@^1.1.3, define-properties@^1.1.4:
+define-data-property@^1.0.1, define-data-property@^1.1.4:
version "1.1.4"
- resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.1.4.tgz#0b14d7bd7fbeb2f3572c3a7eda80ea5d57fb05b1"
- integrity sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==
+ resolved "https://registry.yarnpkg.com/define-data-property/-/define-data-property-1.1.4.tgz#894dc141bb7d3060ae4366f6a0107e68fbe48c5e"
+ integrity sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==
+ dependencies:
+ es-define-property "^1.0.0"
+ es-errors "^1.3.0"
+ gopd "^1.0.1"
+
+define-properties@^1.1.2, define-properties@^1.2.1:
+ version "1.2.1"
+ resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.1.tgz#10781cc616eb951a80a034bafcaa7377f6af2b6c"
+ integrity sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==
dependencies:
+ define-data-property "^1.0.1"
has-property-descriptors "^1.0.0"
object-keys "^1.1.1"
@@ -3805,11 +3884,6 @@ delegato@^1.0.0:
dependencies:
mixto "1.x"
-depd@^1.1.2:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9"
- integrity sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==
-
"deprecation-cop@file:packages/deprecation-cop":
version "0.56.9"
dependencies:
@@ -3823,10 +3897,10 @@ detect-libc@^1.0.3:
resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-1.0.3.tgz#fa137c4bd698edf55cd5cd02ac559f91a4c4ba9b"
integrity sha512-pGjwhsmsp4kL2RTz08wcOlGN83otlqHeD/Z5T8GXZB+/YcpQ/dgo+lbU8ZsGxV0HIvqqxo9l7mqYwyYMD9bKDg==
-detect-libc@^2.0.0:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-2.0.2.tgz#8ccf2ba9315350e1241b88d0ac3b0e1fbd99605d"
- integrity sha512-UX6sGumvvqSaXgdKGUsgZWqcUyIXZ/vZTrlRT/iobiKhGL0zL4d3osHj3uqllWJK+i+sixDS/3COVEOFbupFyw==
+detect-libc@^2.0.0, detect-libc@^2.0.1:
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-2.1.2.tgz#689c5dcdc1900ef5583a4cb9f6d7b473742074ad"
+ integrity sha512-Btj2BOOO83o3WyH59e8MgXsxEQVcarkUOpEYrubB0urwnN10yQ364rsiByU11nZlqWYZm05i/of7io4mzihBtQ==
detect-node@^2.0.4:
version "2.1.0"
@@ -3900,17 +3974,17 @@ dir-compare@^2.4.0:
commander "2.9.0"
minimatch "3.0.4"
-dmd@^6.2.0:
- version "6.2.0"
- resolved "https://registry.yarnpkg.com/dmd/-/dmd-6.2.0.tgz#d267a9fb1ce62b74edca8bf5bcbd3b8e08574fe7"
- integrity sha512-uXWxLF1H7TkUAuoHK59/h/ts5cKavm2LnhrIgJWisip4BVzPoXavlwyoprFFn2CzcahKYgvkfaebS6oxzgflkg==
+dmd@^6.2.3:
+ version "6.2.3"
+ resolved "https://registry.yarnpkg.com/dmd/-/dmd-6.2.3.tgz#edd644e07c334ca27861b5be81144629420c5c53"
+ integrity sha512-SIEkjrG7cZ9GWZQYk/mH+mWtcRPly/3ibVuXO/tP/MFoWz6KiRK77tSMq6YQBPl7RljPtXPQ/JhxbNuCdi1bNw==
dependencies:
array-back "^6.2.2"
cache-point "^2.0.0"
common-sequence "^2.0.2"
file-set "^4.0.2"
- handlebars "^4.7.7"
- marked "^4.2.3"
+ handlebars "^4.7.8"
+ marked "^4.3.0"
object-get "^2.1.1"
reduce-flatten "^3.0.1"
reduce-unique "^2.0.1"
@@ -3971,7 +4045,7 @@ domelementtype@^2.3.0:
resolved "https://registry.yarnpkg.com/domelementtype/-/domelementtype-2.3.0.tgz#5c45e8e869952626331d7aab326d01daf65d589d"
integrity sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==
-domhandler@^5.0.1, domhandler@^5.0.2, domhandler@^5.0.3:
+domhandler@^5.0.2, domhandler@^5.0.3:
version "5.0.3"
resolved "https://registry.yarnpkg.com/domhandler/-/domhandler-5.0.3.tgz#cc385f7f751f1d1fc650c21374804254538c7d31"
integrity sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==
@@ -3984,20 +4058,20 @@ dompurify@2.0.17:
integrity sha512-nNwwJfW55r8akD8MSFz6k75bzyT2y6JEa1O3JrZFBf+Y5R9JXXU4OsRl0B9hKoPgHTw2b7ER5yJ5Md97MMUJPg==
dompurify@^3.0.6, dompurify@^3.2.6:
- version "3.2.6"
- resolved "https://registry.yarnpkg.com/dompurify/-/dompurify-3.2.6.tgz#ca040a6ad2b88e2a92dc45f38c79f84a714a1cad"
- integrity sha512-/2GogDQlohXPZe6D6NOgQvXLPSYBqIWMnZ8zzOhn09REE4eyAzb+Hed3jhoM9OkuaJ8P6ZGTTVWQKAi8ieIzfQ==
+ version "3.3.0"
+ resolved "https://registry.yarnpkg.com/dompurify/-/dompurify-3.3.0.tgz#aaaadbb83d87e1c2fbb066452416359e5b62ec97"
+ integrity sha512-r+f6MYR1gGN1eJv0TVQbhA7if/U7P87cdPl3HN5rikqaBSBxLiCb/b9O+2eG0cxz0ghyU+mU1QkbsOwERMYlWQ==
optionalDependencies:
"@types/trusted-types" "^2.0.7"
-domutils@^3.0.1:
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/domutils/-/domutils-3.0.1.tgz#696b3875238338cb186b6c0612bd4901c89a4f1c"
- integrity sha512-z08c1l761iKhDFtfXO04C7kTdPBLi41zwOZl00WS8b5eiaebNpY00HKbztwBq+e3vyqWNwWF3mP9YLUeqIrF+Q==
+domutils@^3.0.1, domutils@^3.2.1, domutils@^3.2.2:
+ version "3.2.2"
+ resolved "https://registry.yarnpkg.com/domutils/-/domutils-3.2.2.tgz#edbfe2b668b0c1d97c24baf0f1062b132221bc78"
+ integrity sha512-6kZKyUajlDuqlHKVX1w7gyslj9MPIXzIFiz/rGu35uC1wMi+kMhQwGhl4lt9unC9Vb9INnY9Z3/ZA3+FhASLaw==
dependencies:
dom-serializer "^2.0.0"
domelementtype "^2.3.0"
- domhandler "^5.0.1"
+ domhandler "^5.0.3"
dot-prop@^5.2.0:
version "5.3.0"
@@ -4024,7 +4098,7 @@ dugite@2.5.2:
progress "^2.0.3"
tar "^6.1.11"
-dunder-proto@^1.0.1:
+dunder-proto@^1.0.0, dunder-proto@^1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/dunder-proto/-/dunder-proto-1.0.1.tgz#d7ae667e1dc83482f8b70fd0f6eefc50da30f58a"
integrity sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==
@@ -4060,9 +4134,9 @@ edge-paths@^2.1.0:
which "^2.0.2"
ejs@^3.1.7:
- version "3.1.8"
- resolved "https://registry.yarnpkg.com/ejs/-/ejs-3.1.8.tgz#758d32910c78047585c7ef1f92f9ee041c1c190b"
- integrity sha512-/sXZeMlhS0ArkfX2Aw780gJzXSMPnKjtspYZv+f3NiKLlubezAHDU5+9xz6gd3/NhG3txQCo6xlglmTS+oTGEQ==
+ version "3.1.10"
+ resolved "https://registry.yarnpkg.com/ejs/-/ejs-3.1.10.tgz#69ab8358b14e896f80cc39e62087b88500c3ac3b"
+ integrity sha512-UeJmFfOrAQS8OJWPZ4qtgHyWExa088/MtK5UEyoJGFH67cDEXkZSviOiKRCZ4Xij0zxI3JECgYs3oKx+AizQBA==
dependencies:
jake "^10.8.5"
@@ -4109,41 +4183,21 @@ electron-publish@23.3.0:
lazy-val "^1.0.5"
mime "^2.5.2"
-electron-rebuild@3.2.7:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/electron-rebuild/-/electron-rebuild-3.2.7.tgz#0f56c1cc99a6fec0a5b990532283c2a8c838c19b"
- integrity sha512-WvaW1EgRinDQ61khHFZfx30rkPQG5ItaOT0wrI7iJv9A3SbghriQGfZQfHZs25fWLBe6/vkv05LOqg6aDw6Wzw==
- dependencies:
- "@malept/cross-spawn-promise" "^2.0.0"
- chalk "^4.0.0"
- debug "^4.1.1"
- detect-libc "^1.0.3"
- fs-extra "^10.0.0"
- got "^11.7.0"
- lzma-native "^8.0.5"
- node-abi "^3.0.0"
- node-api-version "^0.1.4"
- node-gyp "^8.4.0"
- ora "^5.1.0"
- semver "^7.3.5"
- tar "^6.0.5"
- yargs "^17.0.1"
-
-electron-to-chromium@^1.4.251:
- version "1.4.284"
- resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.284.tgz#61046d1e4cab3a25238f6bf7413795270f125592"
- integrity sha512-M8WEXFuKXMYMVr45fo8mq0wUrrJHheiKZf6BArTKk9ZBYCKJEOU5H8cdWgDT+qCVZf7Na4lVUaZsA+h6uA9+PA==
+electron-to-chromium@^1.5.227:
+ version "1.5.237"
+ resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.5.237.tgz#eacf61cef3f6345d0069ab427585c5a04d7084f0"
+ integrity sha512-icUt1NvfhGLar5lSWH3tHNzablaA5js3HVHacQimfP8ViEBOQv+L7DKEuHdbTZ0SKCO1ogTJTIL1Gwk9S6Qvcg==
-electron@12.2.3:
- version "12.2.3"
- resolved "https://registry.yarnpkg.com/electron/-/electron-12.2.3.tgz#d426a7861e3c722f92c32153f11f7bbedf65b000"
- integrity sha512-B27c7eqx1bC5kea6An8oVhk1pShNC4VGqWarHMhD47MDtmg54KepHO5AbAvmKKZK/jWN7NTC7wyCYTDElJNtQA==
+electron@30.0.9:
+ version "30.0.9"
+ resolved "https://registry.yarnpkg.com/electron/-/electron-30.0.9.tgz#b11400e4642a4b635e79244ba365f1d401ee60b5"
+ integrity sha512-ArxgdGHVu3o5uaP+Tqj8cJDvU03R6vrGrOqiMs7JXLnvQHMqXJIIxmFKQAIdJW8VoT3ac3hD21tA7cPO10RLow==
dependencies:
- "@electron/get" "^1.0.1"
- "@types/node" "^14.6.2"
- extract-zip "^1.0.3"
+ "@electron/get" "^2.0.0"
+ "@types/node" "^20.9.0"
+ extract-zip "^2.0.1"
-emissary@^1.0.0, emissary@^1.1.0, emissary@^1.2.0, emissary@^1.3.2, emissary@^1.3.3:
+emissary@^1.0.0, emissary@^1.2.0, emissary@^1.3.2, emissary@^1.3.3:
version "1.3.3"
resolved "https://registry.yarnpkg.com/emissary/-/emissary-1.3.3.tgz#a618d92d682b232d31111dc3625a5df661799606"
integrity sha512-pD6FWNBSlEOzSJDCTcSGVLgNnGw5fnCvvGMdQ/TN43efeXZ/QTq8+hZoK3OOEXPRNjMmSJmeOnEJh+bWT5O8rQ==
@@ -4168,11 +4222,6 @@ emoji-regex@^8.0.0:
resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37"
integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==
-encodeurl@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59"
- integrity sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==
-
"encoding-selector@file:packages/encoding-selector":
version "0.23.9"
dependencies:
@@ -4180,29 +4229,37 @@ encodeurl@^1.0.2:
iconv-lite "^0.4.4"
jschardet "^1.1.0"
-encoding@^0.1.11, encoding@^0.1.12:
+encoding-sniffer@^0.2.1:
+ version "0.2.1"
+ resolved "https://registry.yarnpkg.com/encoding-sniffer/-/encoding-sniffer-0.2.1.tgz#396ec97ac22ce5a037ba44af1992ac9d46a7b819"
+ integrity sha512-5gvq20T6vfpekVtqrYQsSCFZ1wEg5+wW0/QaZMWkFr6BqD3NfKs0rLCx4rrVlSWJeZb5NBJgVLswK/w2MWU+Gw==
+ dependencies:
+ iconv-lite "^0.6.3"
+ whatwg-encoding "^3.1.1"
+
+encoding@^0.1.11, encoding@^0.1.13:
version "0.1.13"
resolved "https://registry.yarnpkg.com/encoding/-/encoding-0.1.13.tgz#56574afdd791f54a8e9b2785c0582a2d26210fa9"
integrity sha512-ETBauow1T35Y/WZMkio9jiM0Z5xjHHmJ4XmjZOq1l/dXz3lr2sRn87nJy20RupqSh1F2m3HHPSp8ShIPQJrJ3A==
dependencies:
iconv-lite "^0.6.2"
-end-of-stream@^1.0.0, end-of-stream@^1.1.0, end-of-stream@^1.4.1:
- version "1.4.4"
- resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0"
- integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==
+end-of-stream@^1.1.0, end-of-stream@^1.4.1:
+ version "1.4.5"
+ resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.5.tgz#7344d711dea40e0b74abc2ed49778743ccedb08c"
+ integrity sha512-ooEGc6HP26xXq/N+GCGOT0JKCLDGrq2bQUZrQ7gyrJiZANJ/8YDTxTpQBXGMn+WbIQXNVpyWymm7KYVICQnyOg==
dependencies:
once "^1.4.0"
-entities@^4.2.0, entities@^4.3.0, entities@^4.4.0:
- version "4.4.0"
- resolved "https://registry.yarnpkg.com/entities/-/entities-4.4.0.tgz#97bdaba170339446495e653cfd2db78962900174"
- integrity sha512-oYp7156SP8LkeGD0GF85ad1X9Ai79WtRsZ2gxJqtBuzH+98YUV6jkHEKlZkMbcrjJjIVJNIDP/3WL9wQkoPbWA==
+entities@^4.2.0, entities@^4.4.0:
+ version "4.5.0"
+ resolved "https://registry.yarnpkg.com/entities/-/entities-4.5.0.tgz#5d268ea5e7113ec74c4d033b79ea5a35a488fb48"
+ integrity sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==
-entities@~2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/entities/-/entities-2.1.0.tgz#992d3129cf7df6870b96c57858c249a120f8b8b5"
- integrity sha512-hCx1oky9PFrJ611mf0ifBLBRW8lUUVRlFolb5gWRfIELabBlbp9xZvrqZLZAs+NxFnbfQoeGd8wDkygjg7U85w==
+entities@^6.0.0:
+ version "6.0.1"
+ resolved "https://registry.yarnpkg.com/entities/-/entities-6.0.1.tgz#c28c34a43379ca7f61d074130b2f5f7020a30694"
+ integrity sha512-aN97NXWF6AWBTahfVOIrB/NShkzi5H7F9r1s9mD3cDj4Ko5f2qhhVoYMibXF7GlLveb/D2ioWay8lxI97Ven3g==
entities@~3.0.1:
version "3.0.1"
@@ -4227,48 +4284,78 @@ errno@^0.1.1:
prr "~1.0.1"
error-ex@^1.3.1:
- version "1.3.2"
- resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.2.tgz#b4ac40648107fdcdcfae242f428bea8a14d4f1bf"
- integrity sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==
- dependencies:
- is-arrayish "^0.2.1"
-
-es-abstract@^1.19.0, es-abstract@^1.20.4:
- version "1.20.4"
- resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.20.4.tgz#1d103f9f8d78d4cf0713edcd6d0ed1a46eed5861"
- integrity sha512-0UtvRN79eMe2L+UNEF1BwRe364sj/DXhQ/k5FmivgoSdpM90b8Jc0mDzKMGo7QS0BVbOP/bTwBKNnDc9rNzaPA==
- dependencies:
- call-bind "^1.0.2"
- es-to-primitive "^1.2.1"
- function-bind "^1.1.1"
- function.prototype.name "^1.1.5"
- get-intrinsic "^1.1.3"
- get-symbol-description "^1.0.0"
- has "^1.0.3"
- has-property-descriptors "^1.0.0"
- has-symbols "^1.0.3"
- internal-slot "^1.0.3"
+ version "1.3.4"
+ resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.4.tgz#b3a8d8bb6f92eecc1629e3e27d3c8607a8a32414"
+ integrity sha512-sqQamAnR14VgCr1A618A3sGrygcpK+HEbenA/HiEAkkUwcZIIB/tgWqHFxWgOyDh4nB4JCRimh79dR5Ywc9MDQ==
+ dependencies:
+ is-arrayish "^0.2.1"
+
+es-abstract@^1.23.2, es-abstract@^1.23.5, es-abstract@^1.23.9:
+ version "1.24.0"
+ resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.24.0.tgz#c44732d2beb0acc1ed60df840869e3106e7af328"
+ integrity sha512-WSzPgsdLtTcQwm4CROfS5ju2Wa1QQcVeT37jFjYzdFz1r9ahadC8B8/a4qxJxM+09F18iumCdRmlr96ZYkQvEg==
+ dependencies:
+ array-buffer-byte-length "^1.0.2"
+ arraybuffer.prototype.slice "^1.0.4"
+ available-typed-arrays "^1.0.7"
+ call-bind "^1.0.8"
+ call-bound "^1.0.4"
+ data-view-buffer "^1.0.2"
+ data-view-byte-length "^1.0.2"
+ data-view-byte-offset "^1.0.1"
+ es-define-property "^1.0.1"
+ es-errors "^1.3.0"
+ es-object-atoms "^1.1.1"
+ es-set-tostringtag "^2.1.0"
+ es-to-primitive "^1.3.0"
+ function.prototype.name "^1.1.8"
+ get-intrinsic "^1.3.0"
+ get-proto "^1.0.1"
+ get-symbol-description "^1.1.0"
+ globalthis "^1.0.4"
+ gopd "^1.2.0"
+ has-property-descriptors "^1.0.2"
+ has-proto "^1.2.0"
+ has-symbols "^1.1.0"
+ hasown "^2.0.2"
+ internal-slot "^1.1.0"
+ is-array-buffer "^3.0.5"
is-callable "^1.2.7"
- is-negative-zero "^2.0.2"
- is-regex "^1.1.4"
- is-shared-array-buffer "^1.0.2"
- is-string "^1.0.7"
- is-weakref "^1.0.2"
- object-inspect "^1.12.2"
+ is-data-view "^1.0.2"
+ is-negative-zero "^2.0.3"
+ is-regex "^1.2.1"
+ is-set "^2.0.3"
+ is-shared-array-buffer "^1.0.4"
+ is-string "^1.1.1"
+ is-typed-array "^1.1.15"
+ is-weakref "^1.1.1"
+ math-intrinsics "^1.1.0"
+ object-inspect "^1.13.4"
object-keys "^1.1.1"
- object.assign "^4.1.4"
- regexp.prototype.flags "^1.4.3"
- safe-regex-test "^1.0.0"
- string.prototype.trimend "^1.0.5"
- string.prototype.trimstart "^1.0.5"
- unbox-primitive "^1.0.2"
+ object.assign "^4.1.7"
+ own-keys "^1.0.1"
+ regexp.prototype.flags "^1.5.4"
+ safe-array-concat "^1.1.3"
+ safe-push-apply "^1.0.0"
+ safe-regex-test "^1.1.0"
+ set-proto "^1.0.0"
+ stop-iteration-iterator "^1.1.0"
+ string.prototype.trim "^1.2.10"
+ string.prototype.trimend "^1.0.9"
+ string.prototype.trimstart "^1.0.8"
+ typed-array-buffer "^1.0.3"
+ typed-array-byte-length "^1.0.3"
+ typed-array-byte-offset "^1.0.4"
+ typed-array-length "^1.0.7"
+ unbox-primitive "^1.1.0"
+ which-typed-array "^1.1.19"
es-array-method-boxes-properly@^1.0.0:
version "1.0.0"
resolved "https://registry.yarnpkg.com/es-array-method-boxes-properly/-/es-array-method-boxes-properly-1.0.0.tgz#873f3e84418de4ee19c5be752990b2e44718d09e"
integrity sha512-wd6JXUmyHmt8T5a2xreUwKcGPq6f1f+WwIJkijUqiGcJz1qqnZgP6XIK+QyIWU5lT7imeNxUll48bziG+TSYcA==
-es-define-property@^1.0.1:
+es-define-property@^1.0.0, es-define-property@^1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/es-define-property/-/es-define-property-1.0.1.tgz#983eb2f9a6724e9303f61addf011c72e09e0b0fa"
integrity sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==
@@ -4278,20 +4365,6 @@ es-errors@^1.3.0:
resolved "https://registry.yarnpkg.com/es-errors/-/es-errors-1.3.0.tgz#05f75a25dab98e4fb1dcd5e1472c0546d5057c8f"
integrity sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==
-es-get-iterator@^1.1.2:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/es-get-iterator/-/es-get-iterator-1.1.2.tgz#9234c54aba713486d7ebde0220864af5e2b283f7"
- integrity sha512-+DTO8GYwbMCwbywjimwZMHp8AuYXOS2JZFWoi2AlPOS3ebnII9w/NLpNZtA7A0YLaVDw+O7KFCeoIV7OPvM7hQ==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.0"
- has-symbols "^1.0.1"
- is-arguments "^1.1.0"
- is-map "^2.0.2"
- is-set "^2.0.2"
- is-string "^1.0.5"
- isarray "^2.0.5"
-
es-object-atoms@^1.0.0, es-object-atoms@^1.1.1:
version "1.1.1"
resolved "https://registry.yarnpkg.com/es-object-atoms/-/es-object-atoms-1.1.1.tgz#1c4f2c4837327597ce69d2ca190a7fdd172338c1"
@@ -4309,16 +4382,16 @@ es-set-tostringtag@^2.1.0:
has-tostringtag "^1.0.2"
hasown "^2.0.2"
-es-to-primitive@^1.2.1:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
- integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
+es-to-primitive@^1.3.0:
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.3.0.tgz#96c89c82cc49fd8794a24835ba3e1ff87f214e18"
+ integrity sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==
dependencies:
- is-callable "^1.1.4"
- is-date-object "^1.0.1"
- is-symbol "^1.0.2"
+ is-callable "^1.2.7"
+ is-date-object "^1.0.5"
+ is-symbol "^1.0.4"
-es5-ext@^0.10.35, es5-ext@^0.10.50, "es5-ext@https://github.com/pulsar-edit/es5-ext#169f6ae9b2675675269a0ba265f83c29c7b56244", es5-ext@~0.10.2, es5-ext@~0.10.5, es5-ext@~0.10.6:
+es5-ext@^0.10.35, es5-ext@^0.10.64, "es5-ext@https://github.com/pulsar-edit/es5-ext#169f6ae9b2675675269a0ba265f83c29c7b56244", es5-ext@~0.10.2, es5-ext@~0.10.5, es5-ext@~0.10.6:
version "0.10.62"
resolved "https://github.com/pulsar-edit/es5-ext#169f6ae9b2675675269a0ba265f83c29c7b56244"
dependencies:
@@ -4350,12 +4423,12 @@ es6-iterator@~0.1.3:
es6-symbol "~2.0.1"
es6-symbol@^3.1.1, es6-symbol@^3.1.3:
- version "3.1.3"
- resolved "https://registry.yarnpkg.com/es6-symbol/-/es6-symbol-3.1.3.tgz#bad5d3c1bcdac28269f4cb331e431c78ac705d18"
- integrity sha512-NJ6Yn3FuDinBaBRWl/q5X/s4koRHBrgKAu+yGI6JCBeiu3qrcbJhwT2GeR/EXVfylRk8dpQVJoLEFhK+Mu31NA==
+ version "3.1.4"
+ resolved "https://registry.yarnpkg.com/es6-symbol/-/es6-symbol-3.1.4.tgz#f4e7d28013770b4208ecbf3e0bf14d3bcb557b8c"
+ integrity sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg==
dependencies:
- d "^1.0.1"
- ext "^1.1.2"
+ d "^1.0.2"
+ ext "^1.7.0"
es6-symbol@~2.0.1:
version "2.0.1"
@@ -4375,10 +4448,10 @@ es6-weak-map@^0.1.2:
es6-iterator "~0.1.3"
es6-symbol "~2.0.1"
-escalade@^3.1.1:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40"
- integrity sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==
+escalade@^3.1.1, escalade@^3.2.0:
+ version "3.2.0"
+ resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.2.0.tgz#011a3f69856ba189dffa7dc8fcce99d2a87903e5"
+ integrity sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==
escape-goat@^2.0.0:
version "2.1.1"
@@ -4409,9 +4482,9 @@ eslint-plugin-es@^3.0.0:
regexpp "^3.0.0"
eslint-plugin-jsdoc@^39.7.4:
- version "39.7.4"
- resolved "https://registry.yarnpkg.com/eslint-plugin-jsdoc/-/eslint-plugin-jsdoc-39.7.4.tgz#fec1b5a3cfcbb706980e98e0dbb60ae1f31777d7"
- integrity sha512-2eJcWGKRyNQFa37UIpGcAdOp3wtES8vV3mlnFmEmJCuBNyFhK6cMhbZgMkLoLjKnipoxsN9GbfZZ+8nPY8ETZQ==
+ version "39.9.1"
+ resolved "https://registry.yarnpkg.com/eslint-plugin-jsdoc/-/eslint-plugin-jsdoc-39.9.1.tgz#e9ce1723411fd7ea0933b3ef0dd02156ae3068e2"
+ integrity sha512-Rq2QY6BZP2meNIs48aZ3GlIlJgBqFCmR55+UBvaDkA3ZNQ0SvQXOs2QKkubakEijV8UbIVbVZKsOVN8G3MuqZw==
dependencies:
"@es-joy/jsdoccomment" "~0.36.1"
comment-parser "1.3.1"
@@ -4433,10 +4506,10 @@ eslint-plugin-node@^11.1.0:
resolve "^1.10.1"
semver "^6.1.0"
-eslint-scope@^7.1.1:
- version "7.1.1"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.1.1.tgz#fff34894c2f65e5226d3041ac480b4513a163642"
- integrity sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==
+eslint-scope@^7.2.2:
+ version "7.2.2"
+ resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.2.tgz#deb4f92563390f32006894af62a22dba1c46423f"
+ integrity sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==
dependencies:
esrecurse "^4.3.0"
estraverse "^5.2.0"
@@ -4448,91 +4521,78 @@ eslint-utils@^2.0.0:
dependencies:
eslint-visitor-keys "^1.1.0"
-eslint-utils@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-3.0.0.tgz#8aebaface7345bb33559db0a1f13a1d2d48c3672"
- integrity sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==
- dependencies:
- eslint-visitor-keys "^2.0.0"
-
eslint-visitor-keys@^1.1.0:
version "1.3.0"
resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz#30ebd1ef7c2fdff01c3a4f151044af25fab0523e"
integrity sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==
-eslint-visitor-keys@^2.0.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303"
- integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==
-
-eslint-visitor-keys@^3.3.0:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz#f6480fa6b1f30efe2d1968aa8ac745b862469826"
- integrity sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==
+eslint-visitor-keys@^3.4.1, eslint-visitor-keys@^3.4.3:
+ version "3.4.3"
+ resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz#0cd72fe8550e3c2eae156a96a4dddcd1c8ac5800"
+ integrity sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==
eslint@^8.33.0:
- version "8.33.0"
- resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.33.0.tgz#02f110f32998cb598c6461f24f4d306e41ca33d7"
- integrity sha512-WjOpFQgKK8VrCnAtl8We0SUOy/oVZ5NHykyMiagV1M9r8IFpIJX7DduK6n1mpfhlG7T1NLWm2SuD8QB7KFySaA==
- dependencies:
- "@eslint/eslintrc" "^1.4.1"
- "@humanwhocodes/config-array" "^0.11.8"
+ version "8.57.1"
+ resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.57.1.tgz#7df109654aba7e3bbe5c8eae533c5e461d3c6ca9"
+ integrity sha512-ypowyDxpVSYpkXr9WPv2PAZCtNip1Mv5KTW0SCurXv/9iOpcrH9PaqUElksqEB6pChqHGDRCFTyrZlGhnLNGiA==
+ dependencies:
+ "@eslint-community/eslint-utils" "^4.2.0"
+ "@eslint-community/regexpp" "^4.6.1"
+ "@eslint/eslintrc" "^2.1.4"
+ "@eslint/js" "8.57.1"
+ "@humanwhocodes/config-array" "^0.13.0"
"@humanwhocodes/module-importer" "^1.0.1"
"@nodelib/fs.walk" "^1.2.8"
- ajv "^6.10.0"
+ "@ungap/structured-clone" "^1.2.0"
+ ajv "^6.12.4"
chalk "^4.0.0"
cross-spawn "^7.0.2"
debug "^4.3.2"
doctrine "^3.0.0"
escape-string-regexp "^4.0.0"
- eslint-scope "^7.1.1"
- eslint-utils "^3.0.0"
- eslint-visitor-keys "^3.3.0"
- espree "^9.4.0"
- esquery "^1.4.0"
+ eslint-scope "^7.2.2"
+ eslint-visitor-keys "^3.4.3"
+ espree "^9.6.1"
+ esquery "^1.4.2"
esutils "^2.0.2"
fast-deep-equal "^3.1.3"
file-entry-cache "^6.0.1"
find-up "^5.0.0"
glob-parent "^6.0.2"
globals "^13.19.0"
- grapheme-splitter "^1.0.4"
+ graphemer "^1.4.0"
ignore "^5.2.0"
- import-fresh "^3.0.0"
imurmurhash "^0.1.4"
is-glob "^4.0.0"
is-path-inside "^3.0.3"
- js-sdsl "^4.1.4"
js-yaml "^4.1.0"
json-stable-stringify-without-jsonify "^1.0.1"
levn "^0.4.1"
lodash.merge "^4.6.2"
minimatch "^3.1.2"
natural-compare "^1.4.0"
- optionator "^0.9.1"
- regexpp "^3.2.0"
+ optionator "^0.9.3"
strip-ansi "^6.0.1"
- strip-json-comments "^3.1.0"
text-table "^0.2.0"
-espree@^9.4.0:
- version "9.4.1"
- resolved "https://registry.yarnpkg.com/espree/-/espree-9.4.1.tgz#51d6092615567a2c2cff7833445e37c28c0065bd"
- integrity sha512-XwctdmTO6SIvCzd9810yyNzIrOrqNYV9Koizx4C/mRhf9uq0o4yHoCEU/670pOxOL/MSraektvSAji79kX90Vg==
+espree@^9.6.0, espree@^9.6.1:
+ version "9.6.1"
+ resolved "https://registry.yarnpkg.com/espree/-/espree-9.6.1.tgz#a2a17b8e434690a5432f2f8018ce71d331a48c6f"
+ integrity sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==
dependencies:
- acorn "^8.8.0"
+ acorn "^8.9.0"
acorn-jsx "^5.3.2"
- eslint-visitor-keys "^3.3.0"
+ eslint-visitor-keys "^3.4.1"
esprima@^4.0.0:
version "4.0.1"
resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71"
integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==
-esquery@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.4.0.tgz#2148ffc38b82e8c7057dfed48425b3e61f0f24a5"
- integrity sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==
+esquery@^1.4.0, esquery@^1.4.2:
+ version "1.6.0"
+ resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.6.0.tgz#91419234f804d852a82dceec3e16cdc22cf9dae7"
+ integrity sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==
dependencies:
estraverse "^5.1.0"
@@ -4634,7 +4694,12 @@ expand-template@^2.0.3:
resolved "https://registry.yarnpkg.com/expand-template/-/expand-template-2.0.3.tgz#6e14b3fcee0f3a6340ecb57d2e8918692052a47c"
integrity sha512-XYfuKMvj4O35f/pOXLObndIRvyQ+/+6AhODh+OKWj9S9498pHHn/IMszH+gt0fBCRWMNfk1ZSp5x3AifmnI2vg==
-ext@^1.1.2:
+exponential-backoff@^3.1.1:
+ version "3.1.3"
+ resolved "https://registry.yarnpkg.com/exponential-backoff/-/exponential-backoff-3.1.3.tgz#51cf92c1c0493c766053f9d3abee4434c244d2f6"
+ integrity sha512-ZgEeZXj30q+I0EN+CbSSpIyPaJ5HVQD18Z1m+u1FXbAeT94mr1zw50q4q6jiiC447Nl/YTcIYSAftiGqetwXCA==
+
+ext@^1.7.0:
version "1.7.0"
resolved "https://registry.yarnpkg.com/ext/-/ext-1.7.0.tgz#0ea4383c0103d60e70be99e9a7f11027a33c4f5f"
integrity sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw==
@@ -4646,7 +4711,7 @@ extend@~3.0.2:
resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.2.tgz#f8b1136b4071fbd8eb140aff858b1019ec2915fa"
integrity sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==
-extract-zip@2.0.1:
+extract-zip@2.0.1, extract-zip@^2.0.1:
version "2.0.1"
resolved "https://registry.yarnpkg.com/extract-zip/-/extract-zip-2.0.1.tgz#663dca56fe46df890d5f131ef4a06d22bb8ba13a"
integrity sha512-GDhU9ntwuKyGXdZBUgTIe+vXnWj0fppUEtMDL0+idd5Sta8TGpHssn/eusA9mrPr9qNDym6SxAYZjNvCn/9RBg==
@@ -4657,16 +4722,6 @@ extract-zip@2.0.1:
optionalDependencies:
"@types/yauzl" "^2.9.1"
-extract-zip@^1.0.3:
- version "1.7.0"
- resolved "https://registry.yarnpkg.com/extract-zip/-/extract-zip-1.7.0.tgz#556cc3ae9df7f452c493a0cfb51cc30277940927"
- integrity sha512-xoh5G1W/PB0/27lXgMQyIhP5DSY/LhoCsOyZgb+6iMmRtCwVBo55uKaMoEYrDCKQhWvqEip5ZPKAc6eFNyf/MA==
- dependencies:
- concat-stream "^1.6.2"
- debug "^2.6.9"
- mkdirp "^0.5.4"
- yauzl "^2.10.0"
-
extsprintf@1.3.0:
version "1.3.0"
resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.3.0.tgz#96918440e3041a7a414f8c52e3c574eb3c3e1e05"
@@ -4714,9 +4769,9 @@ fast-safe-stringify@^2.1.1:
integrity sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==
fastq@^1.6.0:
- version "1.13.0"
- resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.13.0.tgz#616760f88a7526bdfc596b7cab8c18938c36b98c"
- integrity sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==
+ version "1.19.1"
+ resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.19.1.tgz#d50eaba803c8846a883c16492821ebcd2cda55f5"
+ integrity sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==
dependencies:
reusify "^1.0.4"
@@ -4766,7 +4821,7 @@ file-uri-to-path@1.0.0:
resolved "https://registry.yarnpkg.com/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz#553a7b8446ff6f684359c445f1e37a05dacc33dd"
integrity sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==
-filelist@^1.0.1:
+filelist@^1.0.4:
version "1.0.4"
resolved "https://registry.yarnpkg.com/filelist/-/filelist-1.0.4.tgz#f78978a1e944775ff9e62e744424f215e58352b5"
integrity sha512-w1cEuf3S+DrLCQL7ET6kz+gmlJdbq9J7yXCSjK/OZCPA+qEN1WyF4ZAf0YYJa4/shHJra2t/d/r8SV4Ji+x+8Q==
@@ -4781,13 +4836,6 @@ fileset@~0.1.5:
glob "3.x"
minimatch "0.x"
-fill-range@^7.0.1:
- version "7.0.1"
- resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
- integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
- dependencies:
- to-regex-range "^5.0.1"
-
fill-range@^7.1.1:
version "7.1.1"
resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.1.1.tgz#44265d3cac07e3ea7dc247516380643754a05292"
@@ -4816,6 +4864,11 @@ find-replace@^3.0.0:
dependencies:
array-back "^3.0.1"
+find-replace@^5.0.1:
+ version "5.0.2"
+ resolved "https://registry.yarnpkg.com/find-replace/-/find-replace-5.0.2.tgz#fe27ff0be05975aef6fc679c1139bbabea564e26"
+ integrity sha512-Y45BAiE3mz2QsrN2fb5QEtO4qb44NcS7en/0y9PEVsg351HsLeVclP8QPMH79Le9sH3rs5RSwJu99W0WPZO43Q==
+
find-up@3.0.0, find-up@^3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/find-up/-/find-up-3.0.0.tgz#49169f1d7993430646da61ecc5ae355c21c97b73"
@@ -4840,11 +4893,12 @@ find-up@^5.0.0:
path-exists "^4.0.0"
flat-cache@^3.0.4:
- version "3.0.4"
- resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
- integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
+ version "3.2.0"
+ resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.2.0.tgz#2c0c2d5040c99b1632771a9d105725c0115363ee"
+ integrity sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==
dependencies:
- flatted "^3.1.0"
+ flatted "^3.2.9"
+ keyv "^4.5.3"
rimraf "^3.0.2"
flat@^4.1.0:
@@ -4854,10 +4908,10 @@ flat@^4.1.0:
dependencies:
is-buffer "~2.0.3"
-flatted@^3.1.0, flatted@^3.2.7:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
- integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
+flatted@^3.2.7, flatted@^3.2.9:
+ version "3.3.3"
+ resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.3.3.tgz#67c8fad95454a7c7abebf74bb78ee74a44023358"
+ integrity sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg==
focus-trap@6.3.0:
version "6.3.0"
@@ -4866,28 +4920,19 @@ focus-trap@6.3.0:
dependencies:
tabbable "^5.1.5"
-for-each@^0.3.3:
- version "0.3.3"
- resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e"
- integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==
+for-each@^0.3.3, for-each@^0.3.5:
+ version "0.3.5"
+ resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.5.tgz#d650688027826920feeb0af747ee7b9421a41d47"
+ integrity sha512-dKx12eRCVIzqCxFGplyFKJMPvLEWgmNtUrpTiJIR5u97zEhRG8ySrtboPHZXx7daLxQVrl643cTzbab2tkQjxg==
dependencies:
- is-callable "^1.1.3"
+ is-callable "^1.2.7"
forever-agent@~0.6.1:
version "0.6.1"
resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
integrity sha512-j0KLYPhm6zeac4lz3oJ3o65qvgQCcPubiyotZrXqEaG4hNagNYO8qdlUrX5vwqv9ohqeT/Z3j6+yW067yWWdUw==
-form-data@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/form-data/-/form-data-4.0.0.tgz#93919daeaf361ee529584b9b31664dc12c9fa452"
- integrity sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==
- dependencies:
- asynckit "^0.4.0"
- combined-stream "^1.0.8"
- mime-types "^2.1.12"
-
-form-data@^4.0.4:
+form-data@^4.0.0, form-data@^4.0.4:
version "4.0.4"
resolved "https://registry.yarnpkg.com/form-data/-/form-data-4.0.4.tgz#784cdcce0669a9d68e94d11ac4eea98088edd2c4"
integrity sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow==
@@ -4971,7 +5016,7 @@ fs-extra@^9.0.0, fs-extra@^9.0.1:
jsonfile "^6.0.1"
universalify "^2.0.0"
-fs-minipass@^2.0.0:
+fs-minipass@^2.0.0, fs-minipass@^2.1.0:
version "2.1.0"
resolved "https://registry.yarnpkg.com/fs-minipass/-/fs-minipass-2.1.0.tgz#7f5036fdbf12c63c169190cbe4199c852271f9fb"
integrity sha512-V/JgOLFCS+R6Vcq0slCuaeWEdNC3ouDlJMNIsacH2VtALiu9mV4LPrHc5cDl8k5aw6J8jwgWWpiTo5RYhmIzvg==
@@ -5004,9 +5049,9 @@ fs.realpath@^1.0.0:
integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
fsevents@~2.3.2:
- version "2.3.2"
- resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
- integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==
+ version "2.3.3"
+ resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.3.tgz#cac6407785d03675a2a5e1a5305c697b347d90d6"
+ integrity sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==
fstream@1.0.12, fstream@^1.0.12:
version "1.0.12"
@@ -5019,31 +5064,28 @@ fstream@1.0.12, fstream@^1.0.12:
rimraf "2"
fswin@^3.18.918:
- version "3.22.106"
- resolved "https://registry.yarnpkg.com/fswin/-/fswin-3.22.106.tgz#16724074a63e0bca193c89d311cec56a59f15f1d"
- integrity sha512-j/fa7L2fiwEZkyLHRVecd2d5iZAvFUIS8VcvqaSN1SQe5WlL9xfQT4wZFUl8YafH9vTGZlNohJyI3p/Hrtu1WQ==
-
-function-bind@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
- integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
+ version "3.24.829"
+ resolved "https://registry.yarnpkg.com/fswin/-/fswin-3.24.829.tgz#ea8c7ab291dac6853b152f29323d3ab97ce6d2a6"
+ integrity sha512-t3KHDNSMHbUzjpzb35c+27dGMLcE5gXvYZ4to5BITvCvPr3dZvX41VUzgEMQ8mVozbn5uiQ9p61/cQVLDEy+ag==
-function-bind@^1.1.2:
+function-bind@^1.1.1, function-bind@^1.1.2:
version "1.1.2"
resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.2.tgz#2c02d864d97f3ea6c8830c464cbd11ab6eab7a1c"
integrity sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==
-function.prototype.name@^1.1.5:
- version "1.1.5"
- resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
- integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
+function.prototype.name@^1.1.6, function.prototype.name@^1.1.8:
+ version "1.1.8"
+ resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.8.tgz#e68e1df7b259a5c949eeef95cdbde53edffabb78"
+ integrity sha512-e5iwyodOHhbMr/yNrc7fDYG4qlbIvI5gajyzPnb5TCwyhjApznQh1BMFou9b30SevY43gCJKXycoCBjMbsuW0Q==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.3"
- es-abstract "^1.19.0"
- functions-have-names "^1.2.2"
+ call-bind "^1.0.8"
+ call-bound "^1.0.3"
+ define-properties "^1.2.1"
+ functions-have-names "^1.2.3"
+ hasown "^2.0.2"
+ is-callable "^1.2.7"
-functions-have-names@^1.2.2:
+functions-have-names@^1.2.3:
version "1.2.3"
resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
@@ -5099,6 +5141,11 @@ gaze@~0.3.2:
fileset "~0.1.5"
minimatch "~0.2.9"
+generator-function@^2.0.0:
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/generator-function/-/generator-function-2.0.1.tgz#0e75dd410d1243687a0ba2e951b94eedb8f737a2"
+ integrity sha512-SFdFmIJi+ybC0vjlHN0ZGVGHc3lgE0DxPAT0djjVg+kjOnSqclqmj0KQ7ykTOLP6YxoqOvuAODGdcHJn+43q3g==
+
gensync@^1.0.0-beta.1, gensync@^1.0.0-beta.2:
version "1.0.0-beta.2"
resolved "https://registry.yarnpkg.com/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0"
@@ -5109,21 +5156,12 @@ get-caller-file@^2.0.1, get-caller-file@^2.0.5:
resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e"
integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==
-get-func-name@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/get-func-name/-/get-func-name-2.0.0.tgz#ead774abee72e20409433a066366023dd6887a41"
- integrity sha512-Hm0ixYtaSZ/V7C8FJrtZIuBBI+iSgL+1Aq82zSu8VQNB4S3Gk8e7Qs3VwBDJAhmRZcFqkl3tQu36g/Foh5I5ig==
-
-get-intrinsic@^1.0.2, get-intrinsic@^1.1.0, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3:
- version "1.1.3"
- resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.1.3.tgz#063c84329ad93e83893c7f4f243ef63ffa351385"
- integrity sha512-QJVz1Tj7MS099PevUG5jvnt9tSkXN8K14dxQlikJuPt4uD9hHAHjLyLBiLR5zELelBdD9QNRAXZzsJx0WaDL9A==
- dependencies:
- function-bind "^1.1.1"
- has "^1.0.3"
- has-symbols "^1.0.3"
+get-func-name@^2.0.0, get-func-name@^2.0.2:
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/get-func-name/-/get-func-name-2.0.2.tgz#0d7cf20cd13fda808669ffa88f4ffc7a3943fc41"
+ integrity sha512-8vXOvuE167CtIc3OyItco7N/dpRtBbYOsPsXCz7X/PMnlGjYjSGuZJgM1Y7mmew7BKf9BqvLX2tnOVy1BBUsxQ==
-get-intrinsic@^1.2.5, get-intrinsic@^1.2.6, get-intrinsic@^1.3.0:
+get-intrinsic@^1.2.4, get-intrinsic@^1.2.5, get-intrinsic@^1.2.6, get-intrinsic@^1.2.7, get-intrinsic@^1.3.0:
version "1.3.0"
resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.3.0.tgz#743f0e3b6964a93a5491ed1bffaae054d7f98d01"
integrity sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==
@@ -5171,13 +5209,14 @@ get-stream@^6.0.0:
resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-6.0.1.tgz#a262d8eef67aced57c2852ad6167526a43cbf7b7"
integrity sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==
-get-symbol-description@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
- integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
+get-symbol-description@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.1.0.tgz#7bdd54e0befe8ffc9f3b4e203220d9f1e881b6ee"
+ integrity sha512-w9UMqWwJxHNOvoNzSJ2oPF5wvYcvP7jUvYzhp67yEhTi17ZDBBC1z9pTdGuzjD+EFIqLSYRweZjqfiPzQ06Ebg==
dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.1"
+ call-bound "^1.0.3"
+ es-errors "^1.3.0"
+ get-intrinsic "^1.2.6"
getpass@^0.1.1:
version "0.1.7"
@@ -5191,32 +5230,24 @@ getpass@^0.1.1:
dependencies:
atom-select-list "^0.8.1"
-git-utils@^5.6.0, git-utils@^5.7.3:
- version "5.7.3"
- resolved "https://registry.yarnpkg.com/git-utils/-/git-utils-5.7.3.tgz#3b53983204678313b305bbf278c07dc015ba2155"
- integrity sha512-in1hjFfmzY86gKBt+YMTaVyCGtX2WTnN0uPj37bI5HsrnU2oj8OFcWOEzOI5PxQXPMxFxtvRebOHAOGB8M125w==
- dependencies:
- fs-plus "^3.0.0"
- nan "^2.14.2"
-
github-from-package@0.0.0:
version "0.0.0"
resolved "https://registry.yarnpkg.com/github-from-package/-/github-from-package-0.0.0.tgz#97fb5d96bfde8973313f20e8288ef9a167fa64ce"
integrity sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw==
github-markdown-css@^5.5.1:
- version "5.5.1"
- resolved "https://registry.yarnpkg.com/github-markdown-css/-/github-markdown-css-5.5.1.tgz#c2a609ca0b067552c8bfc09e797ace20d614f515"
- integrity sha512-2osyhNgFt7DEHnGHbgIifWawAqlc68gjJiGwO1xNw/S48jivj8kVaocsVkyJqUi3fm7fdYIDi4C6yOtcqR/aEQ==
+ version "5.8.1"
+ resolved "https://registry.yarnpkg.com/github-markdown-css/-/github-markdown-css-5.8.1.tgz#2a53cf17f0c9bde5ff9e83710a3310a02f5278a7"
+ integrity sha512-8G+PFvqigBQSWLQjyzgpa2ThD9bo7+kDsriUIidGcRhXgmcaAWUIpCZf8DavJgc+xifjbCG+GvMyWr0XMXmc7g==
github-slugger@^1.1.1:
version "1.5.0"
resolved "https://registry.yarnpkg.com/github-slugger/-/github-slugger-1.5.0.tgz#17891bbc73232051474d68bd867a34625c955f7d"
integrity sha512-wIh+gKBI9Nshz2o46B0B3f5k/W+WI9ZAv6y5Dn5WJ5SK1t0TnDimB4WE5rmTD05ZAIn8HALCZVmCsvj0w0v0lw==
-"github@https://github.com/pulsar-edit/github/archive/refs/tags/v0.36.20-pretranspiled.tar.gz":
- version "0.36.20"
- resolved "https://github.com/pulsar-edit/github/archive/refs/tags/v0.36.20-pretranspiled.tar.gz#1f3edb9383940c72037b35cfa6081d59a160f6b8"
+"github@https://github.com/pulsar-edit/github#v0.37.0-pretranspiled":
+ version "0.37.0"
+ resolved "https://github.com/pulsar-edit/github#285ec77acd8ae6e50dda5289c8744e4049dc5773"
dependencies:
"@atom/babel-plugin-chai-assert-async" "1.0.0"
"@atom/babel7-transpiler" "1.0.0-1"
@@ -5226,6 +5257,8 @@ github-slugger@^1.1.1:
"@babel/plugin-proposal-object-rest-spread" "7.8.0"
"@babel/preset-env" "7.12.1"
"@babel/preset-react" "7.8.0"
+ "@electron/remote" "^2.1.0"
+ "@pulsar-edit/whats-my-line" "0.3.0"
babel-plugin-relay "5.0.0"
bintrees "1.0.2"
bytes "3.1.0"
@@ -5254,7 +5287,6 @@ github-slugger@^1.1.1:
underscore-plus "1.7.0"
what-the-diff "0.6.0"
what-the-status "1.0.3"
- whats-my-line "https://github.com/pulsar-edit/whats-my-line/archive/4029ca9567a0bf0f12843890461fb13e758cfcbf.tar.gz"
yubikiri "2.0.0"
glob-parent@^5.1.2, glob-parent@~5.1.2:
@@ -5302,7 +5334,7 @@ glob@7.1.3:
once "^1.3.0"
path-is-absolute "^1.0.0"
-glob@^7.0.6, glob@^7.1.3, glob@^7.1.4, glob@^7.1.6, glob@^7.2.0:
+glob@^7.0.6, glob@^7.1.3, glob@^7.1.4, glob@^7.1.6, glob@^7.2.0, glob@^7.2.3:
version "7.2.3"
resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b"
integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==
@@ -5314,10 +5346,10 @@ glob@^7.0.6, glob@^7.1.3, glob@^7.1.4, glob@^7.1.6, glob@^7.2.0:
once "^1.3.0"
path-is-absolute "^1.0.0"
-glob@^8.0.3:
- version "8.0.3"
- resolved "https://registry.yarnpkg.com/glob/-/glob-8.0.3.tgz#415c6eb2deed9e502c68fa44a272e6da6eeca42e"
- integrity sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==
+glob@^8.0.1, glob@^8.0.3, glob@^8.1.0:
+ version "8.1.0"
+ resolved "https://registry.yarnpkg.com/glob/-/glob-8.1.0.tgz#d388f656593ef708ee3e34640fdfb99a9fd1c33e"
+ integrity sha512-r8hpEjiQEYlF2QU0df3dS+nxxSIreXQS1qRhMJM0Q5NDdR386C7jb7Hwwod8Fgiuex+k0GFjgft18yvxm5XoCQ==
dependencies:
fs.realpath "^1.0.0"
inflight "^1.0.4"
@@ -5344,54 +5376,33 @@ global-dirs@^3.0.0:
dependencies:
ini "2.0.0"
-global-tunnel-ng@^2.7.1:
- version "2.7.1"
- resolved "https://registry.yarnpkg.com/global-tunnel-ng/-/global-tunnel-ng-2.7.1.tgz#d03b5102dfde3a69914f5ee7d86761ca35d57d8f"
- integrity sha512-4s+DyciWBV0eK148wqXxcmVAbFVPqtc3sEtUE/GTQfuU80rySLcMhUmHKSHI7/LDj8q0gDYI1lIhRRB7ieRAqg==
- dependencies:
- encodeurl "^1.0.2"
- lodash "^4.17.10"
- npm-conf "^1.1.3"
- tunnel "^0.0.6"
-
-globals@^11.1.0:
- version "11.12.0"
- resolved "https://registry.yarnpkg.com/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e"
- integrity sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==
-
globals@^13.19.0:
- version "13.20.0"
- resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
- integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
+ version "13.24.0"
+ resolved "https://registry.yarnpkg.com/globals/-/globals-13.24.0.tgz#8432a19d78ce0c1e833949c36adb345400bb1171"
+ integrity sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==
dependencies:
type-fest "^0.20.2"
-globalthis@^1.0.1:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.3.tgz#5852882a52b80dc301b0660273e1ed082f0b6ccf"
- integrity sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==
+globalthis@^1.0.1, globalthis@^1.0.4:
+ version "1.0.4"
+ resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.4.tgz#7430ed3a975d97bfb59bcce41f5cabbafa651236"
+ integrity sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==
dependencies:
- define-properties "^1.1.3"
+ define-properties "^1.2.1"
+ gopd "^1.0.1"
"go-to-line@file:packages/go-to-line":
version "0.33.0"
-gopd@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.0.1.tgz#29ff76de69dac7489b7c0918a5788e56477c332c"
- integrity sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==
- dependencies:
- get-intrinsic "^1.1.3"
-
-gopd@^1.2.0:
+gopd@^1.0.1, gopd@^1.2.0:
version "1.2.0"
resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.2.0.tgz#89f56b8217bdbc8802bd299df6d7f1081d7e51a1"
integrity sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==
-got@^11.0.2, got@^11.7.0, got@^11.8.1:
- version "11.8.5"
- resolved "https://registry.yarnpkg.com/got/-/got-11.8.5.tgz#ce77d045136de56e8f024bebb82ea349bc730046"
- integrity sha512-o0Je4NvQObAuZPHLFoRSkdG2lTgtcynqymzg2Vupdx6PorhaT5MCbIyXG6d4D94kk8ZG57QeosgdiqfJWhEhlQ==
+got@^11.0.2, got@^11.7.0, got@^11.8.1, got@^11.8.5:
+ version "11.8.6"
+ resolved "https://registry.yarnpkg.com/got/-/got-11.8.6.tgz#276e827ead8772eddbcfc97170590b841823233a"
+ integrity sha512-6tfZ91bOr7bOXnK7PRDCGBLa1H4U080YHNaAQ2KsMGlLEzRbk44nsZF2E1IeRc3vtJHPVbKCYgdFbaGO2ljd8g==
dependencies:
"@sindresorhus/is" "^4.0.0"
"@szmarczak/http-timer" "^4.0.5"
@@ -5423,9 +5434,9 @@ got@^9.6.0:
url-parse-lax "^3.0.0"
graceful-fs@^4.1.2, graceful-fs@^4.1.6, graceful-fs@^4.1.9, graceful-fs@^4.2.0, graceful-fs@^4.2.6:
- version "4.2.10"
- resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.10.tgz#147d3a006da4ca3ce14728c7aefc287c367d7a6c"
- integrity sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==
+ version "4.2.11"
+ resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3"
+ integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==
"graceful-readlink@>= 1.0.0":
version "1.0.1"
@@ -5437,11 +5448,16 @@ graceful-fs@^4.1.2, graceful-fs@^4.1.6, graceful-fs@^4.1.9, graceful-fs@^4.2.0,
dependencies:
atom-select-list "^0.7.0"
-grapheme-splitter@^1.0.2, grapheme-splitter@^1.0.4:
+grapheme-splitter@^1.0.2:
version "1.0.4"
resolved "https://registry.yarnpkg.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz#9cf3a665c6247479896834af35cf1dbb4400767e"
integrity sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==
+graphemer@^1.4.0:
+ version "1.4.0"
+ resolved "https://registry.yarnpkg.com/graphemer/-/graphemer-1.4.0.tgz#fb2f1d55e0e3a1849aeffc90c4fa0dd53a0e66c6"
+ integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==
+
graphql@14.5.8:
version "14.5.8"
resolved "https://registry.yarnpkg.com/graphql/-/graphql-14.5.8.tgz#504f3d3114cb9a0a3f359bbbcf38d9e5bf6a6b3c"
@@ -5468,13 +5484,13 @@ growl@1.10.5:
resolved "https://registry.yarnpkg.com/growl/-/growl-1.10.5.tgz#f2735dc2283674fa67478b10181059355c369e5e"
integrity sha512-qBr4OuELkhPenW6goKVXiv47US3clb3/IbuWF9KNKEijAy9oeHxU9IgzjvJhHkUzhaj7rOUD7+YGWqUjLp5oSA==
-handlebars@^4.7.7:
- version "4.7.7"
- resolved "https://registry.yarnpkg.com/handlebars/-/handlebars-4.7.7.tgz#9ce33416aad02dbd6c8fafa8240d5d98004945a1"
- integrity sha512-aAcXm5OAfE/8IXkcZvCepKU3VzW1/39Fb5ZuqMtgI/hT8X2YgoMvBY5dLhq/cpOvw7Lk1nK/UF71aLG/ZnVYRA==
+handlebars@^4.7.8:
+ version "4.7.8"
+ resolved "https://registry.yarnpkg.com/handlebars/-/handlebars-4.7.8.tgz#41c42c18b1be2365439188c77c6afae71c0cd9e9"
+ integrity sha512-vafaFqs8MZkRrSX7sFVUdo3ap/eNiLnb4IakshzvP56X5Nr1iGKAIqdX6tMlm6HcNRIkr6AxO5jFEoJzzpT8aQ==
dependencies:
minimist "^1.2.5"
- neo-async "^2.6.0"
+ neo-async "^2.6.2"
source-map "^0.6.1"
wordwrap "^1.0.0"
optionalDependencies:
@@ -5493,10 +5509,10 @@ har-validator@~5.1.3:
ajv "^6.12.3"
har-schema "^2.0.0"
-has-bigints@^1.0.1, has-bigints@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.2.tgz#0871bd3e3d51626f6ca0966668ba35d5602d6eaa"
- integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==
+has-bigints@^1.0.2:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.1.0.tgz#28607e965ac967e03cd2a2c70a2636a1edad49fe"
+ integrity sha512-R3pbpkcIqv2Pm3dUwgjclDRVmWpTJW2DcMzcIhEXEx1oh/CEMObMm3KLmRJOdvhM7o4uQBnwr8pzRK2sJWIqfg==
has-flag@^3.0.0:
version "3.0.0"
@@ -5508,30 +5524,25 @@ has-flag@^4.0.0:
resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
-has-property-descriptors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz#610708600606d36961ed04c196193b6a607fa861"
- integrity sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==
+has-property-descriptors@^1.0.0, has-property-descriptors@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz#963ed7d071dc7bf5f084c5bfbe0d1b6222586854"
+ integrity sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==
dependencies:
- get-intrinsic "^1.1.1"
+ es-define-property "^1.0.0"
-has-symbols@^1.0.0, has-symbols@^1.0.1, has-symbols@^1.0.2, has-symbols@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
- integrity sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==
+has-proto@^1.2.0:
+ version "1.2.0"
+ resolved "https://registry.yarnpkg.com/has-proto/-/has-proto-1.2.0.tgz#5de5a6eabd95fdffd9818b43055e8065e39fe9d5"
+ integrity sha512-KIL7eQPfHQRC8+XluaIw7BHUwwqL19bQn4hzNgdr+1wXoU0KKj6rufu47lhY7KbJR2C6T6+PfyN0Ea7wkSS+qQ==
+ dependencies:
+ dunder-proto "^1.0.0"
-has-symbols@^1.1.0:
+has-symbols@^1.0.0, has-symbols@^1.0.3, has-symbols@^1.1.0:
version "1.1.0"
resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.1.0.tgz#fc9c6a783a084951d0b971fe1018de813707a338"
integrity sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==
-has-tostringtag@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
- integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
- dependencies:
- has-symbols "^1.0.2"
-
has-tostringtag@^1.0.2:
version "1.0.2"
resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.2.tgz#2cdc42d40bef2e5b4eeab7c01a73c54ce7ab5abc"
@@ -5549,13 +5560,6 @@ has-yarn@^2.1.0:
resolved "https://registry.yarnpkg.com/has-yarn/-/has-yarn-2.1.0.tgz#137e11354a7b5bf11aa5cb649cf0c6f3ff2b2e77"
integrity sha512-UqBRqi4ju7T+TqGNdqAO0PaSVGsDGJUBQvk9eUWNGRY1CFGDzYhLWoM7JQEemnlvVcv/YEmc2wNW8BC24EnUsw==
-has@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
- integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
- dependencies:
- function-bind "^1.1.1"
-
hasown@^2.0.2:
version "2.0.2"
resolved "https://registry.yarnpkg.com/hasown/-/hasown-2.0.2.tgz#003eaf91be7adc372e84ec59dc37252cedb80003"
@@ -5585,29 +5589,20 @@ html-entities@^1.2.0:
resolved "https://registry.yarnpkg.com/html-entities/-/html-entities-1.4.0.tgz#cfbd1b01d2afaf9adca1b10ae7dffab98c71d2dc"
integrity sha512-8nxjcBcd8wovbeKx7h3wTji4e6+rhaVuPNpMqwWgnHh+N9ToqsCs6XztWRBPQ+UtzsoMAdKZtUENoVzU/EMtZA==
-htmlparser2@^8.0.1:
- version "8.0.1"
- resolved "https://registry.yarnpkg.com/htmlparser2/-/htmlparser2-8.0.1.tgz#abaa985474fcefe269bc761a779b544d7196d010"
- integrity sha512-4lVbmc1diZC7GUJQtRQ5yBAeUCL1exyMwmForWkRLnwyzWBFxN633SALPMGYaWZvKe9j1pRZJpauvmxENSp/EA==
+htmlparser2@^10.0.0:
+ version "10.0.0"
+ resolved "https://registry.yarnpkg.com/htmlparser2/-/htmlparser2-10.0.0.tgz#77ad249037b66bf8cc99c6e286ef73b83aeb621d"
+ integrity sha512-TwAZM+zE5Tq3lrEHvOlvwgj1XLWQCtaaibSN11Q+gGBAS7Y1uZSWwXXRe4iF6OXnaq1riyQAPFOBtYc77Mxq0g==
dependencies:
domelementtype "^2.3.0"
- domhandler "^5.0.2"
- domutils "^3.0.1"
- entities "^4.3.0"
+ domhandler "^5.0.3"
+ domutils "^3.2.1"
+ entities "^6.0.0"
http-cache-semantics@^4.0.0, http-cache-semantics@^4.1.0:
- version "4.1.0"
- resolved "https://registry.yarnpkg.com/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz#49e91c5cbf36c9b94bcfcd71c23d5249ec74e390"
- integrity sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ==
-
-http-proxy-agent@^4.0.1:
- version "4.0.1"
- resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz#8a8c8ef7f5932ccf953c296ca8291b95aa74aa3a"
- integrity sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==
- dependencies:
- "@tootallnate/once" "1"
- agent-base "6"
- debug "4"
+ version "4.2.0"
+ resolved "https://registry.yarnpkg.com/http-cache-semantics/-/http-cache-semantics-4.2.0.tgz#205f4db64f8562b76a4ff9235aa5279839a09dd5"
+ integrity sha512-dTxcvPXqPvXBQpq5dUr6mEMJX4oIEFv6bwom3FDwKRDsuIjjJGANqhBuoAn9c1RQJIdAKav33ED65E2ys+87QQ==
http-proxy-agent@^5.0.0:
version "5.0.0"
@@ -5676,6 +5671,13 @@ iconv-corefoundation@^1.1.7:
cli-truncate "^2.1.0"
node-addon-api "^1.6.3"
+iconv-lite@0.6.3, iconv-lite@^0.6.2, iconv-lite@^0.6.3:
+ version "0.6.3"
+ resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.6.3.tgz#a52f80bf38da1952eb5c681790719871a1a72501"
+ integrity sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==
+ dependencies:
+ safer-buffer ">= 2.1.2 < 3.0.0"
+
iconv-lite@^0.4.4, iconv-lite@~0.4.4:
version "0.4.24"
resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b"
@@ -5683,22 +5685,15 @@ iconv-lite@^0.4.4, iconv-lite@~0.4.4:
dependencies:
safer-buffer ">= 2.1.2 < 3"
-iconv-lite@^0.6.2, iconv-lite@^0.6.3:
- version "0.6.3"
- resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.6.3.tgz#a52f80bf38da1952eb5c681790719871a1a72501"
- integrity sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==
- dependencies:
- safer-buffer ">= 2.1.2 < 3.0.0"
-
ieee754@^1.1.13:
version "1.2.1"
resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.2.1.tgz#8eb7a10a63fff25d15a57b001586d177d1b0d352"
integrity sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==
ignore@^5.1.1, ignore@^5.2.0:
- version "5.2.0"
- resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.0.tgz#6d3bac8fa7fe0d45d9f9be7bac2fc279577e345a"
- integrity sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==
+ version "5.3.2"
+ resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.3.2.tgz#3cd40e729f3643fd87cb04e50bf0eb722bc596f5"
+ integrity sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==
image-size@~0.5.0:
version "0.5.5"
@@ -5711,10 +5706,10 @@ image-size@~0.5.0:
bytes "^3.0.0"
etch "0.9.0"
-import-fresh@^3.0.0, import-fresh@^3.1.0, import-fresh@^3.2.1:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
- integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
+import-fresh@^3.1.0, import-fresh@^3.2.1:
+ version "3.3.1"
+ resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.1.tgz#9cecb56503c0ada1f2741dbbd6546e4b13b57ccf"
+ integrity sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ==
dependencies:
parent-module "^1.0.0"
resolve-from "^4.0.0"
@@ -5767,7 +5762,7 @@ ini@2.0.0:
resolved "https://registry.yarnpkg.com/ini/-/ini-2.0.0.tgz#e5fd556ecdd5726be978fa1001862eacb0a94bc5"
integrity sha512-7PnF4oN3CvZF23ADhA5wRaYEQpJ8qygSkbtTXWBeXWXmEVRXK+1ITciHWwHhsjv1TmW0MgacIv6hEi5pX5NQdA==
-ini@^1.3.4, ini@~1.3.0:
+ini@~1.3.0:
version "1.3.8"
resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.8.tgz#a29da425b48806f34767a4efce397269af28432c"
integrity sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==
@@ -5779,42 +5774,43 @@ innertext@^1.0.1:
dependencies:
html-entities "^1.2.0"
-internal-slot@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.3.tgz#7347e307deeea2faac2ac6205d4bc7d34967f59c"
- integrity sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==
+internal-slot@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.1.0.tgz#1eac91762947d2f7056bc838d93e13b2e9604961"
+ integrity sha512-4gd7VpWNQNB4UKKCFFVcp1AVv+FMOgs9NKzjHKusc8jTMhd5eL1NqQqOpE0KzMds804/yHlglp3uxgluOqAPLw==
dependencies:
- get-intrinsic "^1.1.0"
- has "^1.0.3"
- side-channel "^1.0.4"
+ es-errors "^1.3.0"
+ hasown "^2.0.2"
+ side-channel "^1.1.0"
intl-messageformat@^10.5.14:
- version "10.5.14"
- resolved "https://registry.yarnpkg.com/intl-messageformat/-/intl-messageformat-10.5.14.tgz#e5bb373f8a37b88fbe647d7b941f3ab2a37ed00a"
- integrity sha512-IjC6sI0X7YRjjyVH9aUgdftcmZK7WXdHeil4KwbjDnRWjnVitKpAx3rr6t6di1joFp5188VqKcobOPA6mCLG/w==
+ version "10.7.18"
+ resolved "https://registry.yarnpkg.com/intl-messageformat/-/intl-messageformat-10.7.18.tgz#51a6f387afbca9b0f881b2ec081566db8c540b0d"
+ integrity sha512-m3Ofv/X/tV8Y3tHXLohcuVuhWKo7BBq62cqY15etqmLxg2DZ34AGGgQDeR+SCta2+zICb1NX83af0GJmbQ1++g==
dependencies:
- "@formatjs/ecma402-abstract" "2.0.0"
- "@formatjs/fast-memoize" "2.2.0"
- "@formatjs/icu-messageformat-parser" "2.7.8"
- tslib "^2.4.0"
+ "@formatjs/ecma402-abstract" "2.3.6"
+ "@formatjs/fast-memoize" "2.2.7"
+ "@formatjs/icu-messageformat-parser" "2.11.4"
+ tslib "^2.8.0"
invert-kv@^1.0.0:
version "1.0.0"
resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-1.0.0.tgz#104a8e4aaca6d3d8cd157a8ef8bfab2d7a3ffdb6"
integrity sha512-xgs2NH9AE66ucSq4cNG1nhSFghr5l6tdL15Pk+jl46bmmBapgoaY/AacXyaDznAqmGL99TiLSQgO/XazFSKYeQ==
-ip@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/ip/-/ip-2.0.0.tgz#4cf4ab182fee2314c75ede1276f8c80b479936da"
- integrity sha512-WKa+XuLG1A1R0UWhl2+1XQSi+fZWMsYKffMZTTYsiZaUD8k2yDAj5atimTUD2TZkyCkNEeYE5NhFZmupOGtjYQ==
+ip-address@^10.0.1:
+ version "10.0.1"
+ resolved "https://registry.yarnpkg.com/ip-address/-/ip-address-10.0.1.tgz#a8180b783ce7788777d796286d61bce4276818ed"
+ integrity sha512-NWv9YLW4PoW2B7xtzaS3NCot75m6nK7Icdv0o3lfMceJVRfSoQwqD4wEH5rLwoKJwUiZ/rfpiVBhnaF0FK4HoA==
-is-arguments@^1.1.0, is-arguments@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.1.tgz#15b3f88fda01f2a97fec84ca761a560f123efa9b"
- integrity sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==
+is-array-buffer@^3.0.4, is-array-buffer@^3.0.5:
+ version "3.0.5"
+ resolved "https://registry.yarnpkg.com/is-array-buffer/-/is-array-buffer-3.0.5.tgz#65742e1e687bd2cc666253068fd8707fe4d44280"
+ integrity sha512-DDfANUiiG2wC1qawP66qlTugJeL5HyzMpfr8lLK+jMQirGzNod0B12cFB/9q838Ru27sBwfw78/rdoU7RERz6A==
dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
+ call-bind "^1.0.8"
+ call-bound "^1.0.3"
+ get-intrinsic "^1.2.6"
is-arrayish@^0.2.1:
version "0.2.1"
@@ -5822,16 +5818,27 @@ is-arrayish@^0.2.1:
integrity sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==
is-arrayish@^0.3.1:
- version "0.3.2"
- resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.3.2.tgz#4574a2ae56f7ab206896fb431eaeed066fdf8f03"
- integrity sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==
+ version "0.3.4"
+ resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.3.4.tgz#1ee5553818511915685d33bb13d31bf854e5059d"
+ integrity sha512-m6UrgzFVUYawGBh1dUsWR5M2Clqic9RVXC/9f8ceNlv2IcO9j9J/z8UoCLPqtsPBFNzEpfR3xftohbfqDx8EQA==
-is-bigint@^1.0.1:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
- integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
+is-async-function@^2.0.0:
+ version "2.1.1"
+ resolved "https://registry.yarnpkg.com/is-async-function/-/is-async-function-2.1.1.tgz#3e69018c8e04e73b738793d020bfe884b9fd3523"
+ integrity sha512-9dgM/cZBnNvjzaMYHVoxxfPj2QXt22Ev7SuuPrs+xav0ukGB0S6d4ydZdEiM48kLx5kDV+QBPrpVnFyefL8kkQ==
+ dependencies:
+ async-function "^1.0.0"
+ call-bound "^1.0.3"
+ get-proto "^1.0.1"
+ has-tostringtag "^1.0.2"
+ safe-regex-test "^1.1.0"
+
+is-bigint@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.1.0.tgz#dda7a3445df57a42583db4228682eba7c4170672"
+ integrity sha512-n4ZT37wG78iz03xPRKJrHTdZbe3IicyucEtdRsV5yglwc3GyUfbAfpSeD0FJ41NbUNSt5wbhqfp1fS+BgnvDFQ==
dependencies:
- has-bigints "^1.0.1"
+ has-bigints "^1.0.2"
is-binary-path@~2.1.0:
version "2.1.0"
@@ -5840,13 +5847,13 @@ is-binary-path@~2.1.0:
dependencies:
binary-extensions "^2.0.0"
-is-boolean-object@^1.1.0:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
- integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
+is-boolean-object@^1.2.1:
+ version "1.2.2"
+ resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.2.2.tgz#7067f47709809a393c71ff5bb3e135d8a9215d9e"
+ integrity sha512-wa56o2/ElJMYqjCjGkXri7it5FbebW5usLw/nPmCMs5DeZ7eziSYZhSmPRn0txqeW4LnAmQQU7FgqLpsEFKM4A==
dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
+ call-bound "^1.0.3"
+ has-tostringtag "^1.0.2"
is-buffer@~1.1.6:
version "1.1.6"
@@ -5858,7 +5865,7 @@ is-buffer@~2.0.3:
resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-2.0.5.tgz#ebc252e400d22ff8d77fa09888821a24a658c191"
integrity sha512-i2R6zNFDwgEHJyQUtJEk0XFi1i0dPFn/oqjK3/vPCcDeJvW5NQ83V8QbicfF1SupOaB0h8ntgBC2YiE7dfyctQ==
-is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
+is-callable@^1.2.7:
version "1.2.7"
resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
@@ -5877,19 +5884,29 @@ is-ci@^3.0.0:
dependencies:
ci-info "^3.2.0"
-is-core-module@^2.0.0, is-core-module@^2.9.0:
- version "2.11.0"
- resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.11.0.tgz#ad4cb3e3863e814523c96f3f58d26cc570ff0144"
- integrity sha512-RRjxlvLDkD1YJwDbroBHMb+cukurkDWNyHx7D3oNB5x9rb5ogcksMC5wHCadcXoo67gVr/+3GFySh3134zi6rw==
+is-core-module@^2.0.0, is-core-module@^2.16.0:
+ version "2.16.1"
+ resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.16.1.tgz#2a98801a849f43e2add644fbb6bc6229b19a4ef4"
+ integrity sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==
dependencies:
- has "^1.0.3"
+ hasown "^2.0.2"
-is-date-object@^1.0.1, is-date-object@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
- integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
+is-data-view@^1.0.1, is-data-view@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/is-data-view/-/is-data-view-1.0.2.tgz#bae0a41b9688986c2188dda6657e56b8f9e63b8e"
+ integrity sha512-RKtWF8pGmS87i2D6gqQu/l7EYRlVdfzemCJN/P3UOs//x1QE7mfhvzHIApBTRf7axvT6DMGwSwBXYCT0nfB9xw==
+ dependencies:
+ call-bound "^1.0.2"
+ get-intrinsic "^1.2.6"
+ is-typed-array "^1.1.13"
+
+is-date-object@^1.0.5, is-date-object@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.1.0.tgz#ad85541996fc7aa8b2729701d27b7319f95d82f7"
+ integrity sha512-PwwhEakHVKTdRNVOw+/Gyh0+MzlCl4R6qKvkhuvLtPMggI1WAHt9sOwZxQLSGpUaDnrdyDsomoRgNnCfKNSXXg==
dependencies:
- has-tostringtag "^1.0.0"
+ call-bound "^1.0.2"
+ has-tostringtag "^1.0.2"
is-docker@^2.0.0:
version "2.2.1"
@@ -5901,6 +5918,13 @@ is-extglob@^2.1.1:
resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==
+is-finalizationregistry@^1.1.0:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/is-finalizationregistry/-/is-finalizationregistry-1.1.1.tgz#eefdcdc6c94ddd0674d9c85887bf93f944a97c90"
+ integrity sha512-1pC6N8qWJbWoPtEjgcL2xyhQOP491EQjeUo3qTKcmV8YSDDJrOepfG8pcC7h/QgnQHYSv0mJ3Z/ZWxmatVrysg==
+ dependencies:
+ call-bound "^1.0.3"
+
is-fullwidth-code-point@^1.0.0:
version "1.0.0"
resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb"
@@ -5918,6 +5942,17 @@ is-fullwidth-code-point@^3.0.0:
resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d"
integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==
+is-generator-function@^1.0.10:
+ version "1.1.2"
+ resolved "https://registry.yarnpkg.com/is-generator-function/-/is-generator-function-1.1.2.tgz#ae3b61e3d5ea4e4839b90bad22b02335051a17d5"
+ integrity sha512-upqt1SkGkODW9tsGNG5mtXTXtECizwtS2kA161M+gJPc1xdb/Ax629af6YrTwcOeQHbewrPNlE5Dx7kzvXTizA==
+ dependencies:
+ call-bound "^1.0.4"
+ generator-function "^2.0.0"
+ get-proto "^1.0.1"
+ has-tostringtag "^1.0.2"
+ safe-regex-test "^1.1.0"
+
is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1:
version "4.0.3"
resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
@@ -5943,27 +5978,28 @@ is-lambda@^1.0.1:
resolved "https://registry.yarnpkg.com/is-lambda/-/is-lambda-1.0.1.tgz#3d9877899e6a53efc0160504cde15f82e6f061d5"
integrity sha512-z7CMFGNrENq5iFB9Bqo64Xk6Y9sg+epq1myIcdHaGnbMTYOxvzsEtdYqQUylB7LxfkvgrrjP32T6Ywciio9UIQ==
-is-map@^2.0.1, is-map@^2.0.2:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.2.tgz#00922db8c9bf73e81b7a335827bc2a43f2b91127"
- integrity sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg==
+is-map@^2.0.3:
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.3.tgz#ede96b7fe1e270b3c4465e3a465658764926d62e"
+ integrity sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==
-is-negative-zero@^2.0.2:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
- integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
+is-negative-zero@^2.0.3:
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.3.tgz#ced903a027aca6381b777a5743069d7376a49747"
+ integrity sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==
is-npm@^5.0.0:
version "5.0.0"
resolved "https://registry.yarnpkg.com/is-npm/-/is-npm-5.0.0.tgz#43e8d65cc56e1b67f8d47262cf667099193f45a8"
integrity sha512-WW/rQLOazUq+ST/bCAVBp/2oMERWLsR7OrKyt052dNDk4DHcDE0/7QSXITlmi+VBcV13DfIbysG3tZJm5RfdBA==
-is-number-object@^1.0.4:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.7.tgz#59d50ada4c45251784e9904f5246c742f07a42fc"
- integrity sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==
+is-number-object@^1.1.1:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.1.1.tgz#144b21e95a1bc148205dcc2814a9134ec41b2541"
+ integrity sha512-lZhclumE1G6VYD8VHe35wFaIif+CTy5SJIi5+3y4psDgWu4wPDoBhF8NxUOinEc7pHgiTsT6MaBb92rKhhD+Xw==
dependencies:
- has-tostringtag "^1.0.0"
+ call-bound "^1.0.3"
+ has-tostringtag "^1.0.2"
is-number@^7.0.0:
version "7.0.0"
@@ -5980,25 +6016,27 @@ is-path-inside@^3.0.2, is-path-inside@^3.0.3:
resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-3.0.3.tgz#d231362e53a07ff2b0e0ea7fed049161ffd16283"
integrity sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==
-is-regex@^1.1.4:
- version "1.1.4"
- resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
- integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
+is-regex@^1.2.1:
+ version "1.2.1"
+ resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.2.1.tgz#76d70a3ed10ef9be48eb577887d74205bf0cad22"
+ integrity sha512-MjYsKHO5O7mCsmRGxWcLWheFqN9DJ/2TmngvjKXihe6efViPqc274+Fx/4fYj/r03+ESvBdTXK0V6tA3rgez1g==
dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
+ call-bound "^1.0.2"
+ gopd "^1.2.0"
+ has-tostringtag "^1.0.2"
+ hasown "^2.0.2"
-is-set@^2.0.1, is-set@^2.0.2:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.2.tgz#90755fa4c2562dc1c5d4024760d6119b94ca18ec"
- integrity sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g==
+is-set@^2.0.3:
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.3.tgz#8ab209ea424608141372ded6e0cb200ef1d9d01d"
+ integrity sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==
-is-shared-array-buffer@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz#8f259c573b60b6a32d4058a1a07430c0a7344c79"
- integrity sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==
+is-shared-array-buffer@^1.0.4:
+ version "1.0.4"
+ resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.4.tgz#9b67844bd9b7f246ba0708c3a93e34269c774f6f"
+ integrity sha512-ISWac8drv4ZGfwKl5slpHG9OwPNty4jOWPRIhBpxOoD+hqITiwuipOQ2bNthAzwA3B4fIjO4Nln74N0S9byq8A==
dependencies:
- call-bind "^1.0.2"
+ call-bound "^1.0.3"
is-stream@^1.0.1:
version "1.1.0"
@@ -6010,30 +6048,29 @@ is-stream@^2.0.0:
resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077"
integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==
-is-string@^1.0.5, is-string@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
- integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
+is-string@^1.1.1:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.1.1.tgz#92ea3f3d5c5b6e039ca8677e5ac8d07ea773cbb9"
+ integrity sha512-BtEeSsoaQjlSPBemMQIrY1MY0uM6vnS1g5fmufYOtnxLGUZM2178PKbhsk7Ffv58IX+ZtcvoGwccYsh0PglkAA==
dependencies:
- has-tostringtag "^1.0.0"
+ call-bound "^1.0.3"
+ has-tostringtag "^1.0.2"
-is-symbol@^1.0.2, is-symbol@^1.0.3:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
- integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
+is-symbol@^1.0.4, is-symbol@^1.1.1:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.1.1.tgz#f47761279f532e2b05a7024a7506dbbedacd0634"
+ integrity sha512-9gGx6GTtCQM73BgmHQXfDmLtfjjTUDSyoxTCbp5WtoixAhfgsDirWIcVQ/IHpvI5Vgd5i/J5F7B9cN/WlVbC/w==
dependencies:
- has-symbols "^1.0.2"
+ call-bound "^1.0.2"
+ has-symbols "^1.1.0"
+ safe-regex-test "^1.1.0"
-is-typed-array@^1.1.10:
- version "1.1.10"
- resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.10.tgz#36a5b5cb4189b575d1a3e4b08536bfb485801e3f"
- integrity sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==
+is-typed-array@^1.1.13, is-typed-array@^1.1.14, is-typed-array@^1.1.15:
+ version "1.1.15"
+ resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.15.tgz#4bfb4a45b61cee83a5a46fba778e4e8d59c0ce0b"
+ integrity sha512-p3EcsicXjit7SaskXHs1hA91QxgTw46Fv6EFKKGS5DRFLD8yKnohjF3hxoju94b/OcMZoQukzpPpBE9uLVKzgQ==
dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
+ which-typed-array "^1.1.16"
is-typedarray@^1.0.0, is-typedarray@~1.0.0:
version "1.0.0"
@@ -6045,25 +6082,25 @@ is-unicode-supported@^0.1.0:
resolved "https://registry.yarnpkg.com/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz#3f26c76a809593b52bfa2ecb5710ed2779b522a7"
integrity sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==
-is-weakmap@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/is-weakmap/-/is-weakmap-2.0.1.tgz#5008b59bdc43b698201d18f62b37b2ca243e8cf2"
- integrity sha512-NSBR4kH5oVj1Uwvv970ruUkCV7O1mzgVFO4/rev2cLRda9Tm9HrL70ZPut4rOHgY0FNrUu9BCbXA2sdQ+x0chA==
+is-weakmap@^2.0.2:
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/is-weakmap/-/is-weakmap-2.0.2.tgz#bf72615d649dfe5f699079c54b83e47d1ae19cfd"
+ integrity sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==
-is-weakref@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
- integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
+is-weakref@^1.0.2, is-weakref@^1.1.1:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.1.1.tgz#eea430182be8d64174bd96bffbc46f21bf3f9293"
+ integrity sha512-6i9mGWSlqzNMEqpCp93KwRS1uUOodk2OJ6b+sq7ZPDSy2WuI5NFIxp/254TytR8ftefexkWn5xNiHUNpPOfSew==
dependencies:
- call-bind "^1.0.2"
+ call-bound "^1.0.3"
-is-weakset@^2.0.1:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-weakset/-/is-weakset-2.0.2.tgz#4569d67a747a1ce5a994dfd4ef6dcea76e7c0a1d"
- integrity sha512-t2yVvttHkQktwnNNmBQ98AhENLdPUTDTE21uPqAQ0ARwQfGeQKRVS0NNurH7bTf7RrvcVn1OOge45CnBeHCSmg==
+is-weakset@^2.0.3:
+ version "2.0.4"
+ resolved "https://registry.yarnpkg.com/is-weakset/-/is-weakset-2.0.4.tgz#c9f5deb0bc1906c6d6f1027f284ddf459249daca"
+ integrity sha512-mfcwb6IzQyOKTs84CQMrOwW4gQcaTOAWJ0zzJCl2WSPDrWk/OzDaImWFH3djXhb24g4eudZfLRozAvPGw4d9hQ==
dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.1"
+ call-bound "^1.0.3"
+ get-intrinsic "^1.2.6"
is-what@^3.14.1:
version "3.14.1"
@@ -6097,12 +6134,7 @@ isarray@~1.0.0:
resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11"
integrity sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==
-isbinaryfile@^2.0.4:
- version "2.0.4"
- resolved "https://registry.yarnpkg.com/isbinaryfile/-/isbinaryfile-2.0.4.tgz#d23592e6a6f093efb84c2e6152056be294e414a1"
- integrity sha512-QxRrK19LX0N3/ELC+rZ47s87ZzQ1kzegIgGsHqBHcNVT1Yt+TMslZukhIe1kSmcusIOm9Ad+Sxaxt8hxp0c21A==
-
-isbinaryfile@^3.0.2:
+isbinaryfile@^3.0.2, isbinaryfile@^3.0.3:
version "3.0.3"
resolved "https://registry.yarnpkg.com/isbinaryfile/-/isbinaryfile-3.0.3.tgz#5d6def3edebf6e8ca8cae9c30183a804b5f8be80"
integrity sha512-8cJBL5tTd2OS0dM4jz07wQd5g0dCCqIhUxPIGtZfa5L6hWlvV5MHTITy/DBAsF+Oe2LS1X3krBUhNwaGUWpWxw==
@@ -6138,14 +6170,13 @@ iterall@^1.2.2:
integrity sha512-QZ9qOMdF+QLHxy1QIpUHUU1D5pS2CG2P69LF6L6CPjPYA/XMOmKV3PZpawHoAjHNyB0swdVTRxdYT4tbBbxqwg==
jake@^10.8.5:
- version "10.8.5"
- resolved "https://registry.yarnpkg.com/jake/-/jake-10.8.5.tgz#f2183d2c59382cb274226034543b9c03b8164c46"
- integrity sha512-sVpxYeuAhWt0OTWITwT98oyV0GsXyMlXCF+3L1SuafBVUIr/uILGRB+NqwkzhgXKvoJpDIpQvqkUALgdmQsQxw==
+ version "10.9.4"
+ resolved "https://registry.yarnpkg.com/jake/-/jake-10.9.4.tgz#d626da108c63d5cfb00ab5c25fadc7e0084af8e6"
+ integrity sha512-wpHYzhxiVQL+IV05BLE2Xn34zW1S223hvjtqk0+gsPrwd/8JNLXJgZZM/iPFsYc1xyphF+6M6EvdE5E9MBGkDA==
dependencies:
- async "^3.2.3"
- chalk "^4.0.2"
- filelist "^1.0.1"
- minimatch "^3.0.4"
+ async "^3.2.6"
+ filelist "^1.0.4"
+ picocolors "^1.1.1"
jasmine-core@~2.5.2:
version "2.5.2"
@@ -6208,11 +6239,6 @@ jasmine@2.5.3:
glob "^7.0.6"
jasmine-core "~2.5.2"
-js-sdsl@^4.1.4:
- version "4.1.5"
- resolved "https://registry.yarnpkg.com/js-sdsl/-/js-sdsl-4.1.5.tgz#1ff1645e6b4d1b028cd3f862db88c9d887f26e2a"
- integrity sha512-08bOAKweV2NUC1wqTtf3qZlnpOX/R2DU9ikpjOHs0H+ibQv3zpncVQg6um4uYtRtrwIX8M4Nh3ytK4HGlYAq7Q==
-
"js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0:
version "4.0.0"
resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
@@ -6258,44 +6284,41 @@ jschardet@^1.1.0:
resolved "https://registry.yarnpkg.com/jschardet/-/jschardet-1.6.0.tgz#c7d1a71edcff2839db2f9ec30fc5d5ebd3c1a678"
integrity sha512-xYuhvQ7I9PDJIGBWev9xm0+SMSed3ZDBAmvVjbFR1ZRLAF+vlXcQu6cRI9uAlj81rzikElRVteehwV7DuX2ZmQ==
-jsdoc-api@^8.0.0:
- version "8.0.0"
- resolved "https://registry.yarnpkg.com/jsdoc-api/-/jsdoc-api-8.0.0.tgz#4b2c25ff60f91b80da51b6cd33943acc7b2cab74"
- integrity sha512-Rnhor0suB1Ds1abjmFkFfKeD+kSMRN9oHMTMZoJVUrmtCGDwXty+sWMA9sa4xbe4UyxuPjhC7tavZ40mDKK6QQ==
+jsdoc-api@^8.1.1:
+ version "8.1.1"
+ resolved "https://registry.yarnpkg.com/jsdoc-api/-/jsdoc-api-8.1.1.tgz#1198558614705f1c81fe5cdcfe7a0e9d88a35e4d"
+ integrity sha512-yas9E4h8NHp1CTEZiU/DPNAvLoUcip+Hl8Xi1RBYzHqSrgsF+mImAZNtwymrXvgbrgl4bNGBU9syulM0JzFeHQ==
dependencies:
array-back "^6.2.2"
cache-point "^2.0.0"
collect-all "^1.0.4"
file-set "^4.0.2"
fs-then-native "^2.0.0"
- jsdoc "^4.0.0"
+ jsdoc "^4.0.3"
object-to-spawn-args "^2.0.1"
temp-path "^1.0.0"
walk-back "^5.1.0"
-jsdoc-parse@^6.2.0:
- version "6.2.0"
- resolved "https://registry.yarnpkg.com/jsdoc-parse/-/jsdoc-parse-6.2.0.tgz#2b71d3925acfc4badc72526f2470766e0561f6b5"
- integrity sha512-Afu1fQBEb7QHt6QWX/6eUWvYHJofB90Fjx7FuJYF7mnG9z5BkAIpms1wsnvYLytfmqpEENHs/fax9p8gvMj7dw==
+jsdoc-parse@^6.2.1:
+ version "6.2.5"
+ resolved "https://registry.yarnpkg.com/jsdoc-parse/-/jsdoc-parse-6.2.5.tgz#d719dc7416886392449f31189802ce2e92f5a49e"
+ integrity sha512-8JaSNjPLr2IuEY4Das1KM6Z4oLHZYUnjRrr27hKSa78Cj0i5Lur3DzNnCkz+DfrKBDoljGMoWOiBVQbtUZJBPw==
dependencies:
array-back "^6.2.2"
- lodash.omit "^4.5.0"
- lodash.pick "^4.4.0"
- reduce-extract "^1.0.0"
- sort-array "^4.1.5"
- test-value "^3.0.0"
+ find-replace "^5.0.1"
+ sort-array "^5.0.0"
jsdoc-to-markdown@^8.0.0:
- version "8.0.0"
- resolved "https://registry.yarnpkg.com/jsdoc-to-markdown/-/jsdoc-to-markdown-8.0.0.tgz#27f32ed200d3b84dbf22a49beed485790f93b3ce"
- integrity sha512-2FQvYkg491+FP6s15eFlgSSWs69CvQrpbABGYBtvAvGWy/lWo8IKKToarT283w59rQFrpcjHl3YdhHCa3l7gXg==
+ version "8.0.3"
+ resolved "https://registry.yarnpkg.com/jsdoc-to-markdown/-/jsdoc-to-markdown-8.0.3.tgz#93e506fa385a9a7b579a0cf1c59dde622d628194"
+ integrity sha512-JGYYd5xygnQt1DIxH+HUI+X/ynL8qWihzIF0n15NSCNtM6MplzawURRcaLI2WkiS2hIjRIgsphCOfM7FkaWiNg==
dependencies:
array-back "^6.2.2"
command-line-tool "^0.8.0"
config-master "^3.1.0"
- dmd "^6.2.0"
- jsdoc-api "^8.0.0"
- jsdoc-parse "^6.2.0"
+ dmd "^6.2.3"
+ jsdoc-api "^8.1.1"
+ jsdoc-parse "^6.2.1"
walk-back "^5.1.0"
jsdoc-type-pratt-parser@~3.1.0:
@@ -6303,21 +6326,21 @@ jsdoc-type-pratt-parser@~3.1.0:
resolved "https://registry.yarnpkg.com/jsdoc-type-pratt-parser/-/jsdoc-type-pratt-parser-3.1.0.tgz#a4a56bdc6e82e5865ffd9febc5b1a227ff28e67e"
integrity sha512-MgtD0ZiCDk9B+eI73BextfRrVQl0oyzRG8B2BjORts6jbunj4ScKPcyXGTbB6eXL4y9TzxCm6hyeLq/2ASzNdw==
-jsdoc@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/jsdoc/-/jsdoc-4.0.0.tgz#9569f79ea5b14ba4bc726da1a48fe6a241ad7893"
- integrity sha512-tzTgkklbWKrlaQL2+e3NNgLcZu3NaK2vsHRx7tyHQ+H5jcB9Gx0txSd2eJWlMC/xU1+7LQu4s58Ry0RkuaEQVg==
+jsdoc@^4.0.3:
+ version "4.0.5"
+ resolved "https://registry.yarnpkg.com/jsdoc/-/jsdoc-4.0.5.tgz#fbed70e04a3abcf2143dad6b184947682bbc7315"
+ integrity sha512-P4C6MWP9yIlMiK8nwoZvxN84vb6MsnXcHuy7XzVOvQoCizWX5JFCBsWIIWKXBltpoRZXddUOVQmCTOZt9yDj9g==
dependencies:
- "@babel/parser" "^7.9.4"
+ "@babel/parser" "^7.20.15"
"@jsdoc/salty" "^0.2.1"
- "@types/markdown-it" "^12.2.3"
+ "@types/markdown-it" "^14.1.1"
bluebird "^3.7.2"
catharsis "^0.9.0"
escape-string-regexp "^2.0.0"
js2xmlparser "^4.0.2"
klaw "^3.0.0"
- markdown-it "^12.3.2"
- markdown-it-anchor "^8.4.1"
+ markdown-it "^14.1.0"
+ markdown-it-anchor "^8.6.7"
marked "^4.0.10"
mkdirp "^1.0.4"
requizzle "^0.2.3"
@@ -6329,16 +6352,11 @@ jsesc@^2.5.1:
resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-2.5.2.tgz#80564d2e483dacf6e8ef209650a67df3f0c283a4"
integrity sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==
-jsesc@^3.0.2:
+jsesc@^3.0.2, jsesc@~3.1.0:
version "3.1.0"
resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-3.1.0.tgz#74d335a234f67ed19907fdadfac7ccf9d409825d"
integrity sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==
-jsesc@~0.5.0:
- version "0.5.0"
- resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-0.5.0.tgz#e7dee66e35d6fc16f710fe91d5cf69f70f08911d"
- integrity sha512-uZz5UnB7u4T9LvwmFqXii7pZSouaRPorGs5who1Ip7VO0wxanFvBL7GkM6dTHlgX+jhBApRetaWpnDabOeTcnA==
-
json-buffer@3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/json-buffer/-/json-buffer-3.0.0.tgz#5b1f397afc75d677bde8bcfc0e47e1f9a3d9a898"
@@ -6370,21 +6388,25 @@ json-stable-stringify-without-jsonify@^1.0.1:
integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==
json-stable-stringify@^1.0.1:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.2.tgz#e06f23128e0bbe342dc996ed5a19e28b57b580e0"
- integrity sha512-eunSSaEnxV12z+Z73y/j5N37/In40GK4GmsSy+tEHJMxknvqnA7/djeYtAgW0GsWHUfg+847WJjKaEylk2y09g==
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.3.0.tgz#8903cfac42ea1a0f97f35d63a4ce0518f0cc6a70"
+ integrity sha512-qtYiSSFlwot9XHtF9bD9c7rwKjr+RecWT//ZnPvSmEjpV5mmPOCN4j8UjY5hbjNkOwZ/jQv3J6R1/pL7RwgMsg==
dependencies:
+ call-bind "^1.0.8"
+ call-bound "^1.0.4"
+ isarray "^2.0.5"
jsonify "^0.0.1"
+ object-keys "^1.1.1"
json-stringify-safe@^5.0.1, json-stringify-safe@~5.0.1:
version "5.0.1"
resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb"
integrity sha512-ZClg6AaYvamvYEE82d3Iyd3vSSIjQ+odgjaTzRuO3s7toCdFKczob2i0zCh7JE8kWn17yvAWhUVxvqGwUalsRA==
-json5@^2.1.2, json5@^2.2.0, json5@^2.2.1:
- version "2.2.1"
- resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.1.tgz#655d50ed1e6f95ad1a3caababd2b0efda10b395c"
- integrity sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==
+json5@^2.1.2, json5@^2.2.0, json5@^2.2.1, json5@^2.2.3:
+ version "2.2.3"
+ resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.3.tgz#78cd6f1a19bdc12b73db5ad0c61efd66c1e29283"
+ integrity sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==
jsonfile@^4.0.0:
version "4.0.0"
@@ -6394,9 +6416,9 @@ jsonfile@^4.0.0:
graceful-fs "^4.1.6"
jsonfile@^6.0.1:
- version "6.1.0"
- resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-6.1.0.tgz#bc55b2634793c679ec6403094eb13698a6ec0aae"
- integrity sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==
+ version "6.2.0"
+ resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-6.2.0.tgz#7c265bd1b65de6977478300087c99f1c84383f62"
+ integrity sha512-FGuPw30AdOIUTRMC2OMRtQV+jkVj2cfPqSeWXv1NEAJ1qZ5zb1X6z1mFhbfOB/iy3ssJCD+3KuZ8r8C3uVFlAg==
dependencies:
universalify "^2.0.0"
optionalDependencies:
@@ -6439,21 +6461,13 @@ key-path-helpers@^0.4.0:
fs-plus "^3.0.0"
temp "^0.9.0"
-keyboard-layout@2.0.17:
- version "2.0.17"
- resolved "https://registry.yarnpkg.com/keyboard-layout/-/keyboard-layout-2.0.17.tgz#32d35dc4196a88a3973b6c8863fd3c1b39643d43"
- integrity sha512-W9LL+1e8CS9fi0s8ZHINDN1HZ6QpYjE4yLi4+faed7ozppNOAxINjv5w16zG9tJv8Jp5LJrCfO5PZ9aV1m5d4g==
- dependencies:
- event-kit "^2.0.0"
- nan "^2.13.2"
-
-keytar@4.13.0:
- version "4.13.0"
- resolved "https://registry.yarnpkg.com/keytar/-/keytar-4.13.0.tgz#f3484988e87e692958ce901a36c850422093def0"
- integrity sha512-qdyZ3XDuv11ANDXJ+shsmc+j/h5BHPDSn33MwkUMDg2EA++xEBleNkghr3Jg95cqVx5WgDYD8V/m3Q0y7kwQ2w==
+keytar@4.13.0, keytar@7.9.0:
+ version "7.9.0"
+ resolved "https://registry.yarnpkg.com/keytar/-/keytar-7.9.0.tgz#4c6225708f51b50cbf77c5aae81721964c2918cb"
+ integrity sha512-VPD8mtVtm5JNtA2AErl6Chp06JBfy7diFQ7TQQhdpWOl6MrCRB+eRbvAZUsbGQS9kiMq0coJsy0W0vHpDCkWsQ==
dependencies:
- nan "2.14.0"
- prebuild-install "5.3.0"
+ node-addon-api "^4.3.0"
+ prebuild-install "^7.0.1"
keyv@^3.0.0:
version "3.1.0"
@@ -6462,10 +6476,10 @@ keyv@^3.0.0:
dependencies:
json-buffer "3.0.0"
-keyv@^4.0.0:
- version "4.5.2"
- resolved "https://registry.yarnpkg.com/keyv/-/keyv-4.5.2.tgz#0e310ce73bf7851ec702f2eaf46ec4e3805cce56"
- integrity sha512-5MHbFaKn8cNSmVW7BYnijeAVlE4cYA/SVkifVgrh7yotnfhKmjuXpDKjrABLnT0SfHWV21P8ow07OGfRrNDg8g==
+keyv@^4.0.0, keyv@^4.5.3:
+ version "4.5.4"
+ resolved "https://registry.yarnpkg.com/keyv/-/keyv-4.5.4.tgz#a879a99e29452f942439f2a405e3af8b31d4de93"
+ integrity sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==
dependencies:
json-buffer "3.0.1"
@@ -6483,9 +6497,6 @@ ky@0.30.0:
"language-c@file:packages/language-c":
version "0.60.20"
- dependencies:
- tree-sitter-c "0.20.2"
- tree-sitter-cpp "0.20.0"
"language-clojure@file:packages/language-clojure":
version "0.22.8"
@@ -6498,8 +6509,6 @@ ky@0.30.0:
"language-css@file:packages/language-css":
version "0.45.4"
- dependencies:
- tree-sitter-css "^0.19.0"
"language-gfm@file:packages/language-gfm":
version "0.90.8"
@@ -6509,35 +6518,23 @@ ky@0.30.0:
"language-go@file:packages/language-go":
version "0.47.3"
- dependencies:
- tree-sitter-go "0.19.1"
"language-html@file:packages/language-html":
version "0.53.1"
dependencies:
atom-grammar-test "^0.6.3"
- tree-sitter-embedded-template "0.19.0"
- tree-sitter-html "0.19.0"
"language-hyperlink@file:packages/language-hyperlink":
version "0.17.1"
"language-java@file:packages/language-java":
version "0.32.1"
- dependencies:
- tree-sitter-java "0.19.1"
"language-javascript@file:packages/language-javascript":
version "0.134.2"
- dependencies:
- tree-sitter-javascript "0.19.0"
- tree-sitter-jsdoc "0.19.0"
- tree-sitter-regex "0.19.0"
"language-json@file:packages/language-json":
version "1.0.5"
- dependencies:
- tree-sitter-json "0.20.0"
"language-less@file:packages/language-less":
version "0.34.3"
@@ -6562,30 +6559,21 @@ ky@0.30.0:
"language-python@file:packages/language-python":
version "0.53.6"
- dependencies:
- tree-sitter-python "0.19.0"
"language-ruby-on-rails@file:packages/language-ruby-on-rails":
version "0.25.3"
"language-ruby@file:packages/language-ruby":
version "0.73.0"
- dependencies:
- tree-sitter-regex "^0.19.0"
- tree-sitter-ruby "^0.19.0"
"language-rust-bundled@file:packages/language-rust-bundled":
version "0.1.1"
- dependencies:
- tree-sitter-rust "0.20.1"
"language-sass@file:packages/language-sass":
version "0.62.2"
"language-shellscript@file:packages/language-shellscript":
version "0.28.2"
- dependencies:
- tree-sitter-bash "0.19.0"
"language-source@file:packages/language-source":
version "0.9.0"
@@ -6604,8 +6592,6 @@ ky@0.30.0:
"language-typescript@file:packages/language-typescript":
version "0.6.4"
- dependencies:
- tree-sitter-typescript "0.20.1"
"language-xml@file:packages/language-xml":
version "0.35.3"
@@ -6649,9 +6635,9 @@ less-cache@pulsar-edit/less-cache#v2.0.1:
walkdir "^0.4.1"
less@^4.1.3:
- version "4.1.3"
- resolved "https://registry.yarnpkg.com/less/-/less-4.1.3.tgz#175be9ddcbf9b250173e0a00b4d6920a5b770246"
- integrity sha512-w16Xk/Ta9Hhyei0Gpz9m7VS8F28nieJaL/VyShID7cYvP6IL5oHeL6p4TXSDJqZE/lNv0oJ2pGVjJsRkfwm5FA==
+ version "4.4.2"
+ resolved "https://registry.yarnpkg.com/less/-/less-4.4.2.tgz#fa4291fdb0334de91163622cc038f4bd3eb6b8d7"
+ integrity sha512-j1n1IuTX1VQjIy3tT7cyGbX7nvQOsFLoIqobZv4ttI5axP923gA44zUj6miiA6R5Aoms4sEGVIIcucXUbRI14g==
dependencies:
copy-anything "^2.0.1"
parse-node-version "^1.0.1"
@@ -6674,9 +6660,9 @@ levn@^0.4.1:
type-check "~0.4.0"
lighthouse-logger@^1.0.0:
- version "1.3.0"
- resolved "https://registry.yarnpkg.com/lighthouse-logger/-/lighthouse-logger-1.3.0.tgz#ba6303e739307c4eee18f08249524e7dafd510db"
- integrity sha512-BbqAKApLb9ywUli+0a+PcV04SyJ/N1q/8qgCNe6U97KbPCS1BTksEuHFLYdvc8DltuhfxIUBqDZsC0bBGtl3lA==
+ version "1.4.2"
+ resolved "https://registry.yarnpkg.com/lighthouse-logger/-/lighthouse-logger-1.4.2.tgz#aef90f9e97cd81db367c7634292ee22079280aaa"
+ integrity sha512-gPWxznF6TKmUHrOQjlVo2UbaL2EJ71mb2CCeRs/2qBpi4L/g4LUVc9+3lKQ6DTUZwJswfM7ainGrLO1+fOqa2g==
dependencies:
debug "^2.6.9"
marky "^1.2.2"
@@ -6702,14 +6688,7 @@ lines-and-columns@^1.1.6:
"link@file:packages/link":
version "0.31.6"
dependencies:
- underscore-plus "^1.7.0"
-
-linkify-it@^3.0.1:
- version "3.0.3"
- resolved "https://registry.yarnpkg.com/linkify-it/-/linkify-it-3.0.3.tgz#a98baf44ce45a550efb4d49c769d07524cc2fa2e"
- integrity sha512-ynTsyrFSdE5oZ/O9GEf00kPngmOfVwazR5GKDq6EYfhlpFug3J2zybX56a2PRRpc9P+FuSoGNAwjlbDs9jJBPQ==
- dependencies:
- uc.micro "^1.0.1"
+ underscore-plus "^1.7.0"
linkify-it@^4.0.1:
version "4.0.1"
@@ -6718,6 +6697,13 @@ linkify-it@^4.0.1:
dependencies:
uc.micro "^1.0.1"
+linkify-it@^5.0.0:
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/linkify-it/-/linkify-it-5.0.0.tgz#9ef238bfa6dc70bd8e7f9572b52d369af569b421"
+ integrity sha512-5aHCbzQRADcdP+ATqnDuhhJ/MRIqDkZX5pyjFHRRysS8vZ5AbqGEoFIb6pYHPZ+L/OC2Lc+xT8uHVVR5CAK/wQ==
+ dependencies:
+ uc.micro "^2.0.0"
+
locate-path@^3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-3.0.0.tgz#dbec3b3ab759758071b58fe59fc41871af21400e"
@@ -6795,21 +6781,11 @@ lodash.merge@^4.6.1, lodash.merge@^4.6.2:
resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
-lodash.omit@^4.5.0:
- version "4.5.0"
- resolved "https://registry.yarnpkg.com/lodash.omit/-/lodash.omit-4.5.0.tgz#6eb19ae5a1ee1dd9df0b969e66ce0b7fa30b5e60"
- integrity sha512-XeqSp49hNGmlkj2EJlfrQFIzQ6lXdNro9sddtQzcJY8QaoC2GO0DT7xaIokHeyM+mIT0mPMlPvkYzg2xCuHdZg==
-
lodash.padend@^4.6.1:
version "4.6.1"
resolved "https://registry.yarnpkg.com/lodash.padend/-/lodash.padend-4.6.1.tgz#53ccba047d06e158d311f45da625f4e49e6f166e"
integrity sha512-sOQs2aqGpbl27tmCS1QNZA09Uqp01ZzWfDUoD+xzTii0E7dSQfRKcRetFwa+uXaxaqL+TKm7CgD2JdKP7aZBSw==
-lodash.pick@^4.4.0:
- version "4.4.0"
- resolved "https://registry.yarnpkg.com/lodash.pick/-/lodash.pick-4.4.0.tgz#52f05610fff9ded422611441ed1fc123a03001b3"
- integrity sha512-hXt6Ul/5yWjfklSGvLQl8vM//l3FtyHZeuelpzK6mm99pNvN9yTDruNZPEJZD1oWrqo+izBmB7oUfWgcCX7s4Q==
-
lodash.toarray@^4.4.0:
version "4.4.0"
resolved "https://registry.yarnpkg.com/lodash.toarray/-/lodash.toarray-4.4.0.tgz#24c4bfcd6b2fba38bfd0594db1179d8e9b656561"
@@ -6825,7 +6801,7 @@ lodash.zip@^4.2.0:
resolved "https://registry.yarnpkg.com/lodash.zip/-/lodash.zip-4.2.0.tgz#ec6662e4896408ed4ab6c542a3990b72cc080020"
integrity sha512-C7IOaBBK/0gMORRBd8OETNx3kmOkgIWIPvyDpZSCTwUrpYmgZwJkjZeOD8ww4xbOUOs4/attY+pciKvadNfFbg==
-lodash@^4.17.10, lodash@^4.17.13, lodash@^4.17.15, lodash@^4.17.19, lodash@^4.17.21:
+lodash@^4.17.13, lodash@^4.17.15, lodash@^4.17.19, lodash@^4.17.21:
version "4.17.21"
resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.21.tgz#679591c564c3bffaae8454cf0b3df370c3d6911c"
integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==
@@ -6862,9 +6838,9 @@ loglevel-plugin-prefix@^0.8.4:
integrity sha512-WpG9CcFAOjz/FtNht+QJeGpvVl/cdR6P0z6OcXSkr8wFJOsV2GRj2j10JLfjuA4aYkcKCNIEqRGCyTife9R8/g==
loglevel@^1.6.0:
- version "1.8.1"
- resolved "https://registry.yarnpkg.com/loglevel/-/loglevel-1.8.1.tgz#5c621f83d5b48c54ae93b6156353f555963377b4"
- integrity sha512-tCRIJM51SHjAayKwC+QAg8hT8vg6z7GSgLJKGvzuPb1Wc+hLzqtuVLxp6/HzSPOozuK+8ErAhy7U/sVzw8Dgfg==
+ version "1.9.2"
+ resolved "https://registry.yarnpkg.com/loglevel/-/loglevel-1.9.2.tgz#c2e028d6c757720107df4e64508530db6621ba08"
+ integrity sha512-HgMmCqIJSAKqo68l0rS2AanEWfkxaZ5wNiEFb5ggm08lDs9Xl2KxBlX3PTcaD2chBM1gXAYf491/M2Rv8Jwayg==
loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.4.0:
version "1.4.0"
@@ -6888,6 +6864,13 @@ lru-cache@2:
resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-2.7.3.tgz#6d4524e8b955f95d4f5b58851ce21dd72fb4e952"
integrity sha512-WpibWJ60c3AgAz8a2iYErDrcT2C7OmKnsWhIcHOjkUHFjkXncJhtLxNSqUmxRxRunpb5I8Vprd7aNSd2NtksJQ==
+lru-cache@^5.1.1:
+ version "5.1.1"
+ resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920"
+ integrity sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==
+ dependencies:
+ yallist "^3.0.2"
+
lru-cache@^6.0.0:
version "6.0.0"
resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
@@ -6895,6 +6878,11 @@ lru-cache@^6.0.0:
dependencies:
yallist "^4.0.0"
+lru-cache@^7.7.1:
+ version "7.18.3"
+ resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-7.18.3.tgz#f793896e0fd0e954a59dfdd82f0773808df6aa89"
+ integrity sha512-jumlc0BIUrS3qJGgIkWZsyfAM7NCWiBcCDhnd+3NNM5KbBmLTgHVfWBcg6W+rLUsIpzpERPsvwUP7CckAQSOoA==
+
ls-archive@1.3.4:
version "1.3.4"
resolved "https://registry.yarnpkg.com/ls-archive/-/ls-archive-1.3.4.tgz#52150919dab1acb094cdcef9dde9c66934a4650f"
@@ -6907,15 +6895,6 @@ ls-archive@1.3.4:
tar "^2.2.1"
yauzl "^2.9.1"
-lzma-native@^8.0.5:
- version "8.0.6"
- resolved "https://registry.yarnpkg.com/lzma-native/-/lzma-native-8.0.6.tgz#3ea456209d643bafd9b5d911781bdf0b396b2665"
- integrity sha512-09xfg67mkL2Lz20PrrDeNYZxzeW7ADtpYFbwSQh9U8+76RIzx5QsJBMy8qikv3hbUPfpy6hqwxt6FcGK81g9AA==
- dependencies:
- node-addon-api "^3.1.0"
- node-gyp-build "^4.2.1"
- readable-stream "^3.6.0"
-
make-dir@^2.1.0:
version "2.1.0"
resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-2.1.0.tgz#5f0310e18b8be898cc07009295a30ae41e91e6f5"
@@ -6931,37 +6910,37 @@ make-dir@^3.0.0:
dependencies:
semver "^6.0.0"
-make-fetch-happen@^9.1.0:
- version "9.1.0"
- resolved "https://registry.yarnpkg.com/make-fetch-happen/-/make-fetch-happen-9.1.0.tgz#53085a09e7971433e6765f7971bf63f4e05cb968"
- integrity sha512-+zopwDy7DNknmwPQplem5lAZX/eCOzSvSNNcSKm5eVwTkOBzoktEfXsa9L23J/GIRhxRsaxzkPEhrJEpE2F4Gg==
+make-fetch-happen@^10.0.3, make-fetch-happen@^10.2.1:
+ version "10.2.1"
+ resolved "https://registry.yarnpkg.com/make-fetch-happen/-/make-fetch-happen-10.2.1.tgz#f5e3835c5e9817b617f2770870d9492d28678164"
+ integrity sha512-NgOPbRiaQM10DYXvN3/hhGVI2M5MtITFryzBGxHM5p4wnFxsVCbxkrBrDsk+EZ5OB4jEOT7AjDxtdF+KVEFT7w==
dependencies:
- agentkeepalive "^4.1.3"
- cacache "^15.2.0"
+ agentkeepalive "^4.2.1"
+ cacache "^16.1.0"
http-cache-semantics "^4.1.0"
- http-proxy-agent "^4.0.1"
+ http-proxy-agent "^5.0.0"
https-proxy-agent "^5.0.0"
is-lambda "^1.0.1"
- lru-cache "^6.0.0"
- minipass "^3.1.3"
+ lru-cache "^7.7.1"
+ minipass "^3.1.6"
minipass-collect "^1.0.2"
- minipass-fetch "^1.3.2"
+ minipass-fetch "^2.0.3"
minipass-flush "^1.0.5"
minipass-pipeline "^1.2.4"
- negotiator "^0.6.2"
+ negotiator "^0.6.3"
promise-retry "^2.0.1"
- socks-proxy-agent "^6.0.0"
- ssri "^8.0.0"
+ socks-proxy-agent "^7.0.0"
+ ssri "^9.0.0"
map-stream@~0.1.0:
version "0.1.0"
resolved "https://registry.yarnpkg.com/map-stream/-/map-stream-0.1.0.tgz#e56aa94c4c8055a16404a0674b78f215f7c8e194"
integrity sha512-CkYQrPYZfWnu/DAmVCpTSX/xHpKZ80eKh2lAkyA6AJTef6bW+6JpbQZN5rofum7da+SyN1bi5ctTm+lTfcCW3g==
-markdown-it-anchor@^8.4.1:
- version "8.6.6"
- resolved "https://registry.yarnpkg.com/markdown-it-anchor/-/markdown-it-anchor-8.6.6.tgz#4a12e358c9c2167ee28cb7a5f10e29d6f1ffd7ca"
- integrity sha512-jRW30YGywD2ESXDc+l17AiritL0uVaSnWsb26f+68qaW9zgbIIr1f4v2Nsvc0+s0Z2N3uX6t/yAw7BwCQ1wMsA==
+markdown-it-anchor@^8.6.7:
+ version "8.6.7"
+ resolved "https://registry.yarnpkg.com/markdown-it-anchor/-/markdown-it-anchor-8.6.7.tgz#ee6926daf3ad1ed5e4e3968b1740eef1c6399634"
+ integrity sha512-FlCHFwNnutLgVTflOYHPW2pPcl2AACqVzExlkGQNsi4CJgqOHN7YTgDd4LuhgN1BFO3TS0vLAruV1Td6dwWPJA==
markdown-it-emoji@^2.0.2:
version "2.0.2"
@@ -6981,17 +6960,6 @@ markdown-it-task-checkbox@^1.0.6:
resolved "https://registry.yarnpkg.com/markdown-it-task-checkbox/-/markdown-it-task-checkbox-1.0.6.tgz#9ebd7b6382e99162264605bc580f2ac118be4242"
integrity sha512-7pxkHuvqTOu3iwVGmDPeYjQg+AIS9VQxzyLP9JCg9lBjgPAJXGEkChK6A2iFuj3tS0GV3HG2u5AMNhcQqwxpJw==
-markdown-it@^12.3.2:
- version "12.3.2"
- resolved "https://registry.yarnpkg.com/markdown-it/-/markdown-it-12.3.2.tgz#bf92ac92283fe983fe4de8ff8abfb5ad72cd0c90"
- integrity sha512-TchMembfxfNVpHkbtriWltGWc+m3xszaRD0CZup7GFFhzIgQqxIfn3eGj1yZpfuflzPvfkt611B2Q/Bsk1YnGg==
- dependencies:
- argparse "^2.0.1"
- entities "~2.1.0"
- linkify-it "^3.0.1"
- mdurl "^1.0.1"
- uc.micro "^1.0.5"
-
markdown-it@^13.0.2:
version "13.0.2"
resolved "https://registry.yarnpkg.com/markdown-it/-/markdown-it-13.0.2.tgz#1bc22e23379a6952e5d56217fbed881e0c94d536"
@@ -7003,6 +6971,18 @@ markdown-it@^13.0.2:
mdurl "^1.0.1"
uc.micro "^1.0.5"
+markdown-it@^14.1.0:
+ version "14.1.0"
+ resolved "https://registry.yarnpkg.com/markdown-it/-/markdown-it-14.1.0.tgz#3c3c5992883c633db4714ccb4d7b5935d98b7d45"
+ integrity sha512-a54IwgWPaeBCAAsv13YgmALOF1elABB08FxO9i+r4VFk5Vl4pKokRPeX8u5TCgSsPi6ec1otfLjdOpVcgbpshg==
+ dependencies:
+ argparse "^2.0.1"
+ entities "^4.4.0"
+ linkify-it "^5.0.0"
+ mdurl "^2.0.0"
+ punycode.js "^2.3.1"
+ uc.micro "^2.1.0"
+
"markdown-preview@file:./packages/markdown-preview":
version "0.160.2"
dependencies:
@@ -7027,20 +7007,15 @@ marked@5.0.3:
resolved "https://registry.yarnpkg.com/marked/-/marked-5.0.3.tgz#a8d0d457d7bce3606db3e32bb0797490cec2fa19"
integrity sha512-KUONa43Uk74uUNWMxh6lfaNYmSAsRMiDAaX8QBCCRVXzEufR0zX6T33vrGbvTnQLL02ungDM3KSzZtO+chJaHg==
-marked@^4.0.10:
- version "4.2.2"
- resolved "https://registry.yarnpkg.com/marked/-/marked-4.2.2.tgz#1d2075ad6cdfe42e651ac221c32d949a26c0672a"
- integrity sha512-JjBTFTAvuTgANXx82a5vzK9JLSMoV6V3LBVn4Uhdso6t7vXrGx7g1Cd2r6NYSsxrYbQGFCMqBDhFHyK5q2UvcQ==
-
-marked@^4.2.3:
- version "4.2.5"
- resolved "https://registry.yarnpkg.com/marked/-/marked-4.2.5.tgz#979813dfc1252cc123a79b71b095759a32f42a5d"
- integrity sha512-jPueVhumq7idETHkb203WDD4fMA3yV9emQ5vLwop58lu8bTclMghBWcYAavlDqIEMaisADinV1TooIFCfqOsYQ==
+marked@^4.0.10, marked@^4.3.0:
+ version "4.3.0"
+ resolved "https://registry.yarnpkg.com/marked/-/marked-4.3.0.tgz#796362821b019f734054582038b116481b456cf3"
+ integrity sha512-PRsaiG84bK+AMvxziE/lCFss8juXjNaWzVbN5tXAm4XjeaS9NAHhop+PjQxz2A9h8Q4M/xGmzP8vqNwy6JeK0A==
marky@^1.2.2:
- version "1.2.5"
- resolved "https://registry.yarnpkg.com/marky/-/marky-1.2.5.tgz#55796b688cbd72390d2d399eaaf1832c9413e3c0"
- integrity sha512-q9JtQJKjpsVxCRVgQ+WapguSbKC3SQ5HEzFGPAJMStgh3QjCawp00UKv3MTTAArTmGmmPUvllHZoNbZ3gs0I+Q==
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/marky/-/marky-1.3.0.tgz#422b63b0baf65022f02eda61a238eccdbbc14997"
+ integrity sha512-ocnPZQLNpvbedwTy9kNrQEsknEfgvcLMvOtz3sFeWApDq1MXH1TqkCIx58xlpESsfwQOnuBO9beyQuNGzVvuhQ==
matcher@^3.0.0:
version "3.0.0"
@@ -7068,6 +7043,11 @@ mdurl@^1.0.1:
resolved "https://registry.yarnpkg.com/mdurl/-/mdurl-1.0.1.tgz#fe85b2ec75a59037f2adfec100fd6c601761152e"
integrity sha512-/sKlQJCBYVY9Ers9hqzKou4H6V5UWc/M59TH2dvkt+84itfnq7uFOMLpOiOS4ujvHP4etln18fmIxA5R5fll0g==
+mdurl@^2.0.0:
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/mdurl/-/mdurl-2.0.0.tgz#80676ec0433025dd3e17ee983d0fe8de5a2237e0"
+ integrity sha512-Lf+9+2r+Tdp5wXDXC4PcIBjTDtq4UKjCPMQhKIuzpJNW0b96kVqSwW0bT7FhRSfmAiFYgP+SCRvdrDozfh0U5w==
+
merge-stream@^2.0.0:
version "2.0.0"
resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60"
@@ -7133,6 +7113,13 @@ mimic-response@^3.1.0:
resolved "https://registry.yarnpkg.com/mimic-response/-/mimic-response-3.1.0.tgz#2d1d59af9c1b129815accc2c46a022a5ce1fa3c9"
integrity sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==
+minimatch@*:
+ version "10.0.3"
+ resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-10.0.3.tgz#cf7a0314a16c4d9ab73a7730a0e8e3c3502d47aa"
+ integrity sha512-IPZ167aShDZZUMdRk66cyQAW3qr0WzbHkPdMYa8bzZhlHhO3jALbKdxcaak7W9FfT2rZNpQuUu4Od7ILEpXSaw==
+ dependencies:
+ "@isaacs/brace-expansion" "^5.0.0"
+
minimatch@0.3:
version "0.3.0"
resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-0.3.0.tgz#275d8edaac4f1bb3326472089e7949c8394699dd"
@@ -7171,9 +7158,9 @@ minimatch@^2.0.9:
brace-expansion "^1.0.0"
minimatch@^5.0.0, minimatch@^5.0.1, minimatch@^5.1.0:
- version "5.1.0"
- resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.1.0.tgz#1717b464f4971b144f6aabe8f2d0b8e4511e09c7"
- integrity sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==
+ version "5.1.6"
+ resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.1.6.tgz#1cfcb8cf5522ea69952cd2af95ae09477f122a96"
+ integrity sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==
dependencies:
brace-expansion "^2.0.1"
@@ -7193,9 +7180,9 @@ minimatch@~3.0.0, minimatch@~3.0.3:
brace-expansion "^1.1.7"
minimist@^1.2.0, minimist@^1.2.3, minimist@^1.2.5, minimist@^1.2.6:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.7.tgz#daa1c4d91f507390437c6a8bc01078e7000c4d18"
- integrity sha512-bzfL1YUZsP41gmu/qjrEk0Q6i2ix/cVeAhbCbqH9u3zYutS1cLg00qhrD0M2MVdCcx4Sc0UpP2eBWo9rotpq6g==
+ version "1.2.8"
+ resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
+ integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
minipass-collect@^1.0.2:
version "1.0.2"
@@ -7204,16 +7191,16 @@ minipass-collect@^1.0.2:
dependencies:
minipass "^3.0.0"
-minipass-fetch@^1.3.2:
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/minipass-fetch/-/minipass-fetch-1.4.1.tgz#d75e0091daac1b0ffd7e9d41629faff7d0c1f1b6"
- integrity sha512-CGH1eblLq26Y15+Azk7ey4xh0J/XfJfrCox5LDJiKqI2Q2iwOLOKrlmIaODiSQS8d18jalF6y2K2ePUm0CmShw==
+minipass-fetch@^2.0.3:
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/minipass-fetch/-/minipass-fetch-2.1.2.tgz#95560b50c472d81a3bc76f20ede80eaed76d8add"
+ integrity sha512-LT49Zi2/WMROHYoqGgdlQIZh8mLPZmOrN2NdJjMXxYe4nkN6FUyuPuOAOedNJDrx0IRGg9+4guZewtp8hE6TxA==
dependencies:
- minipass "^3.1.0"
+ minipass "^3.1.6"
minipass-sized "^1.0.3"
- minizlib "^2.0.0"
+ minizlib "^2.1.2"
optionalDependencies:
- encoding "^0.1.12"
+ encoding "^0.1.13"
minipass-flush@^1.0.5:
version "1.0.5"
@@ -7222,7 +7209,7 @@ minipass-flush@^1.0.5:
dependencies:
minipass "^3.0.0"
-minipass-pipeline@^1.2.2, minipass-pipeline@^1.2.4:
+minipass-pipeline@^1.2.4:
version "1.2.4"
resolved "https://registry.yarnpkg.com/minipass-pipeline/-/minipass-pipeline-1.2.4.tgz#68472f79711c084657c067c5c6ad93cddea8214c"
integrity sha512-xuIq7cIOt09RPRJ19gdi4b+RiNvDFYe5JH+ggNvBqGqpQXcru3PcRmOZuHBKWK1Txf9+cQ+HMVN4d6z46LZP7A==
@@ -7236,14 +7223,19 @@ minipass-sized@^1.0.3:
dependencies:
minipass "^3.0.0"
-minipass@^3.0.0, minipass@^3.1.0, minipass@^3.1.1, minipass@^3.1.3:
- version "3.3.4"
- resolved "https://registry.yarnpkg.com/minipass/-/minipass-3.3.4.tgz#ca99f95dd77c43c7a76bf51e6d200025eee0ffae"
- integrity sha512-I9WPbWHCGu8W+6k1ZiGpPu0GkoKBeorkfKNuAFBNS1HNFJvke82sxvI5bzcCNpWPorkOO5QQ+zomzzwRxejXiw==
+minipass@^3.0.0, minipass@^3.1.1, minipass@^3.1.6:
+ version "3.3.6"
+ resolved "https://registry.yarnpkg.com/minipass/-/minipass-3.3.6.tgz#7bba384db3a1520d18c9c0e5251c3444e95dd94a"
+ integrity sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==
dependencies:
yallist "^4.0.0"
-minizlib@^2.0.0, minizlib@^2.1.1:
+minipass@^5.0.0:
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/minipass/-/minipass-5.0.0.tgz#3e9788ffb90b694a5d0ec94479a45b5d8738133d"
+ integrity sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==
+
+minizlib@^2.1.1, minizlib@^2.1.2:
version "2.1.2"
resolved "https://registry.yarnpkg.com/minizlib/-/minizlib-2.1.2.tgz#e90d3466ba209b932451508a11ce3d3632145931"
integrity sha512-bAxsR8BVfj60DWXHE3u30oHzfl4G7khkSuPW+qvpd7jFRHm7dLxOjUk1EHACJ/hxLY8phGJ0YhYHZo7jil7Qdg==
@@ -7273,7 +7265,7 @@ mkdirp@0.5.4:
dependencies:
minimist "^1.2.5"
-"mkdirp@>=0.5 0", mkdirp@^0.5.1, mkdirp@^0.5.4, mkdirp@~0.5.1:
+"mkdirp@>=0.5 0", mkdirp@^0.5.1, mkdirp@~0.5.1:
version "0.5.6"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.6.tgz#7def03d2432dcae4ba1d611445c48396062255f6"
integrity sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==
@@ -7351,14 +7343,14 @@ moment@2.28.0:
integrity sha512-Z5KOjYmnHyd/ukynmFd/WwyXHd7L4J9vTI/nn5Ap9AVUgaAE15VvQ9MOGmJJygEUklupqIrFnor/tjTwRU+tQw==
moment@^2.19.3:
- version "2.29.4"
- resolved "https://registry.yarnpkg.com/moment/-/moment-2.29.4.tgz#3dbe052889fe7c1b2ed966fcb3a77328964ef108"
- integrity sha512-5LC9SOxjSc2HF6vO2CyuTDNivEdoz2IvyJJGj6X8DJ0eFyfszE0QiEd+iXmBvUP3WHxSjFH/vIsA0EN00cgr8w==
+ version "2.30.1"
+ resolved "https://registry.yarnpkg.com/moment/-/moment-2.30.1.tgz#f8c91c07b7a786e30c59926df530b4eac96974ae"
+ integrity sha512-uEmtNhbDOrWPFS+hdjFCBfy9f2YoyzRpwcl+DqpC6taX21FzsTLQVbMV/W7PzNSX6x/bhC1zA3c2UQ5NzH6how==
morphdom@^2.7.2:
- version "2.7.2"
- resolved "https://registry.yarnpkg.com/morphdom/-/morphdom-2.7.2.tgz#d48a87254f9b3031c0e1ec367736721fbaf22167"
- integrity sha512-Dqb/lHFyTi7SZpY0a5R4I/0Edo+iPMbaUexsHHsLAByyixCDiLHPHyVoKVmrpL0THcT7V9Cgev9y21TQYq6wQg==
+ version "2.7.7"
+ resolved "https://registry.yarnpkg.com/morphdom/-/morphdom-2.7.7.tgz#72559af781357a4eb2169a0a578acb76ff7e8abf"
+ integrity sha512-04GmsiBcalrSCNmzfo+UjU8tt3PhZJKzcOy+r1FlGA7/zri8wre3I1WkYN9PT3sIeIKfW9bpyElA+VzOg2E24g==
ms@2.0.0:
version "2.0.0"
@@ -7390,26 +7382,26 @@ murmurhash-js@^1.0.0:
resolved "https://registry.yarnpkg.com/murmurhash-js/-/murmurhash-js-1.0.0.tgz#b06278e21fc6c37fa5313732b0412bcb6ae15f51"
integrity sha512-TvmkNhkv8yct0SVBSy+o8wYzXjE4Zz3PCesbfs8HiCXXdcTuocApFv11UWlNFWKYsP2okqrhb7JNlSm9InBhIw==
-nan@2.14.0:
- version "2.14.0"
- resolved "https://registry.yarnpkg.com/nan/-/nan-2.14.0.tgz#7818f722027b2459a86f0295d434d1fc2336c52c"
- integrity sha512-INOFj37C7k3AfaNTtX8RhsTw7qRy7eLET14cROi9+5HAVbbHuIWUHEauBv5qT4Av2tWasiTY1Jw6puUNqRJXQg==
-
-nan@2.17.0, nan@^2.10.0, nan@^2.12.1, nan@^2.13.2, nan@^2.14.0, nan@^2.14.1, nan@^2.14.2:
- version "2.17.0"
- resolved "https://registry.yarnpkg.com/nan/-/nan-2.17.0.tgz#c0150a2368a182f033e9aa5195ec76ea41a199cb"
- integrity sha512-2ZTgtl0nJsO0KQCjEpxcIr5D+Yv90plTitZt9JBfQvVJDS5seMl3FOvsh3+9CoYWXf/1l5OaZzzF6nDm4cagaQ==
+nan@2.17.0, nan@2.19.0, nan@^2.14.2, nan@^2.18.0:
+ version "2.19.0"
+ resolved "https://registry.yarnpkg.com/nan/-/nan-2.19.0.tgz#bb58122ad55a6c5bc973303908d5b16cfdd5a8c0"
+ integrity sha512-nO1xXxfh/RWNxfd/XPfbIfFk5vgLsAxUR9y5O0cHMJu/AW9U95JLXqthYHjEp+8gQ5p96K9jUp8nbVOxCdRbtw==
nanoid@^3.3.6:
- version "3.3.6"
- resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c"
- integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==
+ version "3.3.11"
+ resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.11.tgz#4f4f112cefbe303202f2199838128936266d185b"
+ integrity sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==
napi-build-utils@^1.0.1:
version "1.0.2"
resolved "https://registry.yarnpkg.com/napi-build-utils/-/napi-build-utils-1.0.2.tgz#b1fddc0b2c46e380a0b7a76f984dd47c41a13806"
integrity sha512-ONmRUqK7zj7DWX0D9ADe03wbwOBZxNAfF20PlGfCWQcD3+/MakShIHrMqx9YwPTfxDdF1zLeL+RGZiR9kGMLdg==
+napi-build-utils@^2.0.0:
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/napi-build-utils/-/napi-build-utils-2.0.0.tgz#13c22c0187fcfccce1461844136372a47ddc027e"
+ integrity sha512-GEbrYkbfF7MoNaoh2iGG84Mnf/WZfB0GdGEsM8wz7Expx/LlWf5U8t9nvJKXSp3qr5IsEbK04cBGhol/KwOsWA==
+
natural-compare@^1.4.0:
version "1.4.0"
resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
@@ -7437,20 +7429,19 @@ natural@^0.6.3:
underscore "^1.3.1"
needle@^3.1.0:
- version "3.2.0"
- resolved "https://registry.yarnpkg.com/needle/-/needle-3.2.0.tgz#07d240ebcabfd65c76c03afae7f6defe6469df44"
- integrity sha512-oUvzXnyLiVyVGoianLijF9O/RecZUf7TkBfimjGrLM4eQhXyeJwM6GeAWccwfQ9aa4gMCZKqhAOuLaMIcQxajQ==
+ version "3.3.1"
+ resolved "https://registry.yarnpkg.com/needle/-/needle-3.3.1.tgz#63f75aec580c2e77e209f3f324e2cdf3d29bd049"
+ integrity sha512-6k0YULvhpw+RoLNiQCRKOl09Rv1dPLr8hHnVjHqdolKwDrdNyk+Hmrthi4lIGPPz3r39dLx0hsF5s40sZ3Us4Q==
dependencies:
- debug "^3.2.6"
iconv-lite "^0.6.3"
sax "^1.2.4"
-negotiator@^0.6.2:
- version "0.6.3"
- resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.3.tgz#58e323a72fedc0d6f9cd4d31fe49f51479590ccd"
- integrity sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==
+negotiator@^0.6.3:
+ version "0.6.4"
+ resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.4.tgz#777948e2452651c570b712dd01c23e262713fff7"
+ integrity sha512-myRT3DiWPHqho5PrJaIRyaMv2kgYf0mUVgBNOYMuCH5Ki1yEiQaf/ZJuQ62nvpc44wL5WDbTX7yGJi1Neevw8w==
-neo-async@^2.6.0:
+neo-async@^2.6.2:
version "2.6.2"
resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.2.tgz#b4aafb93e3aeb2d8174ca53cf163ab7d7308305f"
integrity sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==
@@ -7471,33 +7462,19 @@ nise@^4.0.4:
just-extend "^4.0.2"
path-to-regexp "^1.7.0"
-node-abi@^2.21.0, node-abi@^2.7.0:
- version "2.30.1"
- resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-2.30.1.tgz#c437d4b1fe0e285aaf290d45b45d4d7afedac4cf"
- integrity sha512-/2D0wOQPgaUWzVSVgRMx+trKJRC2UG4SUc4oCJoXx9Uxjtp0Vy3/kt7zcbxHF8+Z/pK3UloLWzBISg72brfy1w==
- dependencies:
- semver "^5.4.1"
-
-node-abi@^3.0.0:
- version "3.28.0"
- resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-3.28.0.tgz#b0df8b317e1c4f2f323756c5fc8ffccc5bca4718"
- integrity sha512-fRlDb4I0eLcQeUvGq7IY3xHrSb0c9ummdvDSYWfT9+LKP+3jCKw/tKoqaM7r1BAoiAC6GtwyjaGnOz6B3OtF+A==
- dependencies:
- semver "^7.3.5"
-
-node-abi@^3.3.0:
- version "3.54.0"
- resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-3.54.0.tgz#f6386f7548817acac6434c6cba02999c9aebcc69"
- integrity sha512-p7eGEiQil0YUV3ItH4/tBb781L5impVmmx2E9FRKF7d18XXzp4PGT2tdYMFY6wQqgxD0IwNZOiSJ0/K0fSi/OA==
+node-abi@3.63.0, node-abi@^2.21.0, node-abi@^3.3.0, node-abi@^3.45.0:
+ version "3.63.0"
+ resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-3.63.0.tgz#9bfbe68b87357f8b508554608b323e9b1052d045"
+ integrity sha512-vAszCsOUrUxjGAmdnM/pq7gUgie0IRteCQMX6d4A534fQCR93EJU5qgzBvU6EkFfK27s0T3HEV3BOyJIr7OMYw==
dependencies:
semver "^7.3.5"
-node-addon-api@*:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-5.0.0.tgz#7d7e6f9ef89043befdb20c1989c905ebde18c501"
- integrity sha512-CvkDw2OEnme7ybCykJpVcKH+uAOLV2qLqiyla128dN9TkEWfrYmxG6C2boDe5KcNQqZF3orkqzGgOMvZ/JNekA==
+node-addon-api@*, node-addon-api@^8.5.0:
+ version "8.5.0"
+ resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-8.5.0.tgz#c91b2d7682fa457d2e1c388150f0dff9aafb8f3f"
+ integrity sha512-/bRZty2mXUIFY/xU5HLvveNHlswNJej+RnxBjOMkidWfwZzgTbPG1E3K5TOxRLOR+5hX7bSofy8yf1hZevMS8A==
-node-addon-api@^1.1.0, node-addon-api@^1.6.3:
+node-addon-api@^1.6.3:
version "1.7.2"
resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-1.7.2.tgz#3df30b95720b53c24e59948b49532b662444f54d"
integrity sha512-ibPK3iA+vaY1eEjESkQkM0BbCqFOaZMiXRTtdB0u7b4djtY6JnsjvPdUHVMg6xQt3B8fpTTWHI9A+ADjM9frzg==
@@ -7507,10 +7484,25 @@ node-addon-api@^3.1.0:
resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-3.2.1.tgz#81325e0a2117789c0128dab65e7e38f07ceba161"
integrity sha512-mmcei9JghVNDYydghQmeDX8KoAm0FAiYyIcUt/N4nhyAipB17pllZQDOJD2fotxABnt4Mdz+dKTO7eftLg4d0A==
-node-api-version@^0.1.4:
- version "0.1.4"
- resolved "https://registry.yarnpkg.com/node-api-version/-/node-api-version-0.1.4.tgz#1ed46a485e462d55d66b5aa1fe2821720dedf080"
- integrity sha512-KGXihXdUChwJAOHO53bv9/vXcLmdUsZ6jIptbvYvkpKfth+r7jw44JkVxQFA3kX5nQjzjmGu1uAu/xNNLNlI5g==
+node-addon-api@^4.3.0:
+ version "4.3.0"
+ resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-4.3.0.tgz#52a1a0b475193e0928e98e0426a0d1254782b77f"
+ integrity sha512-73sE9+3UaLYYFmDsFZnqCInzPyh3MqIwZO9cw58yIqAZhONrrabrYyYe3TuIqtIiOuTXVhsGau8hcrhhwSsDIQ==
+
+node-addon-api@^6.1.0:
+ version "6.1.0"
+ resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-6.1.0.tgz#ac8470034e58e67d0c6f1204a18ae6995d9c0d76"
+ integrity sha512-+eawOlIgy680F0kBzPUNFhMZGtJ1YmqM6l4+Crf4IkImjYrO/mqPwRMh352g23uIaQKFItcQ64I7KMaJxHgAVA==
+
+node-addon-api@^7.1.1:
+ version "7.1.1"
+ resolved "https://registry.yarnpkg.com/node-addon-api/-/node-addon-api-7.1.1.tgz#1aba6693b0f255258a049d621329329322aad558"
+ integrity sha512-5m3bsyrjFWE1xf7nz7YXdN4udnVtXK6/Yfgn5qnahL6bCkf2yKt4k3nuTKAtT4r3IG8JNR2ncsIMdZuAzJjHQQ==
+
+node-api-version@^0.2.0:
+ version "0.2.1"
+ resolved "https://registry.yarnpkg.com/node-api-version/-/node-api-version-0.2.1.tgz#19bad54f6d65628cbee4e607a325e4488ace2de9"
+ integrity sha512-2xP/IGGMmmSQpI1+O/k72jF/ykvZ89JeuKX3TLJAYPDVLUalrshrLHkeVcCCZqG/eEa635cr8IBYzgnDvM2O8Q==
dependencies:
semver "^7.3.5"
@@ -7544,48 +7536,39 @@ node-fetch@^1.0.1:
encoding "^0.1.11"
is-stream "^1.0.1"
-node-gyp-build@^4.2.1:
- version "4.5.0"
- resolved "https://registry.yarnpkg.com/node-gyp-build/-/node-gyp-build-4.5.0.tgz#7a64eefa0b21112f89f58379da128ac177f20e40"
- integrity sha512-2iGbaQBV+ITgCz76ZEjmhUKAKVf7xfY1sRl4UiKQspfZMH2h06SyhNsnSVy50cwkFQDGLyif6m/6uFXHkOZ6rg==
-
-node-gyp@^8.4.0:
- version "8.4.1"
- resolved "https://registry.yarnpkg.com/node-gyp/-/node-gyp-8.4.1.tgz#3d49308fc31f768180957d6b5746845fbd429937"
- integrity sha512-olTJRgUtAb/hOXG0E93wZDs5YiJlgbXxTwQAFHyNlRsXQnYzUaF2aGgujZbw+hR8aF4ZG/rST57bWMWD16jr9w==
+node-gyp@^9.0.0:
+ version "9.4.1"
+ resolved "https://registry.yarnpkg.com/node-gyp/-/node-gyp-9.4.1.tgz#8a1023e0d6766ecb52764cc3a734b36ff275e185"
+ integrity sha512-OQkWKbjQKbGkMf/xqI1jjy3oCTgMKJac58G2+bjZb3fza6gW2YrCSdMQYaoTb70crvE//Gngr4f0AgVHmqHvBQ==
dependencies:
env-paths "^2.2.0"
+ exponential-backoff "^3.1.1"
glob "^7.1.4"
graceful-fs "^4.2.6"
- make-fetch-happen "^9.1.0"
- nopt "^5.0.0"
+ make-fetch-happen "^10.0.3"
+ nopt "^6.0.0"
npmlog "^6.0.0"
rimraf "^3.0.2"
semver "^7.3.5"
tar "^6.1.2"
which "^2.0.2"
-node-releases@^2.0.6:
- version "2.0.6"
- resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.6.tgz#8a7088c63a55e493845683ebf3c828d8c51c5503"
- integrity sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==
+node-releases@^2.0.21:
+ version "2.0.23"
+ resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.23.tgz#2ecf3d7ba571ece05c67c77e5b7b1b6fb9e18cea"
+ integrity sha512-cCmFDMSm26S6tQSDpBCg/NR8NENrVPhAJSf+XbxBG4rPFaaonlEoE9wHQmun+cls499TQGSb7ZyPBRlzgKfpeg==
node-uuid@~1.4.7:
version "1.4.8"
resolved "https://registry.yarnpkg.com/node-uuid/-/node-uuid-1.4.8.tgz#b040eb0923968afabf8d32fb1f17f1167fdab907"
integrity sha512-TkCET/3rr9mUuRp+CpO7qfgT++aAxfDRaalQhwPFzI9BY/2rCDn6OfpZOVggi1AXfTPpfkTrg5f5WQx5G1uLxA==
-noop-logger@^0.1.1:
- version "0.1.1"
- resolved "https://registry.yarnpkg.com/noop-logger/-/noop-logger-0.1.1.tgz#94a2b1633c4f1317553007d8966fd0e841b6a4c2"
- integrity sha512-6kM8CLXvuW5crTxsAtva2YLrRrDaiTIkIePWs9moLHqbFWT94WpNFjwS/5dfLfECg5i/lkmw3aoqVidxt23TEQ==
-
-nopt@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/nopt/-/nopt-5.0.0.tgz#530942bb58a512fccafe53fe210f13a25355dc88"
- integrity sha512-Tbj67rffqceeLpcRXrT7vKAN8CwfPeIBgM7E6iBkmKLV7bEMwpGgYLGv0jACUsECaa/vuxP0IjEont6umdMgtQ==
+nopt@^6.0.0:
+ version "6.0.0"
+ resolved "https://registry.yarnpkg.com/nopt/-/nopt-6.0.0.tgz#245801d8ebf409c6df22ab9d95b65e1309cdb16d"
+ integrity sha512-ZwLpbTgdhuZUnZzjd7nb1ZV+4DoiC6/sfiVKok72ym/4Tlf+DFdlHYmT2JPmcNNWV6Pi3SDf1kT+A4r9RTuT9g==
dependencies:
- abbrev "1"
+ abbrev "^1.0.0"
normalize-package-data@3.0.2:
version "3.0.2"
@@ -7621,14 +7604,6 @@ normalize-url@^6.0.1:
stacktrace-parser "^0.1.3"
temp "^0.8.1"
-npm-conf@^1.1.3:
- version "1.1.3"
- resolved "https://registry.yarnpkg.com/npm-conf/-/npm-conf-1.1.3.tgz#256cc47bd0e218c259c4e9550bf413bc2192aff9"
- integrity sha512-Yic4bZHJOt9RCFbRP3GgpqhScOY4HH3V2P8yBj6CeYq118Qr+BLXqT2JvpJ00mryLESpgOxf5XlFv4ZjXxLScw==
- dependencies:
- config-chain "^1.1.11"
- pify "^3.0.0"
-
npm-run-path@^4.0.1:
version "4.0.1"
resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea"
@@ -7656,10 +7631,9 @@ npmlog@^6.0.0:
gauge "^4.0.3"
set-blocking "^2.0.0"
-nsfw@2.2.2:
- version "2.2.2"
- resolved "https://registry.yarnpkg.com/nsfw/-/nsfw-2.2.2.tgz#9fc64a0ca4bc38e180dd74935e0f295913e2153f"
- integrity sha512-a2xt1Nx8Sz+E8eA5Ehgb3UONlrk1s5TpeoVh1XiqS0AI0wI94B7x4qoh6C11rNNX4fPOc3iC/wh4mcY9GWOgOQ==
+"nsfw@https://github.com/Axosoft/nsfw#b3308a9fcff0a0c4b0b17284e4fbaa1cab8ae8d":
+ version "2.2.5"
+ resolved "https://github.com/Axosoft/nsfw#b3308a9fcff0a0c4b0b17284e4fbaa1cab8ae8de"
dependencies:
node-addon-api "*"
@@ -7695,24 +7669,11 @@ object-get@^2.1.1:
resolved "https://registry.yarnpkg.com/object-get/-/object-get-2.1.1.tgz#1dad63baf6d94df184d1c58756cc9be55b174dac"
integrity sha512-7n4IpLMzGGcLEMiQKsNR7vCe+N5E9LORFrtNUVy4sO3dj9a3HedZCxEL2T7QuLhcHN1NBuBsMOKaOsAYI9IIvg==
-object-inspect@^1.12.2, object-inspect@^1.9.0:
- version "1.12.2"
- resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.2.tgz#c0641f26394532f28ab8d796ab954e43c009a8ea"
- integrity sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==
-
-object-inspect@^1.13.3:
+object-inspect@^1.13.3, object-inspect@^1.13.4:
version "1.13.4"
resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.13.4.tgz#8375265e21bc20d0fa582c22e1b13485d6e00213"
integrity sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==
-object-is@^1.1.5:
- version "1.1.5"
- resolved "https://registry.yarnpkg.com/object-is/-/object-is-1.1.5.tgz#b9deeaa5fc7f1846a0faecdceec138e5778f53ac"
- integrity sha512-3cyDsyHgtmi7I7DfSSI2LDp6SK2lwvtbg0p0R1e0RvTqF5ceGx+K2dfSjm1bKDMVCFEDAQvy+o8c6a7VujOddw==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.3"
-
object-keys@^1.0.11, object-keys@^1.1.1:
version "1.1.1"
resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
@@ -7733,25 +7694,30 @@ object.assign@4.1.0:
has-symbols "^1.0.0"
object-keys "^1.0.11"
-object.assign@^4.1.4:
- version "4.1.4"
- resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.4.tgz#9673c7c7c351ab8c4d0b516f4343ebf4dfb7799f"
- integrity sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==
+object.assign@^4.1.7:
+ version "4.1.7"
+ resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.7.tgz#8c14ca1a424c6a561b0bb2a22f66f5049a945d3d"
+ integrity sha512-nK28WOo+QIjBkDduTINE4JkF/UJJKyf2EJxvJKfblDpyg0Q+pkOHNTL0Qwy6NP6FhE/EnzV73BxxqcJaXY9anw==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- has-symbols "^1.0.3"
+ call-bind "^1.0.8"
+ call-bound "^1.0.3"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
+ has-symbols "^1.1.0"
object-keys "^1.1.1"
object.getownpropertydescriptors@^2.0.3:
- version "2.1.5"
- resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.5.tgz#db5a9002489b64eef903df81d6623c07e5b4b4d3"
- integrity sha512-yDNzckpM6ntyQiGTik1fKV1DcVDRS+w8bvpWNCBanvH5LfRX9O8WTHqQzG4RZwRAM4I0oU7TV11Lj5v0g20ibw==
- dependencies:
- array.prototype.reduce "^1.0.5"
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ version "2.1.8"
+ resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.8.tgz#2f1fe0606ec1a7658154ccd4f728504f69667923"
+ integrity sha512-qkHIGe4q0lSYMv0XI4SsBTJz3WaURhLvd0lKSgtVuOsJ2krg4SgMw3PIRQFMp07yi++UR3se2mkcLqsBNpBb/A==
+ dependencies:
+ array.prototype.reduce "^1.0.6"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.2"
+ es-object-atoms "^1.0.0"
+ gopd "^1.0.1"
+ safe-array-concat "^1.1.2"
once@^1.3.0, once@^1.3.1, once@^1.4.0:
version "1.4.0"
@@ -7789,17 +7755,17 @@ optimist@~0.5.2:
dependencies:
wordwrap "~0.0.2"
-optionator@^0.9.1:
- version "0.9.1"
- resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.1.tgz#4f236a6373dae0566a6d43e1326674f50c291499"
- integrity sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==
+optionator@^0.9.3:
+ version "0.9.4"
+ resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.4.tgz#7ea1c1a5d91d764fb282139c88fe11e182a3a734"
+ integrity sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==
dependencies:
deep-is "^0.1.3"
fast-levenshtein "^2.0.6"
levn "^0.4.1"
prelude-ls "^1.2.1"
type-check "^0.4.0"
- word-wrap "^1.2.3"
+ word-wrap "^1.2.5"
ora@^5.1.0:
version "5.4.1"
@@ -7816,11 +7782,6 @@ ora@^5.1.0:
strip-ansi "^6.0.0"
wcwidth "^1.0.1"
-os-homedir@^1.0.1:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3"
- integrity sha512-B5JU3cabzk8c67mRRd3ECmROafjYMXbuzlwtqdM8IbS8ktlTix8aFGb2bAGKrSRIlnfKwovGUUr72JUPyOb6kQ==
-
os-locale@^1.4.0:
version "1.4.0"
resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-1.4.0.tgz#20f9f17ae29ed345e8bde583b13d2009803c14d9"
@@ -7828,6 +7789,15 @@ os-locale@^1.4.0:
dependencies:
lcid "^1.0.0"
+own-keys@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/own-keys/-/own-keys-1.0.1.tgz#e4006910a2bf913585289676eebd6f390cf51358"
+ integrity sha512-qFOyK5PjiWZd+QQIh+1jhdb9LpxTF0qs7Pm8o5QHYZ0M3vKqSqzsZaEB6oWlxZ+q2sJBMI/Ktgd2N5ZwQoRHfg==
+ dependencies:
+ get-intrinsic "^1.2.6"
+ object-keys "^1.1.1"
+ safe-push-apply "^1.0.0"
+
p-cancelable@^1.0.0:
version "1.1.0"
resolved "https://registry.yarnpkg.com/p-cancelable/-/p-cancelable-1.1.0.tgz#d078d15a3af409220c886f1d9a0ca2e441ab26cc"
@@ -7929,20 +7899,27 @@ parse-node-version@^1.0.1:
resolved "https://registry.yarnpkg.com/parse-node-version/-/parse-node-version-1.0.1.tgz#e2b5dbede00e7fa9bc363607f53327e8b073189b"
integrity sha512-3YHlOa/JgH6Mnpr05jP9eDG254US9ek25LyIxZlDItp2iJtwyaXQb57lBYLdT3MowkUFYEV2XXNAYIPlESvJlA==
-parse5-htmlparser2-tree-adapter@^7.0.0:
- version "7.0.0"
- resolved "https://registry.yarnpkg.com/parse5-htmlparser2-tree-adapter/-/parse5-htmlparser2-tree-adapter-7.0.0.tgz#23c2cc233bcf09bb7beba8b8a69d46b08c62c2f1"
- integrity sha512-B77tOZrqqfUfnVcOrUvfdLbz4pu4RopLD/4vmu3HUPswwTA8OH0EMW9BlWR2B0RCoiZRAHEUu7IxeP1Pd1UU+g==
+parse5-htmlparser2-tree-adapter@^7.1.0:
+ version "7.1.0"
+ resolved "https://registry.yarnpkg.com/parse5-htmlparser2-tree-adapter/-/parse5-htmlparser2-tree-adapter-7.1.0.tgz#b5a806548ed893a43e24ccb42fbb78069311e81b"
+ integrity sha512-ruw5xyKs6lrpo9x9rCZqZZnIUntICjQAd0Wsmp396Ul9lN/h+ifgVV1x1gZHi8euej6wTfpqX8j+BFQxF0NS/g==
dependencies:
- domhandler "^5.0.2"
+ domhandler "^5.0.3"
parse5 "^7.0.0"
-parse5@^7.0.0:
+parse5-parser-stream@^7.1.2:
version "7.1.2"
- resolved "https://registry.yarnpkg.com/parse5/-/parse5-7.1.2.tgz#0736bebbfd77793823240a23b7fc5e010b7f8e32"
- integrity sha512-Czj1WaSVpaoj0wbhMzLmWD69anp2WH7FXMB9n1Sy8/ZFF9jolSQVMu1Ij5WIyGmcBmhk7EOndpO4mIpihVqAXw==
+ resolved "https://registry.yarnpkg.com/parse5-parser-stream/-/parse5-parser-stream-7.1.2.tgz#d7c20eadc37968d272e2c02660fff92dd27e60e1"
+ integrity sha512-JyeQc9iwFLn5TbvvqACIF/VXG6abODeB3Fwmv/TGdLk2LfbWkaySGY72at4+Ty7EkPZj854u4CrICqNk2qIbow==
dependencies:
- entities "^4.4.0"
+ parse5 "^7.0.0"
+
+parse5@^7.0.0, parse5@^7.3.0:
+ version "7.3.0"
+ resolved "https://registry.yarnpkg.com/parse5/-/parse5-7.3.0.tgz#d7e224fa72399c7a175099f45fc2ad024b05ec05"
+ integrity sha512-IInvU7fabl34qmi9gY8XOVxhYyMyuH2xUNpb2q8/Y+7552KlejkRvqvD19nMoUW/uQGGbqNpA6Tufu5FL5BZgw==
+ dependencies:
+ entities "^6.0.0"
path-exists@^3.0.0:
version "3.0.0"
@@ -7970,9 +7947,9 @@ path-parse@^1.0.6, path-parse@^1.0.7:
integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
path-to-regexp@^1.7.0:
- version "1.8.0"
- resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.8.0.tgz#887b3ba9d84393e87a0a0b9f4cb756198b53548a"
- integrity sha512-n43JRhlUKUAlibEJhPeir1ncUID16QnEjNpwzNdO3Lm4ywrBpBZ5oLD0I6br9evr1Y9JTqwRtAh7JLoOzAQdVA==
+ version "1.9.0"
+ resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.9.0.tgz#5dc0753acbf8521ca2e0f137b4578b917b10cf24"
+ integrity sha512-xIp7/apCFJuUHdDLWe8O1HIkb0kQrOMb/0u6FXQjemHn/ii5LrIzU6bdECnsiTF/GjZkMEKg1xdiZwNqDYlZ6g==
dependencies:
isarray "0.0.1"
@@ -7986,20 +7963,6 @@ pathval@^1.1.1:
resolved "https://registry.yarnpkg.com/pathval/-/pathval-1.1.1.tgz#8534e77a77ce7ac5a2512ea21e0fdb8fcf6c3d8d"
integrity sha512-Dp6zGqpTdETdR63lehJYPeIOqpiNBNtc7BpWSLrOje7UaIsE5aY92r/AunQA7rsXvet3lrJ3JnZX29UPTKXyKQ==
-pathwatcher@^8.0.0, pathwatcher@^8.1.0, pathwatcher@^8.1.2:
- version "8.1.2"
- resolved "https://registry.yarnpkg.com/pathwatcher/-/pathwatcher-8.1.2.tgz#86eca6a16493dfb29347b88c91627b45720ab5b9"
- integrity sha512-3izRU4DDQ9qVeASauP4Hlp49OhKPcedRYke9iHa0Jh1I+XlC9wYng/NycHh41k5F8wGndA23YYDCtO3KLAFPMg==
- dependencies:
- async "~0.2.10"
- emissary "^1.3.2"
- event-kit "^2.1.0"
- fs-plus "^3.0.0"
- grim "^2.0.1"
- iconv-lite "~0.4.4"
- nan "^2.10.0"
- underscore-plus "~1.x"
-
pause-stream@0.0.11:
version "0.0.11"
resolved "https://registry.yarnpkg.com/pause-stream/-/pause-stream-0.0.11.tgz#fe5a34b0cbce12b5aa6a2b403ee2e73b602f1445"
@@ -8022,12 +7985,7 @@ performance-now@^2.1.0:
resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-2.1.0.tgz#6309f4e0e5fa913ec1c69307ae364b4b377c9e7b"
integrity sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==
-picocolors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
- integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
-
-picocolors@^1.1.1:
+picocolors@^1.0.0, picocolors@^1.1.1:
version "1.1.1"
resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.1.1.tgz#3d321af3eab939b083c8f929a1d12cda81c26b6b"
integrity sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==
@@ -8037,11 +7995,6 @@ picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.3.1:
resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
-pify@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/pify/-/pify-3.0.0.tgz#e5a4acd2c101fdf3d9a4d07f0dbc4db49dd28176"
- integrity sha512-C3FsVNH1udSEX48gGX1xfvwTWfsYWj5U+8/uK15BGzIGrKoUpghX8hWZwa/OFnakBiiVNmBvemTJR5mcy7iPcg==
-
pify@^4.0.1:
version "4.0.1"
resolved "https://registry.yarnpkg.com/pify/-/pify-4.0.1.tgz#4b2cd25c50d598735c50292224fd8c6df41e3231"
@@ -8067,13 +8020,19 @@ playwright@1.22.2:
playwright-core "1.22.2"
plist@^3.0.1, plist@^3.0.4:
- version "3.0.6"
- resolved "https://registry.yarnpkg.com/plist/-/plist-3.0.6.tgz#7cfb68a856a7834bca6dbfe3218eb9c7740145d3"
- integrity sha512-WiIVYyrp8TD4w8yCvyeIr+lkmrGRd5u0VbRnU+tP/aRLxP/YadJUYOMZJ/6hIa3oUyVCsycXvtNRgd5XBJIbiA==
+ version "3.1.0"
+ resolved "https://registry.yarnpkg.com/plist/-/plist-3.1.0.tgz#797a516a93e62f5bde55e0b9cc9c967f860893c9"
+ integrity sha512-uysumyrvkUX0rX/dEVqt8gC3sTBzd4zoWfLeS29nb53imdaXVvLINYXTI2GNqzaMuvacNx4uJQ8+b3zXR0pkgQ==
dependencies:
+ "@xmldom/xmldom" "^0.8.8"
base64-js "^1.5.1"
xmlbuilder "^15.1.1"
+possible-typed-array-names@^1.0.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/possible-typed-array-names/-/possible-typed-array-names-1.1.0.tgz#93e3582bc0e5426586d9d07b79ee40fc841de4ae"
+ integrity sha512-/+5VFTchJDoVj3bhoqi6UeymcD00DAwb1nJwamzPvHEszJ4FpF6SNNbUbOS8yI56qHzdV8eK0qEfOSiodkTdxg==
+
postcss-selector-parser@6.0.4:
version "6.0.4"
resolved "https://registry.yarnpkg.com/postcss-selector-parser/-/postcss-selector-parser-6.0.4.tgz#56075a1380a04604c38b063ea7767a129af5c2b3"
@@ -8093,50 +8052,7 @@ postcss@8.4.31:
picocolors "^1.0.0"
source-map-js "^1.0.2"
-prebuild-install@5.3.0:
- version "5.3.0"
- resolved "https://registry.yarnpkg.com/prebuild-install/-/prebuild-install-5.3.0.tgz#58b4d8344e03590990931ee088dd5401b03004c8"
- integrity sha512-aaLVANlj4HgZweKttFNUVNRxDukytuIuxeK2boIMHjagNJCiVKWFsKF4tCE3ql3GbrD2tExPQ7/pwtEJcHNZeg==
- dependencies:
- detect-libc "^1.0.3"
- expand-template "^2.0.3"
- github-from-package "0.0.0"
- minimist "^1.2.0"
- mkdirp "^0.5.1"
- napi-build-utils "^1.0.1"
- node-abi "^2.7.0"
- noop-logger "^0.1.1"
- npmlog "^4.0.1"
- os-homedir "^1.0.1"
- pump "^2.0.1"
- rc "^1.2.7"
- simple-get "^2.7.0"
- tar-fs "^1.13.0"
- tunnel-agent "^0.6.0"
- which-pm-runs "^1.0.0"
-
-prebuild-install@^5.0.0, prebuild-install@^5.3.3:
- version "5.3.6"
- resolved "https://registry.yarnpkg.com/prebuild-install/-/prebuild-install-5.3.6.tgz#7c225568d864c71d89d07f8796042733a3f54291"
- integrity sha512-s8Aai8++QQGi4sSbs/M1Qku62PFK49Jm1CbgXklGz4nmHveDq0wzJkg7Na5QbnO1uNH8K7iqx2EQ/mV0MZEmOg==
- dependencies:
- detect-libc "^1.0.3"
- expand-template "^2.0.3"
- github-from-package "0.0.0"
- minimist "^1.2.3"
- mkdirp-classic "^0.5.3"
- napi-build-utils "^1.0.1"
- node-abi "^2.7.0"
- noop-logger "^0.1.1"
- npmlog "^4.0.1"
- pump "^3.0.0"
- rc "^1.2.7"
- simple-get "^3.0.3"
- tar-fs "^2.0.0"
- tunnel-agent "^0.6.0"
- which-pm-runs "^1.0.0"
-
-prebuild-install@^6.0.0, prebuild-install@^6.0.1:
+prebuild-install@^6.0.0:
version "6.1.4"
resolved "https://registry.yarnpkg.com/prebuild-install/-/prebuild-install-6.1.4.tgz#ae3c0142ad611d58570b89af4986088a4937e00f"
integrity sha512-Z4vpywnK1lBg+zdPCVCsKq0xO66eEV9rWo2zrROGGiRS4JtueBOdlB1FnY8lcy7JsUud/Q3ijUxyWN26Ika0vQ==
@@ -8155,17 +8071,17 @@ prebuild-install@^6.0.0, prebuild-install@^6.0.1:
tar-fs "^2.0.0"
tunnel-agent "^0.6.0"
-prebuild-install@^7.1.1:
- version "7.1.1"
- resolved "https://registry.yarnpkg.com/prebuild-install/-/prebuild-install-7.1.1.tgz#de97d5b34a70a0c81334fd24641f2a1702352e45"
- integrity sha512-jAXscXWMcCK8GgCoHOfIr0ODh5ai8mj63L2nWrjuAgXE6tDyYGnx4/8o/rCgU+B4JSyZBKbeZqzhtwtC3ovxjw==
+prebuild-install@^7.0.1, prebuild-install@^7.1.1:
+ version "7.1.3"
+ resolved "https://registry.yarnpkg.com/prebuild-install/-/prebuild-install-7.1.3.tgz#d630abad2b147443f20a212917beae68b8092eec"
+ integrity sha512-8Mf2cbV7x1cXPUILADGI3wuhfqWvtiLA1iclTDbFRZkgRQS0NqsPZphna9V+HyTEadheuPmjaJMsbzKQFOzLug==
dependencies:
detect-libc "^2.0.0"
expand-template "^2.0.3"
github-from-package "0.0.0"
minimist "^1.2.3"
mkdirp-classic "^0.5.3"
- napi-build-utils "^1.0.1"
+ napi-build-utils "^2.0.0"
node-abi "^3.3.0"
pump "^3.0.0"
rc "^1.2.7"
@@ -8183,6 +8099,11 @@ prepend-http@^2.0.0:
resolved "https://registry.yarnpkg.com/prepend-http/-/prepend-http-2.0.0.tgz#e92434bfa5ea8c19f41cdfd401d741a3c819d897"
integrity sha512-ravE6m9Atw9Z/jjttRUZ+clIXogdghyZAuWJ3qEzjT+jI/dL1ifAqhZeC5VHzQp1MSt1+jxKkFNemj/iO7tVUA==
+proc-log@^2.0.1:
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/proc-log/-/proc-log-2.0.1.tgz#8f3f69a1f608de27878f91f5c688b225391cb685"
+ integrity sha512-Kcmo2FhfDTXdcbfDH76N7uBYHINxc/8GW7UAVuVP9I+Va3uHSerrnKV6dLooga/gh7GlgzuCCr/eoldnL1muGw==
+
process-nextick-args@~2.0.0:
version "2.0.1"
resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2"
@@ -8239,11 +8160,6 @@ property-accessors@^1, property-accessors@^1.1:
es6-weak-map "^0.1.2"
mixto "1.x"
-proto-list@~1.2.1:
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/proto-list/-/proto-list-1.2.4.tgz#212d5bfe1318306a420f6402b8e26ff39647a849"
- integrity sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==
-
proxy-from-env@1.1.0, proxy-from-env@^1.1.0:
version "1.1.0"
resolved "https://registry.yarnpkg.com/proxy-from-env/-/proxy-from-env-1.1.0.tgz#e102f16ca355424865755d2c9e8ea4f24d58c3e2"
@@ -8255,9 +8171,11 @@ prr@~1.0.1:
integrity sha512-yPw4Sng1gWghHQWj0B3ZggWUm4qVbPwPFcRG8KyxiU7J2OHFSoEHKS+EZ3fv5l1t9CyCiop6l/ZYeWbrgoQejw==
psl@^1.1.28:
- version "1.9.0"
- resolved "https://registry.yarnpkg.com/psl/-/psl-1.9.0.tgz#d0df2a137f00794565fcaf3b2c00cd09f8d5a5a7"
- integrity sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==
+ version "1.15.0"
+ resolved "https://registry.yarnpkg.com/psl/-/psl-1.15.0.tgz#bdace31896f1d97cec6a79e8224898ce93d974c6"
+ integrity sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w==
+ dependencies:
+ punycode "^2.3.1"
"pulsar-updater@file:packages/pulsar-updater":
version "1.0.0"
@@ -8267,34 +8185,23 @@ psl@^1.1.28:
superagent "^10.0.0"
winreg "^1.2.4"
-pump@^1.0.0:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/pump/-/pump-1.0.3.tgz#5dfe8311c33bbf6fc18261f9f34702c47c08a954"
- integrity sha512-8k0JupWme55+9tCVE+FS5ULT3K6AbgqrGa58lTT49RpyfwwcGedHqaC5LlQNdEAumn/wFsu6aPwkuPMioy8kqw==
- dependencies:
- end-of-stream "^1.1.0"
- once "^1.3.1"
-
-pump@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/pump/-/pump-2.0.1.tgz#12399add6e4cf7526d973cbc8b5ce2e2908b3909"
- integrity sha512-ruPMNRkN3MHP1cWJc9OWr+T/xDP0jhXYCLfJcBuX54hhfIBnaQmAUMfDcG4DM5UMWByBbJY69QSphm3jtDKIkA==
- dependencies:
- end-of-stream "^1.1.0"
- once "^1.3.1"
-
pump@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.0.tgz#b4a2116815bde2f4e1ea602354e8c75565107a64"
- integrity sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==
+ version "3.0.3"
+ resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.3.tgz#151d979f1a29668dc0025ec589a455b53282268d"
+ integrity sha512-todwxLMY7/heScKmntwQG8CXVkWUOdYxIvY2s0VWAAMh/nd8SoYiRaKjlr7+iCs984f2P8zvrfWcDDYVb73NfA==
dependencies:
end-of-stream "^1.1.0"
once "^1.3.1"
-punycode@^2.1.0, punycode@^2.1.1:
- version "2.1.1"
- resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec"
- integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==
+punycode.js@^2.3.1:
+ version "2.3.1"
+ resolved "https://registry.yarnpkg.com/punycode.js/-/punycode.js-2.3.1.tgz#6b53e56ad75588234e79f4affa90972c7dd8cdb7"
+ integrity sha512-uxFIHU0YlHYhDQtV4R9J6a52SLx28BCjT+4ieh7IGbgwVJWO+km431c4yRlREUAsAmt/uMjQUyQHNEPf0M39CA==
+
+punycode@^2.1.0, punycode@^2.1.1, punycode@^2.3.1:
+ version "2.3.1"
+ resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.1.tgz#027422e2faec0b25e1549c3e1bd8309b9133b6e5"
+ integrity sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==
pupa@^2.1.1:
version "2.1.1"
@@ -8334,9 +8241,9 @@ qs@~6.5.2:
integrity sha512-qxXIEh4pCGfHICj1mAJQ2/2XVZkjCDTcEgfoSQxc/fYivUZxTkk7L3bDBJSoNrEzXI17oUO5Dp07ktqE5KzczA==
query-selector-shadow-dom@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/query-selector-shadow-dom/-/query-selector-shadow-dom-1.0.0.tgz#8fa7459a4620f094457640e74e953a9dbe61a38e"
- integrity sha512-bK0/0cCI+R8ZmOF1QjT7HupDUYCxbf/9TJgAmSXQxZpftXmTAeil9DRoCnTDkWbvOyZzhcMBwKpptWcdkGFIMg==
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/query-selector-shadow-dom/-/query-selector-shadow-dom-1.0.1.tgz#1c7b0058eff4881ac44f45d8f84ede32e9a2f349"
+ integrity sha512-lT5yCqEBgfoMYpf3F2xQRK7zEr1rhIIZuceDK6+xRkJQ4NMbHTwXqk4NkwDwQMNqXgG9r9fyHnzwNVs6zV5KRw==
queue-microtask@^1.2.2:
version "1.2.3"
@@ -8428,6 +8335,13 @@ react@16.12.0:
object-assign "^4.1.1"
prop-types "^15.6.2"
+read-binary-file-arch@^1.0.6:
+ version "1.0.6"
+ resolved "https://registry.yarnpkg.com/read-binary-file-arch/-/read-binary-file-arch-1.0.6.tgz#959c4637daa932280a9b911b1a6766a7e44288fc"
+ integrity sha512-BNg9EN3DD3GsDXX7Aa8O4p92sryjkmzYYgmgTAc6CA4uGLEDzFfxOxugu21akOxpcXHiEgsYkC6nPsQvLLLmEg==
+ dependencies:
+ debug "^4.3.4"
+
read-config-file@6.2.0:
version "6.2.0"
resolved "https://registry.yarnpkg.com/read-config-file/-/read-config-file-6.2.0.tgz#71536072330bcd62ba814f91458b12add9fc7ade"
@@ -8439,10 +8353,10 @@ read-config-file@6.2.0:
json5 "^2.2.0"
lazy-val "^1.0.4"
-readable-stream@^2.0.0, readable-stream@^2.0.5, readable-stream@^2.0.6, readable-stream@^2.2.2, readable-stream@^2.3.0, readable-stream@^2.3.5:
- version "2.3.7"
- resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57"
- integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw==
+readable-stream@^2.0.0, readable-stream@^2.0.5, readable-stream@^2.0.6:
+ version "2.3.8"
+ resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.8.tgz#91125e8042bba1b9887f49345f6277027ce8be9b"
+ integrity sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==
dependencies:
core-util-is "~1.0.0"
inherits "~2.0.3"
@@ -8453,18 +8367,18 @@ readable-stream@^2.0.0, readable-stream@^2.0.5, readable-stream@^2.0.6, readable
util-deprecate "~1.0.1"
readable-stream@^3.1.1, readable-stream@^3.4.0, readable-stream@^3.6.0:
- version "3.6.0"
- resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.6.0.tgz#337bbda3adc0706bd3e024426a286d4b4b2c9198"
- integrity sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==
+ version "3.6.2"
+ resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.6.2.tgz#56a9b36ea965c00c5a93ef31eb111a0f11056967"
+ integrity sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==
dependencies:
inherits "^2.0.3"
string_decoder "^1.1.1"
util-deprecate "^1.0.1"
-readdir-glob@^1.0.0:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/readdir-glob/-/readdir-glob-1.1.2.tgz#b185789b8e6a43491635b6953295c5c5e3fd224c"
- integrity sha512-6RLVvwJtVwEDfPdn6X6Ille4/lxGl0ATOY4FN/B9nxQcgOazvvI0nodiD19ScKq0PvA/29VpaOQML36o5IzZWA==
+readdir-glob@^1.1.2:
+ version "1.1.3"
+ resolved "https://registry.yarnpkg.com/readdir-glob/-/readdir-glob-1.1.3.tgz#c3d831f51f5e7bfa62fa2ffbe4b508c640f09584"
+ integrity sha512-v05I2k7xN8zXvPD9N+z/uhXPaj0sUFCe2rcWZIpBsqxfP7xXFQ0tipAd/wjj1YxWyWtUS5IDJpOG82JKt2EAVA==
dependencies:
minimatch "^5.1.0"
@@ -8475,13 +8389,6 @@ readdirp@~3.6.0:
dependencies:
picomatch "^2.2.1"
-reduce-extract@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/reduce-extract/-/reduce-extract-1.0.0.tgz#67f2385beda65061b5f5f4312662e8b080ca1525"
- integrity sha512-QF8vjWx3wnRSL5uFMyCjDeDc5EBMiryoT9tz94VvgjKfzecHAVnqmXAwQDcr7X4JmLc2cjkjFGCVzhMqDjgR9g==
- dependencies:
- test-value "^1.0.1"
-
reduce-flatten@^1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/reduce-flatten/-/reduce-flatten-1.0.1.tgz#258c78efd153ddf93cb561237f61184f3696e327"
@@ -8504,10 +8411,24 @@ reduce-without@^1.0.1:
dependencies:
test-value "^2.0.0"
-regenerate-unicode-properties@^10.1.0:
- version "10.1.0"
- resolved "https://registry.yarnpkg.com/regenerate-unicode-properties/-/regenerate-unicode-properties-10.1.0.tgz#7c3192cab6dd24e21cb4461e5ddd7dd24fa8374c"
- integrity sha512-d1VudCLoIGitcU/hEg2QqvyGZQmdC0Lf8BqdOMXGFSvJP4bNV1+XqbPQeHHLD51Jh4QJJ225dlIFvY4Ly6MXmQ==
+reflect.getprototypeof@^1.0.6, reflect.getprototypeof@^1.0.9:
+ version "1.0.10"
+ resolved "https://registry.yarnpkg.com/reflect.getprototypeof/-/reflect.getprototypeof-1.0.10.tgz#c629219e78a3316d8b604c765ef68996964e7bf9"
+ integrity sha512-00o4I+DVrefhv+nX0ulyi3biSHCPDe+yLv5o/p6d/UVlirijB8E16FtfwSAi4g3tcqrQ4lRAqQSoFEZJehYEcw==
+ dependencies:
+ call-bind "^1.0.8"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.9"
+ es-errors "^1.3.0"
+ es-object-atoms "^1.0.0"
+ get-intrinsic "^1.2.7"
+ get-proto "^1.0.1"
+ which-builtin-type "^1.2.1"
+
+regenerate-unicode-properties@^10.2.2:
+ version "10.2.2"
+ resolved "https://registry.yarnpkg.com/regenerate-unicode-properties/-/regenerate-unicode-properties-10.2.2.tgz#aa113812ba899b630658c7623466be71e1f86f66"
+ integrity sha512-m03P+zhBeQd1RGnYxrGyDAPpWX/epKirLrp8e3qevZdVkKtnCrjjWczIbYc8+xd6vcTStVlqfycTx1KR4LOr0g==
dependencies:
regenerate "^1.4.2"
@@ -8516,43 +8437,34 @@ regenerate@^1.4.2:
resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.4.2.tgz#b9346d8827e8f5a32f7ba29637d398b69014848a"
integrity sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A==
-regenerator-runtime@^0.13.10:
- version "0.13.10"
- resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.10.tgz#ed07b19616bcbec5da6274ebc75ae95634bfc2ee"
- integrity sha512-KepLsg4dU12hryUO7bp/axHAKvwGOCV0sGloQtpagJ12ai+ojVDqkeGSiRX1zlq+kjIMZ1t7gpze+26QqtdGqw==
-
-regenerator-transform@^0.15.0:
- version "0.15.0"
- resolved "https://registry.yarnpkg.com/regenerator-transform/-/regenerator-transform-0.15.0.tgz#cbd9ead5d77fae1a48d957cf889ad0586adb6537"
- integrity sha512-LsrGtPmbYg19bcPHwdtmXwbW+TqNvtY4riE3P83foeHRroMbH6/2ddFBfab3t7kbzc7v7p4wbkIecHImqt0QNg==
+regexp.prototype.flags@^1.5.4:
+ version "1.5.4"
+ resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.4.tgz#1ad6c62d44a259007e55b3970e00f746efbcaa19"
+ integrity sha512-dYqgNSZbDwkaJ2ceRd9ojCGjBq+mOm9LmtXnAnEGyHhN/5R7iDW2TRw3h+o/jCFxus3P2LfWIIiwowAjANm7IA==
dependencies:
- "@babel/runtime" "^7.8.4"
-
-regexp.prototype.flags@^1.4.3:
- version "1.4.3"
- resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz#87cab30f80f66660181a3bb7bf5981a872b367ac"
- integrity sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.3"
- functions-have-names "^1.2.2"
+ call-bind "^1.0.8"
+ define-properties "^1.2.1"
+ es-errors "^1.3.0"
+ get-proto "^1.0.1"
+ gopd "^1.2.0"
+ set-function-name "^2.0.2"
-regexpp@^3.0.0, regexpp@^3.2.0:
+regexpp@^3.0.0:
version "3.2.0"
resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-3.2.0.tgz#0425a2768d8f23bad70ca4b90461fa2f1213e1b2"
integrity sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==
-regexpu-core@^5.1.0:
- version "5.2.2"
- resolved "https://registry.yarnpkg.com/regexpu-core/-/regexpu-core-5.2.2.tgz#3e4e5d12103b64748711c3aad69934d7718e75fc"
- integrity sha512-T0+1Zp2wjF/juXMrMxHxidqGYn8U4R+zleSJhX9tQ1PUsS8a9UtYfbsF9LdiVgNX3kiX8RNaKM42nfSgvFJjmw==
+regexpu-core@^6.2.0:
+ version "6.4.0"
+ resolved "https://registry.yarnpkg.com/regexpu-core/-/regexpu-core-6.4.0.tgz#3580ce0c4faedef599eccb146612436b62a176e5"
+ integrity sha512-0ghuzq67LI9bLXpOX/ISfve/Mq33a4aFRzoQYhnnok1JOFpmE/A2TBGkNVenOGEeSBCjIiWcc6MVOG5HEQv0sA==
dependencies:
regenerate "^1.4.2"
- regenerate-unicode-properties "^10.1.0"
- regjsgen "^0.7.1"
- regjsparser "^0.9.1"
+ regenerate-unicode-properties "^10.2.2"
+ regjsgen "^0.8.0"
+ regjsparser "^0.13.0"
unicode-match-property-ecmascript "^2.0.0"
- unicode-match-property-value-ecmascript "^2.1.0"
+ unicode-match-property-value-ecmascript "^2.2.1"
registry-auth-token@^4.0.0:
version "4.2.2"
@@ -8568,17 +8480,17 @@ registry-url@^5.0.0:
dependencies:
rc "^1.2.8"
-regjsgen@^0.7.1:
- version "0.7.1"
- resolved "https://registry.yarnpkg.com/regjsgen/-/regjsgen-0.7.1.tgz#ee5ef30e18d3f09b7c369b76e7c2373ed25546f6"
- integrity sha512-RAt+8H2ZEzHeYWxZ3H2z6tF18zyyOnlcdaafLrm21Bguj7uZy6ULibiAFdXEtKQY4Sy7wDTwDiOazasMLc4KPA==
+regjsgen@^0.8.0:
+ version "0.8.0"
+ resolved "https://registry.yarnpkg.com/regjsgen/-/regjsgen-0.8.0.tgz#df23ff26e0c5b300a6470cad160a9d090c3a37ab"
+ integrity sha512-RvwtGe3d7LvWiDQXeQw8p5asZUmfU1G/l6WbUXeHta7Y2PEIvBTwH6E2EfmYUK8pxcxEdEmaomqyp0vZZ7C+3Q==
-regjsparser@^0.9.1:
- version "0.9.1"
- resolved "https://registry.yarnpkg.com/regjsparser/-/regjsparser-0.9.1.tgz#272d05aa10c7c1f67095b1ff0addae8442fc5709"
- integrity sha512-dQUtn90WanSNl+7mQKcXAgZxvUe7Z0SqXlgzv0za4LwiUhyzBC58yQO3liFoUgu8GiJVInAhJjkj1N0EtQ5nkQ==
+regjsparser@^0.13.0:
+ version "0.13.0"
+ resolved "https://registry.yarnpkg.com/regjsparser/-/regjsparser-0.13.0.tgz#01f8351335cf7898d43686bc74d2dd71c847ecc0"
+ integrity sha512-NZQZdC5wOE/H3UT28fVGL+ikOZcEzfMGk/c3iN9UGxzWHMa1op7274oyiUVrAG4B2EuFhus8SvkaYnhvW92p9Q==
dependencies:
- jsesc "~0.5.0"
+ jsesc "~3.1.0"
relay-runtime@5.0.0:
version "5.0.0"
@@ -8630,9 +8542,9 @@ require-main-filename@^2.0.0:
integrity sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==
requirejs@>=0.27.1:
- version "2.3.6"
- resolved "https://registry.yarnpkg.com/requirejs/-/requirejs-2.3.6.tgz#e5093d9601c2829251258c0b9445d4d19fa9e7c9"
- integrity sha512-ipEzlWQe6RK3jkzikgCupiTbTvm4S0/CAU5GlgptkN5SO6F3u0UD0K18wy6ErDqiCyP4J4YYe1HuAShvsxePLg==
+ version "2.3.7"
+ resolved "https://registry.yarnpkg.com/requirejs/-/requirejs-2.3.7.tgz#0b22032e51a967900e0ae9f32762c23a87036bd0"
+ integrity sha512-DouTG8T1WanGok6Qjg2SXuCMzszOo0eHeH9hDZ5Y4x8Je+9JB38HdTLT4/VA8OaUhBa0JPVHJ0pyBkM1z+pDsw==
requizzle@^0.2.3:
version "0.2.4"
@@ -8660,11 +8572,11 @@ resolve@1.18.1:
path-parse "^1.0.6"
resolve@^1.10.1, resolve@^1.12.0, resolve@^1.14.2, resolve@^1.19.0, resolve@^1.20.0, resolve@^1.3.2:
- version "1.22.1"
- resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.1.tgz#27cb2ebb53f91abb49470a928bba7558066ac177"
- integrity sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==
+ version "1.22.10"
+ resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.10.tgz#b663e83ffb09bbf2386944736baae803029b8b39"
+ integrity sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==
dependencies:
- is-core-module "^2.9.0"
+ is-core-module "^2.16.0"
path-parse "^1.0.7"
supports-preserve-symlinks-flag "^1.0.0"
@@ -8683,9 +8595,9 @@ responselike@^2.0.0:
lowercase-keys "^2.0.0"
resq@^1.9.1:
- version "1.10.2"
- resolved "https://registry.yarnpkg.com/resq/-/resq-1.10.2.tgz#cedf4f20d53f6e574b1e12afbda446ad9576c193"
- integrity sha512-HmgVS3j+FLrEDBTDYysPdPVF9/hioDMJ/otOiQDKqk77YfZeeLOj0qi34yObumcud1gBpk+wpBTEg4kMicD++A==
+ version "1.11.0"
+ resolved "https://registry.yarnpkg.com/resq/-/resq-1.11.0.tgz#edec8c58be9af800fd628118c0ca8815283de196"
+ integrity sha512-G10EBz+zAAy3zUd/CDoBbXRL6ia9kOo3xRHrMDsHljI0GDkhYlyjwoCx5+3eCC4swi1uCoZQhskuJkj7Gp57Bw==
dependencies:
fast-deep-equal "^2.0.1"
@@ -8703,14 +8615,14 @@ retry@^0.12.0:
integrity sha512-9LkiTwjUh6rT555DtE9rTX+BKByPfrMzEAtnlEtdEwr3Nkffwiihqe2bWADg+OQRjt9gl6ICdmB/ZFDCGAtSow==
reusify@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
- integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.1.0.tgz#0fe13b9522e1473f51b558ee796e08f11f9b489f"
+ integrity sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==
rfdc@^1.3.0:
- version "1.3.0"
- resolved "https://registry.yarnpkg.com/rfdc/-/rfdc-1.3.0.tgz#d0b7c441ab2720d05dc4cf26e01c89631d9da08b"
- integrity sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==
+ version "1.4.1"
+ resolved "https://registry.yarnpkg.com/rfdc/-/rfdc-1.4.1.tgz#778f76c4fb731d93414e8f925fbecf64cce7f6ca"
+ integrity sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA==
rgb2hex@0.2.5:
version "0.2.5"
@@ -8724,7 +8636,7 @@ rimraf@2, rimraf@^2.5.2:
dependencies:
glob "^7.1.3"
-rimraf@3.0.2, rimraf@^3.0.0, rimraf@^3.0.2:
+rimraf@3.0.2, rimraf@^3.0.2:
version "3.0.2"
resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
@@ -8762,7 +8674,18 @@ run-parallel@^1.1.9:
dependencies:
queue-microtask "^1.2.2"
-safe-buffer@^5.0.1, safe-buffer@^5.1.1, safe-buffer@^5.1.2, safe-buffer@~5.2.0:
+safe-array-concat@^1.1.2, safe-array-concat@^1.1.3:
+ version "1.1.3"
+ resolved "https://registry.yarnpkg.com/safe-array-concat/-/safe-array-concat-1.1.3.tgz#c9e54ec4f603b0bbb8e7e5007a5ee7aecd1538c3"
+ integrity sha512-AURm5f0jYEOydBj7VQlVvDrjeFgthDdEF5H1dP+6mNpoXOMo1quQqJ4wvJDyRZ9+pO3kGWoOdmV08cSv2aJV6Q==
+ dependencies:
+ call-bind "^1.0.8"
+ call-bound "^1.0.2"
+ get-intrinsic "^1.2.6"
+ has-symbols "^1.1.0"
+ isarray "^2.0.5"
+
+safe-buffer@^5.0.1, safe-buffer@^5.1.2, safe-buffer@~5.2.0:
version "5.2.1"
resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6"
integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==
@@ -8772,14 +8695,22 @@ safe-buffer@~5.1.0, safe-buffer@~5.1.1:
resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==
-safe-regex-test@^1.0.0:
+safe-push-apply@^1.0.0:
version "1.0.0"
- resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.0.0.tgz#793b874d524eb3640d1873aad03596db2d4f2295"
- integrity sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==
+ resolved "https://registry.yarnpkg.com/safe-push-apply/-/safe-push-apply-1.0.0.tgz#01850e981c1602d398c85081f360e4e6d03d27f5"
+ integrity sha512-iKE9w/Z7xCzUMIZqdBsp6pEQvwuEebH4vdpjcDWnyzaI6yl6O9FHvVpmGelvEHNsoY6wGblkxR6Zty/h00WiSA==
+ dependencies:
+ es-errors "^1.3.0"
+ isarray "^2.0.5"
+
+safe-regex-test@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.1.0.tgz#7f87dfb67a3150782eaaf18583ff5d1711ac10c1"
+ integrity sha512-x/+Cz4YrimQxQccJf5mKEbIa1NzeCRNI5Ecl/ekmlYaampdNLPalVyIcCZNNH3MvmqBugV5TMYZXv0ljslUlaw==
dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.3"
- is-regex "^1.1.4"
+ call-bound "^1.0.2"
+ es-errors "^1.3.0"
+ is-regex "^1.2.1"
"safer-buffer@>= 2.1.2 < 3", "safer-buffer@>= 2.1.2 < 3.0.0", safer-buffer@^2.0.2, safer-buffer@^2.1.0, safer-buffer@~2.1.0:
version "2.1.2"
@@ -8794,21 +8725,9 @@ sanitize-filename@^1.6.3:
truncate-utf8-bytes "^1.0.0"
sax@^1.2.4:
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9"
- integrity sha512-NqVDv9TpANUjFm0N8uM5GxL36UgKi9/atZw+x7YFnQ8ckwFGKrl4xX4yWtrey3UJm5nP1kUbnYgLopqWNSRhWw==
-
-scandal@^3.2.0:
- version "3.2.0"
- resolved "https://registry.yarnpkg.com/scandal/-/scandal-3.2.0.tgz#29e75f8050fc53b6e6c00c61b7711b874356fb03"
- integrity sha512-kXICe3ygxwyyO3Ur+k49UzQlu8yrdQgzD03eMgV8sMWDom9q4qpEvZuQRUcbyAujC1TpISPRUPoirOIO1bRxcQ==
- dependencies:
- argparse "^1.0.2"
- git-utils "^5.6.0"
- isbinaryfile "^2.0.4"
- minimatch "^2.0.9"
- split "^1.0.0"
- temp "^0.8.3"
+ version "1.4.1"
+ resolved "https://registry.yarnpkg.com/sax/-/sax-1.4.1.tgz#44cc8988377f126304d3b3fc1010c733b929ef0f"
+ integrity sha512-+aWOz7yVScEGoKNd4PA10LZ8sk0A/z5+nXQG5giUO5rprX9jgYsTdov9qCchZiPIZezbZH+jRut8nPodFAX4Jg==
scheduler@^0.18.0:
version "0.18.0"
@@ -8829,14 +8748,6 @@ scoped-property-store@^0.17.0:
key-path-helpers "^0.1.0"
underscore-plus "^1.6.3"
-scrollbar-style@^4.0.1:
- version "4.0.1"
- resolved "https://registry.yarnpkg.com/scrollbar-style/-/scrollbar-style-4.0.1.tgz#877e71102a75a1ddb340960f16022ce8ffa9fd1e"
- integrity sha512-b47iGb2KLY/NgxDUpNYiep3Uca1vOdO+T+194b0IC70rkzZJMmdNIgePGSOVE04Rn77fnqeZgsw5jyFg8FDoEQ==
- dependencies:
- event-kit "^2.5.3"
- node-addon-api "^1.1.0"
-
season@^6.0.2:
version "6.0.2"
resolved "https://registry.yarnpkg.com/season/-/season-6.0.2.tgz#9da58fb1ddd24824d7621b2dc63a7123b50217b6"
@@ -8885,28 +8796,19 @@ semver@7.5.2:
lru-cache "^6.0.0"
semver@^5.3.0, semver@^5.4.1, semver@^5.5.0, semver@^5.6.0, semver@^5.7.0:
- version "5.7.1"
- resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7"
- integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==
-
-semver@^6.0.0, semver@^6.1.0, semver@^6.1.1, semver@^6.1.2, semver@^6.2.0, semver@^6.3.0:
- version "6.3.0"
- resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
- integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
+ version "5.7.2"
+ resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.2.tgz#48d55db737c3287cd4835e17fa13feace1c41ef8"
+ integrity sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==
-semver@^7.0.0:
- version "7.5.3"
- resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.3.tgz#161ce8c2c6b4b3bdca6caadc9fa3317a4c4fe88e"
- integrity sha512-QBlUtyVk/5EeHbi7X0fw6liDZc7BBmEaSYn01fMU1OUYbf6GPsbTtd8WmnqbI20SeycoHSeiybkE/q1Q+qlThQ==
- dependencies:
- lru-cache "^6.0.0"
+semver@^6.0.0, semver@^6.1.0, semver@^6.1.1, semver@^6.1.2, semver@^6.2.0, semver@^6.3.0, semver@^6.3.1:
+ version "6.3.1"
+ resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.1.tgz#556d2ef8689146e46dcea4bfdd095f3434dffcb4"
+ integrity sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==
-semver@^7.3.2, semver@^7.3.4, semver@^7.3.5, semver@^7.3.7, semver@^7.3.8:
- version "7.3.8"
- resolved "https://registry.yarnpkg.com/semver/-/semver-7.3.8.tgz#07a78feafb3f7b32347d725e33de7e2a2df67798"
- integrity sha512-NB1ctGL5rlHrPJtFDVIVzTyQylMLu9N9VICA6HSFJo8MCGVTMW6gfpicwKmmK/dAjTOrqu5l63JJOpDSrAis3A==
- dependencies:
- lru-cache "^6.0.0"
+semver@^7.0.0, semver@^7.3.2, semver@^7.3.4, semver@^7.3.5, semver@^7.3.7, semver@^7.3.8:
+ version "7.7.3"
+ resolved "https://registry.yarnpkg.com/semver/-/semver-7.7.3.tgz#4b5f4143d007633a8dc671cd0a6ef9147b8bb946"
+ integrity sha512-SdsKMrI9TdgjdweUSR9MweHA4EJ8YxHn8DFaDisvhVlUOe4BF1tLD7GAj0lIqWVl+dPb/rExr0Btby5loQm20Q==
serializable@^1.0.3:
version "1.0.3"
@@ -8944,6 +8846,37 @@ set-blocking@^2.0.0, set-blocking@~2.0.0:
resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7"
integrity sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==
+set-function-length@^1.2.2:
+ version "1.2.2"
+ resolved "https://registry.yarnpkg.com/set-function-length/-/set-function-length-1.2.2.tgz#aac72314198eaed975cf77b2c3b6b880695e5449"
+ integrity sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==
+ dependencies:
+ define-data-property "^1.1.4"
+ es-errors "^1.3.0"
+ function-bind "^1.1.2"
+ get-intrinsic "^1.2.4"
+ gopd "^1.0.1"
+ has-property-descriptors "^1.0.2"
+
+set-function-name@^2.0.2:
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/set-function-name/-/set-function-name-2.0.2.tgz#16a705c5a0dc2f5e638ca96d8a8cd4e1c2b90985"
+ integrity sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==
+ dependencies:
+ define-data-property "^1.1.4"
+ es-errors "^1.3.0"
+ functions-have-names "^1.2.3"
+ has-property-descriptors "^1.0.2"
+
+set-proto@^1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/set-proto/-/set-proto-1.0.0.tgz#0760dbcff30b2d7e801fd6e19983e56da337565e"
+ integrity sha512-RJRdvCo6IAnPdsvP/7m6bsQqNnn1FCBX5ZNtFL98MmFF/4xAIJTIg1YbHW5DC2W5SKZanrC6i4HsJqlajw/dZw==
+ dependencies:
+ dunder-proto "^1.0.1"
+ es-errors "^1.3.0"
+ es-object-atoms "^1.0.0"
+
setimmediate@^1.0.5:
version "1.0.5"
resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285"
@@ -9011,15 +8944,6 @@ side-channel-weakmap@^1.0.2:
object-inspect "^1.13.3"
side-channel-map "^1.0.1"
-side-channel@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
- integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
- dependencies:
- call-bind "^1.0.0"
- get-intrinsic "^1.0.2"
- object-inspect "^1.9.0"
-
side-channel@^1.1.0:
version "1.1.0"
resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.1.0.tgz#c3fcff9c4da932784873335ec9765fa94ff66bc9"
@@ -9046,15 +8970,6 @@ simple-concat@^1.0.0:
resolved "https://registry.yarnpkg.com/simple-concat/-/simple-concat-1.0.1.tgz#f46976082ba35c2263f1c8ab5edfe26c41c9552f"
integrity sha512-cSFtAPtRhljv69IK0hTVZQ+OfE9nePi/rtJmw5UjHeVyVroEqJXP1sFztKUy1qU+xvz3u/sfYJLa947b7nAN2Q==
-simple-get@^2.7.0:
- version "2.8.2"
- resolved "https://registry.yarnpkg.com/simple-get/-/simple-get-2.8.2.tgz#5708fb0919d440657326cd5fe7d2599d07705019"
- integrity sha512-Ijd/rV5o+mSBBs4F/x9oDPtTx9Zb6X9brmnXvMW4J7IR15ngi9q5xxqWBKU744jTZiaXtxaPL7uHG6vtN8kUkw==
- dependencies:
- decompress-response "^3.3.0"
- once "^1.3.1"
- simple-concat "^1.0.0"
-
simple-get@^3.0.3:
version "3.1.1"
resolved "https://registry.yarnpkg.com/simple-get/-/simple-get-3.1.1.tgz#cc7ba77cfbe761036fbfce3d021af25fc5584d55"
@@ -9074,9 +8989,9 @@ simple-get@^4.0.0:
simple-concat "^1.0.0"
simple-swizzle@^0.2.2:
- version "0.2.2"
- resolved "https://registry.yarnpkg.com/simple-swizzle/-/simple-swizzle-0.2.2.tgz#a4da6b635ffcccca33f70d17cb92592de95e557a"
- integrity sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==
+ version "0.2.4"
+ resolved "https://registry.yarnpkg.com/simple-swizzle/-/simple-swizzle-0.2.4.tgz#a8d11a45a11600d6a1ecdff6363329e3648c3667"
+ integrity sha512-nAu1WFPQSMNr2Zn9PGSZK9AGn4t/y97lEm+MXTtUDwfP0ksAIX4nO+6ruD9Jwut4C49SB1Ws+fbXsm/yScWOHw==
dependencies:
is-arrayish "^0.3.1"
@@ -9123,21 +9038,21 @@ smart-buffer@^4.0.2, smart-buffer@^4.2.0:
temp "~0.8.0"
underscore-plus "^1.0.0"
-socks-proxy-agent@^6.0.0:
- version "6.2.1"
- resolved "https://registry.yarnpkg.com/socks-proxy-agent/-/socks-proxy-agent-6.2.1.tgz#2687a31f9d7185e38d530bef1944fe1f1496d6ce"
- integrity sha512-a6KW9G+6B3nWZ1yB8G7pJwL3ggLy1uTzKAgCb7ttblwqdz9fMGJUuTy3uFzEP48FAs9FLILlmzDlE2JJhVQaXQ==
+socks-proxy-agent@^7.0.0:
+ version "7.0.0"
+ resolved "https://registry.yarnpkg.com/socks-proxy-agent/-/socks-proxy-agent-7.0.0.tgz#dc069ecf34436621acb41e3efa66ca1b5fed15b6"
+ integrity sha512-Fgl0YPZ902wEsAyiQ+idGd1A7rSFx/ayC1CQVMw5P+EQx2V0SgpGtf6OKFhVjPflPUl9YMmEOnmfjCdMUsygww==
dependencies:
agent-base "^6.0.2"
debug "^4.3.3"
socks "^2.6.2"
socks@^2.6.2:
- version "2.7.1"
- resolved "https://registry.yarnpkg.com/socks/-/socks-2.7.1.tgz#d8e651247178fde79c0663043e07240196857d55"
- integrity sha512-7maUZy1N7uo6+WVEX6psASxtNlKaNVMlGQKkG/63nEDdLOWNbiUMoLK7X4uYoLhQstau72mLgfEWcXcwsaHbYQ==
+ version "2.8.7"
+ resolved "https://registry.yarnpkg.com/socks/-/socks-2.8.7.tgz#e2fb1d9a603add75050a2067db8c381a0b5669ea"
+ integrity sha512-HLpt+uLy/pxB+bum/9DzAgiKS8CX1EvbWxI4zlmgGCExImLdiad2iCwXT5Z4c9c3Eq8rP2318mPW2c+QbtjK8A==
dependencies:
- ip "^2.0.0"
+ ip-address "^10.0.1"
smart-buffer "^4.2.0"
"solarized-dark-syntax@file:packages/solarized-dark-syntax":
@@ -9146,18 +9061,18 @@ socks@^2.6.2:
"solarized-light-syntax@file:packages/solarized-light-syntax":
version "1.3.0"
-sort-array@^4.1.5:
- version "4.1.5"
- resolved "https://registry.yarnpkg.com/sort-array/-/sort-array-4.1.5.tgz#64b92aaba222aec606786f4df28ae4e3e3e68313"
- integrity sha512-Ya4peoS1fgFN42RN1REk2FgdNOeLIEMKFGJvs7VTP3OklF8+kl2SkpVliZ4tk/PurWsrWRsdNdU+tgyOBkB9sA==
+sort-array@^5.0.0:
+ version "5.1.1"
+ resolved "https://registry.yarnpkg.com/sort-array/-/sort-array-5.1.1.tgz#92f5ee092fb2cca1dc3b46eee102a0d3a3dfc944"
+ integrity sha512-EltS7AIsNlAFIM9cayrgKrM6XP94ATWwXP4LCL4IQbvbYhELSt2hZTrixg+AaQwnWFs/JGJgqU3rxMcNNWxGAA==
dependencies:
- array-back "^5.0.0"
- typical "^6.0.1"
+ array-back "^6.2.2"
+ typical "^7.1.1"
source-map-js@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
- integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
+ version "1.2.1"
+ resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.2.1.tgz#1ce5650fddd87abc099eda37dcff024c2667ae46"
+ integrity sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==
source-map-support@^0.5.19:
version "0.5.21"
@@ -9192,17 +9107,17 @@ source-map@~0.1.43:
amdefine ">=0.0.4"
spdx-correct@^3.0.0:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-3.1.1.tgz#dece81ac9c1e6713e5f7d1b6f17d468fa53d89a9"
- integrity sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==
+ version "3.2.0"
+ resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-3.2.0.tgz#4f5ab0668f0059e34f9c00dce331784a12de4e9c"
+ integrity sha512-kN9dJbvnySHULIluDHy32WHRUu3Og7B9sbY7tsFLctQkIqnMh3hErYgdMjTYuqmcXX+lK5T1lnUt3G7zNswmZA==
dependencies:
spdx-expression-parse "^3.0.0"
spdx-license-ids "^3.0.0"
spdx-exceptions@^2.1.0:
- version "2.3.0"
- resolved "https://registry.yarnpkg.com/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz#3f28ce1a77a00372683eade4a433183527a2163d"
- integrity sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==
+ version "2.5.0"
+ resolved "https://registry.yarnpkg.com/spdx-exceptions/-/spdx-exceptions-2.5.0.tgz#5d607d27fc806f66d7b64a766650fa890f04ed66"
+ integrity sha512-PiU42r+xO4UbUS1buo3LPJkjlO7430Xn5SVAhdpzzsPHsjbYVflnnFdATgabnLude+Cqu25p6N+g2lw/PFsa4w==
spdx-expression-parse@^3.0.0, spdx-expression-parse@^3.0.1:
version "3.0.1"
@@ -9213,29 +9128,27 @@ spdx-expression-parse@^3.0.0, spdx-expression-parse@^3.0.1:
spdx-license-ids "^3.0.0"
spdx-license-ids@^3.0.0:
- version "3.0.12"
- resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.12.tgz#69077835abe2710b65f03969898b6637b505a779"
- integrity sha512-rr+VVSXtRhO4OHbXUiAF7xW3Bo9DuuF6C5jH+q/x15j2jniycgKbxU09Hr0WqlSLUs4i4ltHGXqTe7VHclYWyA==
+ version "3.0.22"
+ resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.22.tgz#abf5a08a6f5d7279559b669f47f0a43e8f3464ef"
+ integrity sha512-4PRT4nh1EImPbt2jASOKHX7PB7I+e4IWNLvkKFDxNhJlfjbYlleYQh285Z/3mPTHSAK/AvdMmw5BNNuYH8ShgQ==
"spell-check@file:packages/spell-check":
version "0.77.1"
dependencies:
- atom-pathspec "^0.0.0"
atom-select-list "^0.7.0"
debug "^4.1.1"
multi-integer-range "^2.0.0"
natural "^0.4.0"
- spellchecker "^3.7.1"
+ spellchecker "https://github.com/pulsar-edit/node-spellchecker.git#da32e897e74691b7f43b70ddc0d171bad2d38208"
spelling-manager "^1.1.0"
underscore-plus "^1"
-spellchecker@^3.7.1:
+"spellchecker@https://github.com/pulsar-edit/node-spellchecker.git#da32e897e74691b7f43b70ddc0d171bad2d38208":
version "3.7.1"
- resolved "https://registry.yarnpkg.com/spellchecker/-/spellchecker-3.7.1.tgz#3c1b316318c1edc4f1239959fe6081efca4363df"
- integrity sha512-j36QRZrekxPXy58fo2B/Le3GzHryLv9Zq2Hqz907+JmUBCP35tJlwwhCo4n1lwisBDK40IFHqEHPUe5gwUkpwA==
+ resolved "https://github.com/pulsar-edit/node-spellchecker.git#da32e897e74691b7f43b70ddc0d171bad2d38208"
dependencies:
- any-promise "^1.3.0"
- nan "^2.14.0"
+ any-promise "1.3.0"
+ nan "2.17.0"
spelling-manager@^1.1.0:
version "1.3.0"
@@ -9260,9 +9173,9 @@ split@^1.0.0:
through "2"
sprintf-js@^1.1.2:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.1.2.tgz#da1765262bf8c0f571749f2ad6c26300207ae673"
- integrity sha512-VE0SOVEHCk7Qc8ulkWw3ntAzXuqf7S2lvwQaDLRnUeIEaKNQJzV6BwmLKhOqT61aGhfUMrXeaBk+oDGCzvhcug==
+ version "1.1.3"
+ resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.1.3.tgz#4914b903a2f8b685d17fdf78a70e917e872e444a"
+ integrity sha512-Oo+0REFV59/rz3gfJNKQiBlwfHaSESl1pcGyABQsnnIfWOFt6JNj5gCog2U6MLZ//IGYD+nA8nI+mTShREReaA==
sprintf-js@~1.0.2:
version "1.0.3"
@@ -9270,9 +9183,9 @@ sprintf-js@~1.0.2:
integrity sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==
sshpk@^1.7.0:
- version "1.17.0"
- resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.17.0.tgz#578082d92d4fe612b13007496e543fa0fbcbe4c5"
- integrity sha512-/9HIEs1ZXGhSPE8X6Ccm7Nam1z8KcoCqPdI7ecm1N33EzAetWahvQWVqLZtaZQ+IDKX4IyA2o0gBzqIMkAagHQ==
+ version "1.18.0"
+ resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.18.0.tgz#1663e55cddf4d688b86a46b77f0d5fe363aba028"
+ integrity sha512-2p2KJZTSqQ/I3+HX42EpYOa2l3f8Erv8MWKsy2I9uf4wA7yFIkXRffYdsx86y6z4vHtV8u7g+pPlr8/4ouAxsQ==
dependencies:
asn1 "~0.2.3"
assert-plus "^1.0.0"
@@ -9284,10 +9197,10 @@ sshpk@^1.7.0:
safer-buffer "^2.0.2"
tweetnacl "~0.14.0"
-ssri@^8.0.0, ssri@^8.0.1:
- version "8.0.1"
- resolved "https://registry.yarnpkg.com/ssri/-/ssri-8.0.1.tgz#638e4e439e2ffbd2cd289776d5ca457c4f51a2af"
- integrity sha512-97qShzy1AiyxvPNIkLWoGua7xoQzzPjQ0HAH4B0rWKo7SZ6USuPcrUiAFrws0UH8RrbWmgq3LMTObhPIHbbBeQ==
+ssri@^9.0.0:
+ version "9.0.1"
+ resolved "https://registry.yarnpkg.com/ssri/-/ssri-9.0.1.tgz#544d4c357a8d7b71a19700074b6883fcb4eae057"
+ integrity sha512-o57Wcn66jMQvfHG1FlYbWeZWW/dHZhJXjpIcTfXldXEk5nz5lStPo3mK0OJQfGR3RbZUlbISexbljkJzuEj/8Q==
dependencies:
minipass "^3.1.1"
@@ -9302,9 +9215,9 @@ stack-trace@0.0.9:
integrity sha512-vjUc6sfgtgY0dxCdnc40mK6Oftjo9+2K8H/NG81TMhgL392FtiPA9tn9RLyTxXmTLPJPjF3VyzFp6bsWFLisMQ==
stacktrace-parser@^0.1.3:
- version "0.1.10"
- resolved "https://registry.yarnpkg.com/stacktrace-parser/-/stacktrace-parser-0.1.10.tgz#29fb0cae4e0d0b85155879402857a1639eb6051a"
- integrity sha512-KJP1OCML99+8fhOHxwwzyWrlUuVX5GQ0ZpJTd1DFXhdkrvg1szxfHhawXUZ3g9TkXORQd4/WG68jMlQZ2p8wlg==
+ version "0.1.11"
+ resolved "https://registry.yarnpkg.com/stacktrace-parser/-/stacktrace-parser-0.1.11.tgz#c7c08f9b29ef566b9a6f7b255d7db572f66fabc4"
+ integrity sha512-WjlahMgHmCJpqzU8bIBy4qtsZdU9lRlcZE3Lvyej6t4tuOuv1vk57OW3MBrj6hXBFx/nNoC9MPMTcr5YA7NQbg==
dependencies:
type-fest "^0.7.1"
@@ -9320,6 +9233,14 @@ stat-mode@^1.0.0:
grim "^2.0.1"
underscore-plus "^1.0.0"
+stop-iteration-iterator@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/stop-iteration-iterator/-/stop-iteration-iterator-1.1.0.tgz#f481ff70a548f6124d0312c3aa14cbfa7aa542ad"
+ integrity sha512-eLoXW/DHyl62zxY4SCaIgnRhuMr6ri4juEYARS8E6sCEqzKpOiE521Ucofdx+KnDZl5xmvGYaaKCk5FEOxJCoQ==
+ dependencies:
+ es-errors "^1.3.0"
+ internal-slot "^1.1.0"
+
stream-combiner@~0.0.4:
version "0.0.4"
resolved "https://registry.yarnpkg.com/stream-combiner/-/stream-combiner-0.0.4.tgz#4d5e433c185261dde623ca3f44c586bcf5c4ad14"
@@ -9383,23 +9304,37 @@ string-width@^3.0.0, string-width@^3.1.0:
is-fullwidth-code-point "^2.0.0"
strip-ansi "^5.1.0"
-string.prototype.trimend@^1.0.5:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
- integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
+string.prototype.trim@^1.2.10:
+ version "1.2.10"
+ resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.10.tgz#40b2dd5ee94c959b4dcfb1d65ce72e90da480c81"
+ integrity sha512-Rs66F0P/1kedk5lyYyH9uBzuiI/kNRmwJAR9quK6VOtIpZ2G+hMZd+HQbbv25MgCA6gEffoMZYxlTod4WcdrKA==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ call-bind "^1.0.8"
+ call-bound "^1.0.2"
+ define-data-property "^1.1.4"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.5"
+ es-object-atoms "^1.0.0"
+ has-property-descriptors "^1.0.2"
-string.prototype.trimstart@^1.0.5:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
- integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
+string.prototype.trimend@^1.0.9:
+ version "1.0.9"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.9.tgz#62e2731272cd285041b36596054e9f66569b6942"
+ integrity sha512-G7Ok5C6E/j4SGfyLCloXTrngQIQU3PWtXGst3yM7Bea9FRURf1S42ZHlZZtsNque2FN2PoUhfZXYLNWwEr4dLQ==
+ dependencies:
+ call-bind "^1.0.8"
+ call-bound "^1.0.2"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
+
+string.prototype.trimstart@^1.0.8:
+ version "1.0.8"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.8.tgz#7ee834dda8c7c17eff3118472bb35bfedaa34dde"
+ integrity sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
string_decoder@^1.1.1:
version "1.3.0"
@@ -9487,12 +9422,6 @@ superagent@^10.0.0:
mime "2.6.0"
qs "^6.11.2"
-superstring@^2.4.4, "superstring@github:pulsar-edit/superstring#de97b496663fce40050bf2d66e1466ccfbd00943":
- version "2.4.4"
- resolved "https://codeload.github.com/pulsar-edit/superstring/tar.gz/de97b496663fce40050bf2d66e1466ccfbd00943"
- dependencies:
- nan "^2.14.2"
-
supports-color@6.0.0:
version "6.0.0"
resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.0.0.tgz#76cfe742cf1f41bb9b1c29ad03068c05b4c0e40a"
@@ -9570,7 +9499,7 @@ table-layout@^0.4.2:
temp "~0.8.1"
underscore-plus "1.x"
-tar-fs@2.1.1, tar-fs@^2.0.0:
+tar-fs@2.1.1:
version "2.1.1"
resolved "https://registry.yarnpkg.com/tar-fs/-/tar-fs-2.1.1.tgz#489a15ab85f1f0befabb370b7de4f9eb5cbe8784"
integrity sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==
@@ -9580,28 +9509,15 @@ tar-fs@2.1.1, tar-fs@^2.0.0:
pump "^3.0.0"
tar-stream "^2.1.4"
-tar-fs@^1.13.0:
- version "1.16.3"
- resolved "https://registry.yarnpkg.com/tar-fs/-/tar-fs-1.16.3.tgz#966a628841da2c4010406a82167cbd5e0c72d509"
- integrity sha512-NvCeXpYx7OsmOh8zIOP/ebG55zZmxLE0etfWRbWok+q2Qo8x/vOR/IJT1taADXPe+jsiu9axDb3X4B+iIgNlKw==
- dependencies:
- chownr "^1.0.1"
- mkdirp "^0.5.1"
- pump "^1.0.0"
- tar-stream "^1.1.2"
-
-tar-stream@^1.1.2:
- version "1.6.2"
- resolved "https://registry.yarnpkg.com/tar-stream/-/tar-stream-1.6.2.tgz#8ea55dab37972253d9a9af90fdcd559ae435c555"
- integrity sha512-rzS0heiNf8Xn7/mpdSVVSMAWAoy9bfb1WOTYC78Z0UQKeKa/CWS8FOq0lKGNa8DWKAn9gxjCvMLYc5PGXYlK2A==
+tar-fs@^2.0.0:
+ version "2.1.4"
+ resolved "https://registry.yarnpkg.com/tar-fs/-/tar-fs-2.1.4.tgz#800824dbf4ef06ded9afea4acafe71c67c76b930"
+ integrity sha512-mDAjwmZdh7LTT6pNleZ05Yt65HC3E+NiQzl672vQG38jIrehtJk/J3mNwIg+vShQPcLF/LV7CMnDW6vjj6sfYQ==
dependencies:
- bl "^1.0.0"
- buffer-alloc "^1.2.0"
- end-of-stream "^1.0.0"
- fs-constants "^1.0.0"
- readable-stream "^2.3.0"
- to-buffer "^1.1.1"
- xtend "^4.0.0"
+ chownr "^1.1.1"
+ mkdirp-classic "^0.5.2"
+ pump "^3.0.0"
+ tar-stream "^2.1.4"
tar-stream@^2.1.4, tar-stream@^2.2.0:
version "2.2.0"
@@ -9623,14 +9539,14 @@ tar@^2.2.1:
fstream "^1.0.12"
inherits "2"
-tar@^6.0.2, tar@^6.0.5, tar@^6.1.11, tar@^6.1.2:
- version "6.1.12"
- resolved "https://registry.yarnpkg.com/tar/-/tar-6.1.12.tgz#3b742fb05669b55671fb769ab67a7791ea1a62e6"
- integrity sha512-jU4TdemS31uABHd+Lt5WEYJuzn+TJTCBLljvIAHZOz6M9Os5pJ4dD+vRFLxPa/n3T0iEFzpi+0x1UfuDZYbRMw==
+tar@^6.0.5, tar@^6.1.11, tar@^6.1.2, tar@^6.2.1:
+ version "6.2.1"
+ resolved "https://registry.yarnpkg.com/tar/-/tar-6.2.1.tgz#717549c541bc3c2af15751bea94b1dd068d4b03a"
+ integrity sha512-DZ4yORTwrbTj/7MZYq2w+/ZFdI6OZ/f9SFHR+71gIVUZhOQPHzVCLpvRnPgyaMpfWxxk/4ONva3GQSyNIKRv6A==
dependencies:
chownr "^2.0.0"
fs-minipass "^2.0.0"
- minipass "^3.0.0"
+ minipass "^5.0.0"
minizlib "^2.1.1"
mkdirp "^1.0.3"
yallist "^4.0.0"
@@ -9670,14 +9586,6 @@ temp@^0.8.1, temp@^0.8.3, temp@~0.8.0, temp@~0.8.1:
dependencies:
rimraf "~2.6.2"
-test-value@^1.0.1:
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/test-value/-/test-value-1.1.0.tgz#a09136f72ec043d27c893707c2b159bfad7de93f"
- integrity sha512-wrsbRo7qP+2Je8x8DsK8ovCGyxe3sYfQwOraIY/09A2gFXU9DYKiTF14W4ki/01AEh56kMzAmlj9CaHGDDUBJA==
- dependencies:
- array-back "^1.0.2"
- typical "^2.4.2"
-
test-value@^2.0.0:
version "2.1.0"
resolved "https://registry.yarnpkg.com/test-value/-/test-value-2.1.0.tgz#11da6ff670f3471a73b625ca4f3fdcf7bb748291"
@@ -9694,25 +9602,6 @@ test-value@^3.0.0:
array-back "^2.0.0"
typical "^2.6.1"
-text-buffer@^13.18.6:
- version "13.18.6"
- resolved "https://registry.yarnpkg.com/text-buffer/-/text-buffer-13.18.6.tgz#0191a6185177b26e3560cb07988701ac2d30ae9f"
- integrity sha512-kgtWyJL9ktX0+ynDxUILaB/XGsaMOSzbKgyyDO9s4sN6X8Cq+ZIMNRDDMG29iztK8nZxuynzcuo1vHQojpdT9A==
- dependencies:
- delegato "^1.0.0"
- diff "^2.2.1"
- emissary "^1.0.0"
- event-kit "^2.4.0"
- fs-admin "^0.19.0"
- fs-plus "^3.0.0"
- grim "^2.0.2"
- mkdirp "^0.5.1"
- pathwatcher "^8.1.0"
- serializable "^1.0.3"
- superstring "^2.4.4"
- underscore-plus "^1.0.0"
- winattr "^3.0.0"
-
text-table@^0.2.0:
version "0.2.0"
resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
@@ -9743,21 +9632,9 @@ tmp-promise@^3.0.2:
tmp "^0.2.0"
tmp@^0.2.0:
- version "0.2.1"
- resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.2.1.tgz#8457fc3037dcf4719c251367a1af6500ee1ccf14"
- integrity sha512-76SUhtfqR2Ijn+xllcI5P1oyannHNHByD80W1q447gU3mp9G9PSpGdWmjUOHRDPiHYacIk66W7ubDTuPF3BEtQ==
- dependencies:
- rimraf "^3.0.0"
-
-to-buffer@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/to-buffer/-/to-buffer-1.1.1.tgz#493bd48f62d7c43fcded313a03dcadb2e1213a80"
- integrity sha512-lx9B5iv7msuFYE3dytT+KE5tap+rNYw+K4jVkb9R/asAb+pbBSM17jtunHplhBe6RRJdZx3Pn2Jph24O32mOVg==
-
-to-fast-properties@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz#dc5e698cbd079265bc73e0377681a4e4e83f616e"
- integrity sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==
+ version "0.2.5"
+ resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.2.5.tgz#b06bcd23f0f3c8357b426891726d16015abfd8f8"
+ integrity sha512-voyz6MApa1rQGUxT3E+BK7/ROe8itEx7vD8/HEvt4xwXucvQ5G5oeEiHkmHZJuBO21RpOf+YYm9MOivj709jow==
to-readable-stream@^1.0.0:
version "1.0.0"
@@ -9789,134 +9666,11 @@ tree-kill@1.2.2:
resolved "https://registry.yarnpkg.com/tree-kill/-/tree-kill-1.2.2.tgz#4ca09a9092c88b73a7cdc5e8a01b507b0790a0cc"
integrity sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A==
-tree-sitter-bash@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-bash/-/tree-sitter-bash-0.19.0.tgz#756332e3c5494a0b5ccda04c182e7206d65cf350"
- integrity sha512-i/0NUZHSrxmYtQWMX+Tvuk9PBvsB0S3h0vD17qHSGuvPYgvpekRy8do75CAXyH6FlycMhejM39gNRppyvDeiVQ==
- dependencies:
- nan "^2.14.0"
- prebuild-install "^5.3.3"
-
-tree-sitter-c@0.20.2:
- version "0.20.2"
- resolved "https://registry.yarnpkg.com/tree-sitter-c/-/tree-sitter-c-0.20.2.tgz#6bc86898d0f55ee1ed796f625e448d9301a20543"
- integrity sha512-ZHEtq23JaFPSOq5JPRoH+rGItsGvo3rMdOeodyCF8FaQ1JPcWS26KS1GWXTPfLPGdZFfzbY6Jw/W31+G2wxALQ==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-cpp@0.20.0:
- version "0.20.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-cpp/-/tree-sitter-cpp-0.20.0.tgz#42499b1f2d3f61f74703cc9f13fcaf65173c96a4"
- integrity sha512-ka1KoFfmLX9dmus8S+NrXxEN+k2PWJOZi60vO3hnR2lnRIr4FYBSXZKmTgQnCd8/w0UM7sNtgETvW1SM1qJ9og==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-css@^0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-css/-/tree-sitter-css-0.19.0.tgz#1543d70fa853d776b31b506c57cf13a387aacf93"
- integrity sha512-LYCHS1V2bzeNJr8Mgh60H06qB8NNJyRJVgW1gKCEjcm5S48d8H9xOnrzIlsyLHaXFfnGWCrHJ6jxN6G3s5fJTA==
- dependencies:
- nan "^2.14.1"
-
-tree-sitter-embedded-template@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-embedded-template/-/tree-sitter-embedded-template-0.19.0.tgz#3234830a30b9b27de3b187d965005fe91e3e420d"
- integrity sha512-J80/G0xRHlIxv0gNfvW8zHMZeD9nqnSKV4nMB5t0RAW/W/nM5io/gojk0ppWuWKMuyYNs3KKXIqP0i43jVkdkQ==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-go@0.19.1:
- version "0.19.1"
- resolved "https://registry.yarnpkg.com/tree-sitter-go/-/tree-sitter-go-0.19.1.tgz#f23c84bff882eafa296ce2d307366e76f1f83e2d"
- integrity sha512-qAHzfuddhbs3kPIW2vMBL5TqC5umhQ3NlDBPtdqlxE6tN2PKWHj0SZxXd/YrvqNUDrMmRpPBRg9W7JyCP/+n3A==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-html@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-html/-/tree-sitter-html-0.19.0.tgz#abebe9950f5ce909b6e3e8da2e90246647a70a22"
- integrity sha512-xH6XGSBWzb4oU/aG6gouMRQKsd96iKuy0zboUqo3wcIWrA++q9a7CmQTSeIINiSfOXjT2ZLJciXFDgAh6h04Bw==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-java@0.19.1:
- version "0.19.1"
- resolved "https://registry.yarnpkg.com/tree-sitter-java/-/tree-sitter-java-0.19.1.tgz#c1bf59caaa81bf8a4a6dda99e7c97e51b3bd26d4"
- integrity sha512-yVm+4q1D4niaHcEf2iqhOcIaiSp3wxHjeC4eoLAqSQNVxSrhThmT1FEfM4yDgHV4XaxH+62xpKHCwYG9NzRt6Q==
- dependencies:
- nan "^2.14.1"
-
-tree-sitter-javascript@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-javascript/-/tree-sitter-javascript-0.19.0.tgz#20fc0da277502dac2bb3bf9ff75372268e761558"
- integrity sha512-SNykDdNgmlJZhX02ZIu0TQF9P7t847jV7769SxA9XrZ2QXjofQsVTMEi9+LpXZKsI0UoFYI25FnZm3fFm0z2yw==
- dependencies:
- nan "^2.12.1"
-
-tree-sitter-jsdoc@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-jsdoc/-/tree-sitter-jsdoc-0.19.0.tgz#3f7731c9df61db5666b4a41d5ff3810fceac9d81"
- integrity sha512-E2DgqInWSw+1wv+7uyJu0oYhWns0xaOSccqe4crLNnxo9uAQBjySaum8mNAfTu8Rh6jAnDr2DxuzKUBhOQxOwg==
- dependencies:
- nan "^2.14.1"
-
-tree-sitter-json@0.20.0:
- version "0.20.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-json/-/tree-sitter-json-0.20.0.tgz#e17bb4917e8d5fe9f2f0d5eaec603e2d3552b07c"
- integrity sha512-PteOLH+Tx6Bz4ZA/d40/DbkiSXXRM/gKahhHI8hQ1lWNfFvdknnz9k3Mz84ol5srRyLboJ8wp8GSkhZ6ht9EGQ==
- dependencies:
- nan "^2.14.1"
-
-tree-sitter-python@0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-python/-/tree-sitter-python-0.19.0.tgz#ad79a221fab7136559da0704f789173b81e0bdcd"
- integrity sha512-UAJV73zCE+2b+X8XQOyL6C+MxVUV8BH0TxcOwhfgaDh6F6g4Ub0SqWGF19C1MDrGi25JNnZ8xlsH0aqrasyS3w==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-regex@0.19.0, tree-sitter-regex@^0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-regex/-/tree-sitter-regex-0.19.0.tgz#b4b3f44dc742684881a7c05635e075d90ff5414d"
- integrity sha512-hKaGO6ect2MuGwY+PU89JJdkgwRRseDgVNiRaZTLXQyW8vAsZLOb/tkphY9NF9U+ZOeLATotKwG+rLykYYWXyA==
- dependencies:
- nan "^2.14.1"
-
-tree-sitter-ruby@^0.19.0:
- version "0.19.0"
- resolved "https://registry.yarnpkg.com/tree-sitter-ruby/-/tree-sitter-ruby-0.19.0.tgz#a5fd70c7653beaa89c7d643a9b04e0f71eb075bd"
- integrity sha512-uzASkTuC6wXnnshfDgij/Q9FYWxODCyIKVb0eHVGX9G5Cu5iFPvgJQgWTKIft1zomTjKjD25YIwFUnXnzZf4Ew==
- dependencies:
- nan "^2.14.1"
- prebuild-install "^5.0.0"
-
-tree-sitter-rust@0.20.1:
- version "0.20.1"
- resolved "https://registry.yarnpkg.com/tree-sitter-rust/-/tree-sitter-rust-0.20.1.tgz#3ff85edc85293797f88e7bdb29022d57a6a1e30f"
- integrity sha512-du8yLJBnjzjynQDPlt4IhbHgGHq2o/hdUGrHuedyAd5008i3ghB6trDB805B9qXNPFJGNy8gY0kxQPak2zOsFw==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter-typescript@0.20.1:
- version "0.20.1"
- resolved "https://registry.yarnpkg.com/tree-sitter-typescript/-/tree-sitter-typescript-0.20.1.tgz#6b338a1414f5ed13cc39e60275ddeaa0f25870a9"
- integrity sha512-wqpnhdVYX26ATNXeZtprib4+mF2GlYQB1cjRPibYGxDRiugx5OfjWwLE4qPPxEGdp2ZLSmZVesGUjLWzfKo6rA==
- dependencies:
- nan "^2.14.0"
-
-tree-sitter@0.20.0:
- version "0.20.0"
- resolved "https://registry.yarnpkg.com/tree-sitter/-/tree-sitter-0.20.0.tgz#b24f4d0ce6b9fdd9e99101907c954c5d938cb82d"
- integrity sha512-tqTdtD1T2cN4aEES0sZCjKTQrc9Ls8H/iYlzpskhGy8yCwNPKBIbK9YuuCg/AxACr8RAY4wMoeCigM1X/A79yg==
- dependencies:
- nan "^2.14.0"
- prebuild-install "^6.0.1"
-
-"tree-view@file:packages/tree-view":
+"tree-view@file:./packages/tree-view":
version "0.229.1"
dependencies:
fs-plus "^3.0.0"
minimatch "~3.0.0"
- pathwatcher "^8.1.0"
temp "~0.9.0"
underscore-plus "^1.0.0"
@@ -9927,21 +9681,11 @@ truncate-utf8-bytes@^1.0.0:
dependencies:
utf8-byte-length "^1.0.1"
-tslib@2:
+tslib@^2.3.0, tslib@^2.8.0:
version "2.8.1"
resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.8.1.tgz#612efe4ed235d567e8aba5f2a5fab70280ade83f"
integrity sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==
-tslib@^2.3.0:
- version "2.6.0"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.0.tgz#b295854684dbda164e181d259a22cd779dcd7bc3"
- integrity sha512-7At1WUettjcSRHXCyYtTselblcHl9PJFFVKiCAy/bY97+BPZXSQ2wbq0P9s8tK2G7dFQfNnlJnPAiArVBVBsfA==
-
-tslib@^2.4.0:
- version "2.6.3"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.3.tgz#0438f810ad7a9edcde7a241c3d80db693c8cbfe0"
- integrity sha512-xNvxJEOUiWPGhUuUdQgAJPKOOJfGnIyKySOc09XkKsgdUV/3E2zvwZYdejjmRgPCgcym1juLH3226yA7sEFJKQ==
-
tunnel-agent@^0.6.0:
version "0.6.0"
resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd"
@@ -9949,11 +9693,6 @@ tunnel-agent@^0.6.0:
dependencies:
safe-buffer "^5.0.1"
-tunnel@^0.0.6:
- version "0.0.6"
- resolved "https://registry.yarnpkg.com/tunnel/-/tunnel-0.0.6.tgz#72f1314b34a5b192db012324df2cc587ca47f92c"
- integrity sha512-1h/Lnq9yajKY2PEbBadPXj3VxsDDu844OnaAo52UVmIzIvwwtBPIuNvkjuzBlTWpfJyUbG3ez0KSBibQkj4ojg==
-
tweetnacl@^0.14.3, tweetnacl@~0.14.0:
version "0.14.5"
resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64"
@@ -9966,11 +9705,16 @@ type-check@^0.4.0, type-check@~0.4.0:
dependencies:
prelude-ls "^1.2.1"
-type-detect@4.0.8, type-detect@^4.0.0, type-detect@^4.0.5, type-detect@^4.0.8:
+type-detect@4.0.8:
version "4.0.8"
resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-4.0.8.tgz#7646fb5f18871cfbb7749e69bd39a6388eb7450c"
integrity sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==
+type-detect@^4.0.0, type-detect@^4.0.5, type-detect@^4.0.8:
+ version "4.1.0"
+ resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-4.1.0.tgz#deb2453e8f08dcae7ae98c626b13dddb0155906c"
+ integrity sha512-Acylog8/luQ8L7il+geoSxhEkazvkslg7PSNKOX59mbB9cOveP5aq9h74Y7YU8yDpJwetzQQrfIwtf4Wp4LKcw==
+
type-fest@^0.13.1:
version "0.13.1"
resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.13.1.tgz#0172cb5bce80b0bd542ea348db50c7e21834d934"
@@ -9986,15 +9730,55 @@ type-fest@^0.7.1:
resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.7.1.tgz#8dda65feaf03ed78f0a3f9678f1869147f7c5c48"
integrity sha512-Ne2YiiGN8bmrmJJEuTWTLJR32nh/JdL1+PSicowtNb0WFpn59GK8/lfD61bVtzguz7b3PBt74nxpv/Pw5po5Rg==
-type@^1.0.1:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/type/-/type-1.2.0.tgz#848dd7698dafa3e54a6c479e759c4bc3f18847a0"
- integrity sha512-+5nt5AAniqsCnu2cEQQdpzCAh33kVx8n0VoFidKpB1dVVLAN/F+bgVOqOJqOnEnrhp222clB5p3vUlD+1QAnfg==
-
type@^2.7.2:
- version "2.7.2"
- resolved "https://registry.yarnpkg.com/type/-/type-2.7.2.tgz#2376a15a3a28b1efa0f5350dcf72d24df6ef98d0"
- integrity sha512-dzlvlNlt6AXU7EBSfpAscydQ7gXB+pPGsPnfJnZpiNJBDj7IaJzQlBZYGdEi4R9HmPdBv2XmWJ6YUtoTa7lmCw==
+ version "2.7.3"
+ resolved "https://registry.yarnpkg.com/type/-/type-2.7.3.tgz#436981652129285cc3ba94f392886c2637ea0486"
+ integrity sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ==
+
+typed-array-buffer@^1.0.3:
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/typed-array-buffer/-/typed-array-buffer-1.0.3.tgz#a72395450a4869ec033fd549371b47af3a2ee536"
+ integrity sha512-nAYYwfY3qnzX30IkA6AQZjVbtK6duGontcQm1WSG1MD94YLqK0515GNApXkoxKOWMusVssAHWLh9SeaoefYFGw==
+ dependencies:
+ call-bound "^1.0.3"
+ es-errors "^1.3.0"
+ is-typed-array "^1.1.14"
+
+typed-array-byte-length@^1.0.3:
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/typed-array-byte-length/-/typed-array-byte-length-1.0.3.tgz#8407a04f7d78684f3d252aa1a143d2b77b4160ce"
+ integrity sha512-BaXgOuIxz8n8pIq3e7Atg/7s+DpiYrxn4vdot3w9KbnBhcRQq6o3xemQdIfynqSeXeDrF32x+WvfzmOjPiY9lg==
+ dependencies:
+ call-bind "^1.0.8"
+ for-each "^0.3.3"
+ gopd "^1.2.0"
+ has-proto "^1.2.0"
+ is-typed-array "^1.1.14"
+
+typed-array-byte-offset@^1.0.4:
+ version "1.0.4"
+ resolved "https://registry.yarnpkg.com/typed-array-byte-offset/-/typed-array-byte-offset-1.0.4.tgz#ae3698b8ec91a8ab945016108aef00d5bff12355"
+ integrity sha512-bTlAFB/FBYMcuX81gbL4OcpH5PmlFHqlCCpAl8AlEzMz5k53oNDvN8p1PNOWLEmI2x4orp3raOFB51tv9X+MFQ==
+ dependencies:
+ available-typed-arrays "^1.0.7"
+ call-bind "^1.0.8"
+ for-each "^0.3.3"
+ gopd "^1.2.0"
+ has-proto "^1.2.0"
+ is-typed-array "^1.1.15"
+ reflect.getprototypeof "^1.0.9"
+
+typed-array-length@^1.0.7:
+ version "1.0.7"
+ resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.7.tgz#ee4deff984b64be1e118b0de8c9c877d5ce73d3d"
+ integrity sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==
+ dependencies:
+ call-bind "^1.0.7"
+ for-each "^0.3.3"
+ gopd "^1.0.1"
+ is-typed-array "^1.1.13"
+ possible-typed-array-names "^1.0.0"
+ reflect.getprototypeof "^1.0.6"
typedarray-to-buffer@^3.1.5:
version "3.1.5"
@@ -10003,23 +9787,17 @@ typedarray-to-buffer@^3.1.5:
dependencies:
is-typedarray "^1.0.0"
-typedarray@^0.0.6:
- version "0.0.6"
- resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777"
- integrity sha512-/aCDEGatGvZ2BIk+HmLf4ifCJFwvKFNb9/JeZPMulfgFracn9QFcAf5GO8B/mweUjSoblS5In0cWhqpfs/5PQA==
-
-"typescript-simple@github:pulsar-edit/typescript-simple#ccb03e558217030e8f261339281f1d69147934f7":
- version "9.0.0"
- resolved "https://codeload.github.com/pulsar-edit/typescript-simple/tar.gz/ccb03e558217030e8f261339281f1d69147934f7"
- dependencies:
- typescript "^5.0.3"
-
-typescript@^5.0.3:
+typescript@5.0.3:
version "5.0.3"
resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.0.3.tgz#fe976f0c826a88d0a382007681cbb2da44afdedf"
integrity sha512-xv8mOEDnigb/tN9PSMTwSEqAnUvkoXMQlicOb0IUVDBSQCgBSaAAROUZYy2IcUy5qU6XajK5jjjO7TMWqBTKZA==
-typical@^2.4.2, typical@^2.6.0, typical@^2.6.1:
+typescript@^5.8.3:
+ version "5.9.3"
+ resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.9.3.tgz#5b4f59e15310ab17a216f5d6cf53ee476ede670f"
+ integrity sha512-jl1vZzPDinLr9eUt3J/t7V6FgNEw9QjvBPdysz9KfQDD41fQrC2Y4vKQdiaUpFT4bXlb1RHhLpp8wtm6M5TgSw==
+
+typical@^2.6.0, typical@^2.6.1:
version "2.6.1"
resolved "https://registry.yarnpkg.com/typical/-/typical-2.6.1.tgz#5c080e5d661cbbe38259d2e70a3c7253e873881d"
integrity sha512-ofhi8kjIje6npGozTip9Fr8iecmYfEbS06i0JnIg+rh51KakryWF4+jX8lLKZVhy6N+ID45WYSFCxPOdTWCzNg==
@@ -10029,40 +9807,45 @@ typical@^4.0.0:
resolved "https://registry.yarnpkg.com/typical/-/typical-4.0.0.tgz#cbeaff3b9d7ae1e2bbfaf5a4e6f11eccfde94fc4"
integrity sha512-VAH4IvQ7BDFYglMd7BPRDfLgxZZX4O4TFcRDA6EN5X7erNJJq+McIEp8np9aVtxrCJ6qx4GTYVfOWNjcqwZgRw==
-typical@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/typical/-/typical-6.0.1.tgz#89bd1a6aa5e5e96fa907fb6b7579223bff558a06"
- integrity sha512-+g3NEp7fJLe9DPa1TArHm9QAA7YciZmWnfAqEaFrBihQ7epOv9i99rjtgb6Iz0wh3WuQDjsCTDfgRoGnmHN81A==
+typical@^7.1.1:
+ version "7.3.0"
+ resolved "https://registry.yarnpkg.com/typical/-/typical-7.3.0.tgz#930376be344228709f134613911fa22aa09617a4"
+ integrity sha512-ya4mg/30vm+DOWfBg4YK3j2WD6TWtRkCbasOJr40CseYENzCUby/7rIvXA99JGsQHeNxLbnXdyLLxKSv3tauFw==
ua-parser-js@^0.7.18:
- version "0.7.32"
- resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-0.7.32.tgz#cd8c639cdca949e30fa68c44b7813ef13e36d211"
- integrity sha512-f9BESNVhzlhEFf2CHMSj40NWOjYPl1YKYbrvIr/hFTDEmLq7SRbWvm7FcdcpCYT95zrOhC7gZSxjdnnTpBcwVw==
+ version "0.7.41"
+ resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-0.7.41.tgz#9f6dee58c389e8afababa62a4a2dc22edb69a452"
+ integrity sha512-O3oYyCMPYgNNHuO7Jjk3uacJWZF8loBgwrfd/5LE/HyZ3lUIOdniQ7DNXJcIgZbwioZxk0fLfI4EVnetdiX5jg==
ua-parser-js@^1.0.1:
- version "1.0.32"
- resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-1.0.32.tgz#786bf17df97de159d5b1c9d5e8e9e89806f8a030"
- integrity sha512-dXVsz3M4j+5tTiovFVyVqssXBu5HM47//YSOeZ9fQkdDKkfzv2v3PP1jmH6FUyPW+yCSn7aBVK1fGGKNhowdDA==
+ version "1.0.41"
+ resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-1.0.41.tgz#bd04dc9ec830fcf9e4fad35cf22dcedd2e3b4e9c"
+ integrity sha512-LbBDqdIC5s8iROCUjMbW1f5dJQTEFB1+KO9ogbvlb3nm9n4YHa5p4KTvFPWvh2Hs8gZMBuiB1/8+pdfe/tDPug==
uc.micro@^1.0.1, uc.micro@^1.0.5:
version "1.0.6"
resolved "https://registry.yarnpkg.com/uc.micro/-/uc.micro-1.0.6.tgz#9c411a802a409a91fc6cf74081baba34b24499ac"
integrity sha512-8Y75pvTYkLJW2hWQHXxoqRgV7qb9B+9vFEtidML+7koHUFapnVJAZ6cKs+Qjz5Aw3aZWHMC6u0wJE3At+nSGwA==
+uc.micro@^2.0.0, uc.micro@^2.1.0:
+ version "2.1.0"
+ resolved "https://registry.yarnpkg.com/uc.micro/-/uc.micro-2.1.0.tgz#f8d3f7d0ec4c3dea35a7e3c8efa4cb8b45c9e7ee"
+ integrity sha512-ARDJmphmdvUk6Glw7y9DQ2bFkKBHwQHLi2lsaH6PPmz/Ka9sFOBsBluozhDltWmnv9u/cF6Rt87znRTPV+yp/A==
+
uglify-js@^3.1.4:
- version "3.17.4"
- resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.17.4.tgz#61678cf5fa3f5b7eb789bb345df29afb8257c22c"
- integrity sha512-T9q82TJI9e/C1TAxYvfb16xO120tMVFZrGA3f9/P4424DNu6ypK103y0GPFVa17yotwSyZW5iYXgjYHkGrJW/g==
+ version "3.19.3"
+ resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.19.3.tgz#82315e9bbc6f2b25888858acd1fff8441035b77f"
+ integrity sha512-v3Xu+yuwBXisp6QYTcH4UbH+xYJXqnq2m/LtQVWKWzYc1iehYnLixoQDN9FH6/j9/oybfd6W9Ghwkl8+UMKTKQ==
-unbox-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz#29032021057d5e6cdbd08c5129c226dff8ed6f9e"
- integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==
+unbox-primitive@^1.1.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.1.0.tgz#8d9d2c9edeea8460c7f35033a88867944934d1e2"
+ integrity sha512-nWJ91DjeOkej/TA8pXQ3myruKpKEYgqvpw9lz4OPHj/NWFNluYrjbz9j01CJ8yKQd2g4jFoOkINCTW2I5LEEyw==
dependencies:
- call-bind "^1.0.2"
+ call-bound "^1.0.3"
has-bigints "^1.0.2"
- has-symbols "^1.0.3"
- which-boxed-primitive "^1.0.2"
+ has-symbols "^1.1.0"
+ which-boxed-primitive "^1.1.1"
unbzip2-stream@1.4.3:
version "1.4.3"
@@ -10080,14 +9863,34 @@ underscore-plus@1.7.0, underscore-plus@1.x, underscore-plus@^1, underscore-plus@
underscore "^1.9.1"
"underscore@>= 1.3.1", underscore@>=1.3.1, underscore@^1.3.1, underscore@^1.9.1, underscore@~1.13.2:
- version "1.13.6"
- resolved "https://registry.yarnpkg.com/underscore/-/underscore-1.13.6.tgz#04786a1f589dc6c09f761fc5f45b89e935136441"
- integrity sha512-+A5Sja4HP1M08MaXya7p5LvjuM7K6q/2EaC0+iovj/wOcMsTzMvDFbasi/oSapiwOlt252IqsKqPjCl7huKS0A==
+ version "1.13.7"
+ resolved "https://registry.yarnpkg.com/underscore/-/underscore-1.13.7.tgz#970e33963af9a7dda228f17ebe8399e5fbe63a10"
+ integrity sha512-GMXzWtsc57XAtguZgaQViUOzs0KTkk8ojr3/xAxXLITqf/3EMwxC0inyETfDFjH/Krbhuep0HNbbjI9i/q3F3g==
+
+undici-types@~5.26.4:
+ version "5.26.5"
+ resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-5.26.5.tgz#bcd539893d00b56e964fd2657a4866b221a65617"
+ integrity sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==
+
+undici-types@~6.21.0:
+ version "6.21.0"
+ resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-6.21.0.tgz#691d00af3909be93a7faa13be61b3a5b50ef12cb"
+ integrity sha512-iwDZqg0QAGrg9Rav5H4n0M64c3mkR59cJ6wQp+7C4nI0gsmExaedaYLNO44eT4AtBBwjbTiGPMlt2Md0T9H9JQ==
+
+undici-types@~7.14.0:
+ version "7.14.0"
+ resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-7.14.0.tgz#4c037b32ca4d7d62fae042174604341588bc0840"
+ integrity sha512-QQiYxHuyZ9gQUIrmPo3IA+hUl4KYk8uSA7cHrcKd/l3p1OTpZcM0Tbp9x7FAtXdAYhlasd60ncPpgu6ihG6TOA==
+
+undici@^7.12.0:
+ version "7.16.0"
+ resolved "https://registry.yarnpkg.com/undici/-/undici-7.16.0.tgz#cb2a1e957726d458b536e3f076bf51f066901c1a"
+ integrity sha512-QEg3HPMll0o3t2ourKwOeUAZ159Kn9mx5pnzHRQO8+Wixmh88YdZRiIwat0iNzNNXn0yoEtXJqFpyW7eM8BV7g==
unicode-canonical-property-names-ecmascript@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.0.tgz#301acdc525631670d39f6146e0e77ff6bbdebddc"
- integrity sha512-yY5PpDlfVIU5+y/BSCxAJRBIS1Zc2dDG3Ujq+sR0U+JjUevW2JhocOF+soROYDSaAezOzOKuyyixhD6mBknSmQ==
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.1.tgz#cb3173fe47ca743e228216e4a3ddc4c84d628cc2"
+ integrity sha512-dA8WbNeb2a6oQzAQ55YlT5vQAWGV9WXOsi3SskE3bcCdM0P4SDd+24zS/OCacdRq5BkdsRj9q3Pg6YyQoxIGqg==
unicode-match-property-ecmascript@^2.0.0:
version "2.0.0"
@@ -10097,32 +9900,32 @@ unicode-match-property-ecmascript@^2.0.0:
unicode-canonical-property-names-ecmascript "^2.0.0"
unicode-property-aliases-ecmascript "^2.0.0"
-unicode-match-property-value-ecmascript@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.1.0.tgz#cb5fffdcd16a05124f5a4b0bf7c3770208acbbe0"
- integrity sha512-qxkjQt6qjg/mYscYMC0XKRn3Rh0wFPlfxB0xkt9CfyTvpX1Ra0+rAmdX2QyAobptSEvuy4RtpPRui6XkV+8wjA==
+unicode-match-property-value-ecmascript@^2.2.1:
+ version "2.2.1"
+ resolved "https://registry.yarnpkg.com/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.2.1.tgz#65a7adfad8574c219890e219285ce4c64ed67eaa"
+ integrity sha512-JQ84qTuMg4nVkx8ga4A16a1epI9H6uTXAknqxkGF/aFfRLw1xC/Bp24HNLaZhHSkWd3+84t8iXnp1J0kYcZHhg==
unicode-property-aliases-ecmascript@^2.0.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.1.0.tgz#43d41e3be698bd493ef911077c9b131f827e8ccd"
- integrity sha512-6t3foTQI9qne+OZoVQB/8x8rk2k1eVy1gRXhV3oFQ5T6R1dqQ1xtin3XqSlx3+ATBkliTaR/hHyJBm+LVPNM8w==
+ version "2.2.0"
+ resolved "https://registry.yarnpkg.com/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.2.0.tgz#301d4f8a43d2b75c97adfad87c9dd5350c9475d1"
+ integrity sha512-hpbDzxUY9BFwX+UeBnxv3Sh1q7HFxj48DTmXchNgRa46lO8uj3/1iEn3MiNUYTg1g9ctIqXCCERn8gYZhHC5lQ==
uniq@^1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/uniq/-/uniq-1.0.1.tgz#b31c5ae8254844a3a8281541ce2b04b865a734ff"
integrity sha512-Gw+zz50YNKPDKXs+9d+aKAjVwpjNwqzvNpLigIruT4HA9lMZNdMqs9x07kKHB/L9WRzqp4+DlTU5s4wG2esdoA==
-unique-filename@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/unique-filename/-/unique-filename-1.1.1.tgz#1d69769369ada0583103a1e6ae87681b56573230"
- integrity sha512-Vmp0jIp2ln35UTXuryvjzkjGdRyf9b2lTXuSYUiPmzRcl3FDtYqAwOnTJkAngD9SWhnoJzDbTKwaOrZ+STtxNQ==
+unique-filename@^2.0.0:
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/unique-filename/-/unique-filename-2.0.1.tgz#e785f8675a9a7589e0ac77e0b5c34d2eaeac6da2"
+ integrity sha512-ODWHtkkdx3IAR+veKxFV+VBkUMcN+FaqzUUd7IZzt+0zhDZFPFxhlqwPF3YQvMHx1TD0tdgYl+kuPnJ8E6ql7A==
dependencies:
- unique-slug "^2.0.0"
+ unique-slug "^3.0.0"
-unique-slug@^2.0.0:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/unique-slug/-/unique-slug-2.0.2.tgz#baabce91083fc64e945b0f3ad613e264f7cd4e6c"
- integrity sha512-zoWr9ObaxALD3DOPfjPSqxt4fnZiWblxHIgeWqW8x7UqDzEtHEQLzji2cuJYQFCU6KmoJikOYAZlrTHHebjx2w==
+unique-slug@^3.0.0:
+ version "3.0.0"
+ resolved "https://registry.yarnpkg.com/unique-slug/-/unique-slug-3.0.0.tgz#6d347cf57c8a7a7a6044aabd0e2d74e4d76dc7c9"
+ integrity sha512-8EyMynh679x/0gqE9fT9oilG+qEt+ibFyqjuVTsZn1+CMxH+XLlpvr2UZx4nVcCwTpx81nICr2JQFkM+HPLq4w==
dependencies:
imurmurhash "^0.1.4"
@@ -10139,17 +9942,17 @@ universalify@^0.1.0:
integrity sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==
universalify@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/universalify/-/universalify-2.0.0.tgz#75a4984efedc4b08975c5aeb73f530d02df25717"
- integrity sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/universalify/-/universalify-2.0.1.tgz#168efc2180964e6386d061e094df61afe239b18d"
+ integrity sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==
-update-browserslist-db@^1.0.9:
- version "1.0.10"
- resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.0.10.tgz#0f54b876545726f17d00cd9a2561e6dade943ff3"
- integrity sha512-OztqDenkfFkbSG+tRxBeAnCVPckDBcvibKd35yDONx6OU8N7sqgwc7rCbkJ/WcYtVRZ4ba68d6byhC21GFh7sQ==
+update-browserslist-db@^1.1.3:
+ version "1.1.3"
+ resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz#348377dd245216f9e7060ff50b15a1b740b75420"
+ integrity sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==
dependencies:
- escalade "^3.1.1"
- picocolors "^1.0.0"
+ escalade "^3.2.0"
+ picocolors "^1.1.1"
update-notifier@^5.1.0:
version "5.1.0"
@@ -10189,9 +9992,9 @@ url-parse-lax@^3.0.0:
prepend-http "^2.0.0"
utf8-byte-length@^1.0.1:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/utf8-byte-length/-/utf8-byte-length-1.0.4.tgz#f45f150c4c66eee968186505ab93fcbb8ad6bf61"
- integrity sha512-4+wkEYLBbWxqTahEsWrhxepcoVOJ+1z5PGIjPZxRkytcdSUaNjIjBM7Xn8E+pdSuV7SzvWovBFA54FO0JSoqhA==
+ version "1.0.5"
+ resolved "https://registry.yarnpkg.com/utf8-byte-length/-/utf8-byte-length-1.0.5.tgz#f9f63910d15536ee2b2d5dd4665389715eac5c1e"
+ integrity sha512-Xn0w3MtiQ6zoz2vFyUVruaCL53O/DwUvkEeOvj+uulMm0BkUGYWmBYVyElqZaSLhY6ZD0ulfU3aBra2aVT4xfA==
util-deprecate@^1.0.1, util-deprecate@^1.0.2, util-deprecate@~1.0.1:
version "1.0.2"
@@ -10261,9 +10064,9 @@ walk-back@^2.0.1:
integrity sha512-Nb6GvBR8UWX1D+Le+xUq0+Q1kFmRBIWVrfLnQAOmcpEzA9oAxwJ9gIr36t9TWYfzvWRvuMtjHiVsJYEkXWaTAQ==
walk-back@^5.1.0:
- version "5.1.0"
- resolved "https://registry.yarnpkg.com/walk-back/-/walk-back-5.1.0.tgz#486d6f29e67f56ab89b952d987028bbb1a4e956c"
- integrity sha512-Uhxps5yZcVNbLEAnb+xaEEMdgTXl9qAQDzKYejG2AZ7qPwRQ81lozY9ECDbjLPNWm7YsO1IK5rsP1KoQzXAcGA==
+ version "5.1.1"
+ resolved "https://registry.yarnpkg.com/walk-back/-/walk-back-5.1.1.tgz#80045191b3b3a05a8e3cc6fca066a2e495230d93"
+ integrity sha512-e/FRLDVdZQWFrAzU6Hdvpm7D7m2ina833gIKLptQykRK49mmCYHLHq7UqjPDbxbKLZkTkW1rFqbengdE3sLfdw==
walkdir@0.0.7:
version "0.0.7"
@@ -10282,7 +10085,7 @@ wcwidth@^1.0.1:
dependencies:
defaults "^1.0.3"
-web-tree-sitter@^0.20.7:
+web-tree-sitter@0.20.7:
version "0.20.7"
resolved "https://registry.yarnpkg.com/web-tree-sitter/-/web-tree-sitter-0.20.7.tgz#b0ddb78e8244221a3100f432c7e162516cd9cd09"
integrity sha512-flC9JJmTII9uAeeYpWF8hxDJ7bfY+leldQryetll8Nv4WgI+MXc6h7TiyAZASWl9uC9TvmfdgOjZn1DAQecb3A==
@@ -10357,18 +10160,22 @@ what-the-status@1.0.3:
dependencies:
split "^1.0.0"
-"whats-my-line@https://github.com/pulsar-edit/whats-my-line/archive/4029ca9567a0bf0f12843890461fb13e758cfcbf.tar.gz":
- version "0.2.0"
- resolved "https://github.com/pulsar-edit/whats-my-line/archive/4029ca9567a0bf0f12843890461fb13e758cfcbf.tar.gz#1a504ee809e9ff86d1109de27c2e94fdf23f37d1"
+whatwg-encoding@^3.1.1:
+ version "3.1.1"
+ resolved "https://registry.yarnpkg.com/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz#d0f4ef769905d426e1688f3e34381a99b60b76e5"
+ integrity sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ==
dependencies:
- dugite "2.5.2"
- superstring "^2.4.4"
- what-the-diff "^0.6.0"
+ iconv-lite "0.6.3"
whatwg-fetch@>=0.10.0:
- version "3.6.2"
- resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-3.6.2.tgz#dced24f37f2624ed0281725d51d0e2e3fe677f8c"
- integrity sha512-bJlen0FcuU/0EMLrdbJ7zOnW6ITZLrZMIarMUVmdKtsGvZna8vxKYaexICWPfZ8qwf9fzNq+UEIZrnSaApt6RA==
+ version "3.6.20"
+ resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-3.6.20.tgz#580ce6d791facec91d37c72890995a0b48d31c70"
+ integrity sha512-EqhiFU6daOA8kpjOWTL0olhVOF3i7OrFzSYiGsEMB8GcXS+RrzauAERX65xMeNWVqxA6HXH2m69Z9LaKKdisfg==
+
+whatwg-mimetype@^4.0.0:
+ version "4.0.0"
+ resolved "https://registry.yarnpkg.com/whatwg-mimetype/-/whatwg-mimetype-4.0.0.tgz#bc1bf94a985dc50388d54a9258ac405c3ca2fc0a"
+ integrity sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg==
whatwg-url@^5.0.0:
version "5.0.0"
@@ -10378,48 +10185,63 @@ whatwg-url@^5.0.0:
tr46 "~0.0.3"
webidl-conversions "^3.0.0"
-which-boxed-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
- integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
+which-boxed-primitive@^1.1.0, which-boxed-primitive@^1.1.1:
+ version "1.1.1"
+ resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.1.1.tgz#d76ec27df7fa165f18d5808374a5fe23c29b176e"
+ integrity sha512-TbX3mj8n0odCBFVlY8AxkqcHASw3L60jIuF8jFP78az3C2YhmGvqbHBpAjTRH2/xqYunrJ9g1jSyjCjpoWzIAA==
dependencies:
- is-bigint "^1.0.1"
- is-boolean-object "^1.1.0"
- is-number-object "^1.0.4"
- is-string "^1.0.5"
- is-symbol "^1.0.3"
+ is-bigint "^1.1.0"
+ is-boolean-object "^1.2.1"
+ is-number-object "^1.1.1"
+ is-string "^1.1.1"
+ is-symbol "^1.1.1"
-which-collection@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/which-collection/-/which-collection-1.0.1.tgz#70eab71ebbbd2aefaf32f917082fc62cdcb70906"
- integrity sha512-W8xeTUwaln8i3K/cY1nGXzdnVZlidBcagyNFtBdD5kxnb4TvGKR7FfSIS3mYpwWS1QUCutfKz8IY8RjftB0+1A==
+which-builtin-type@^1.2.1:
+ version "1.2.1"
+ resolved "https://registry.yarnpkg.com/which-builtin-type/-/which-builtin-type-1.2.1.tgz#89183da1b4907ab089a6b02029cc5d8d6574270e"
+ integrity sha512-6iBczoX+kDQ7a3+YJBnh3T+KZRxM/iYNPXicqk66/Qfm1b93iu+yOImkg0zHbj5LNOcNv1TEADiZ0xa34B4q6Q==
dependencies:
- is-map "^2.0.1"
- is-set "^2.0.1"
- is-weakmap "^2.0.1"
- is-weakset "^2.0.1"
-
-which-module@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a"
- integrity sha512-B+enWhmw6cjfVC7kS8Pj9pCrKSc5txArRyaYGe088shv/FGWH+0Rjx/xPgtsWfsUtS27FkP697E4DDhgrgoc0Q==
-
-which-pm-runs@^1.0.0:
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/which-pm-runs/-/which-pm-runs-1.1.0.tgz#35ccf7b1a0fce87bd8b92a478c9d045785d3bf35"
- integrity sha512-n1brCuqClxfFfq/Rb0ICg9giSZqCS+pLtccdag6C2HyufBrh3fBOiy9nb6ggRMvWOVH5GrdJskj5iGTZNxd7SA==
+ call-bound "^1.0.2"
+ function.prototype.name "^1.1.6"
+ has-tostringtag "^1.0.2"
+ is-async-function "^2.0.0"
+ is-date-object "^1.1.0"
+ is-finalizationregistry "^1.1.0"
+ is-generator-function "^1.0.10"
+ is-regex "^1.2.1"
+ is-weakref "^1.0.2"
+ isarray "^2.0.5"
+ which-boxed-primitive "^1.1.0"
+ which-collection "^1.0.2"
+ which-typed-array "^1.1.16"
-which-typed-array@^1.1.8:
- version "1.1.9"
- resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.9.tgz#307cf898025848cf995e795e8423c7f337efbde6"
- integrity sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==
+which-collection@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/which-collection/-/which-collection-1.0.2.tgz#627ef76243920a107e7ce8e96191debe4b16c2a0"
+ integrity sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==
dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
- is-typed-array "^1.1.10"
+ is-map "^2.0.3"
+ is-set "^2.0.3"
+ is-weakmap "^2.0.2"
+ is-weakset "^2.0.3"
+
+which-module@^2.0.0:
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.1.tgz#776b1fe35d90aebe99e8ac15eb24093389a4a409"
+ integrity sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==
+
+which-typed-array@^1.1.16, which-typed-array@^1.1.19:
+ version "1.1.19"
+ resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.19.tgz#df03842e870b6b88e117524a4b364b6fc689f956"
+ integrity sha512-rEvr90Bck4WZt9HHFC4DJMsjvu7x+r6bImz0/BrbWb7A2djJ8hnZMrWnHo9F8ssv0OMErasDhftrfROTyqSDrw==
+ dependencies:
+ available-typed-arrays "^1.0.7"
+ call-bind "^1.0.8"
+ call-bound "^1.0.4"
+ for-each "^0.3.5"
+ get-proto "^1.0.1"
+ gopd "^1.2.0"
+ has-tostringtag "^1.0.2"
which@1.3.1:
version "1.3.1"
@@ -10472,14 +10294,14 @@ window-size@^0.1.4:
integrity sha512-2thx4pB0cV3h+Bw7QmMXcEbdmOzv9t0HFplJH/Lz6yu60hXYy5RT8rUu+wlIreVxWsGN20mo+MHeCSfUpQBwPw==
winreg@^1.2.1, winreg@^1.2.4:
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/winreg/-/winreg-1.2.4.tgz#ba065629b7a925130e15779108cf540990e98d1b"
- integrity sha512-IHpzORub7kYlb8A43Iig3reOvlcBJGX9gZ0WycHhghHtA65X0LYnMRuJs+aH1abVnMJztQkvQNlltnbPi5aGIA==
+ version "1.2.5"
+ resolved "https://registry.yarnpkg.com/winreg/-/winreg-1.2.5.tgz#b650383e89278952494b5d113ba049a5a4fa96d8"
+ integrity sha512-uf7tHf+tw0B1y+x+mKTLHkykBgK2KMs3g+KlzmyMbLvICSHQyB/xOFjTT8qZ3oeTFyU7Bbj4FzXitGG6jvKhYw==
-word-wrap@^1.2.3:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c"
- integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==
+word-wrap@^1.2.5:
+ version "1.2.5"
+ resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.5.tgz#d2c45c6dd4fbce621a66f136cbe328afd0410b34"
+ integrity sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==
wordwrap@^1.0.0:
version "1.0.0"
@@ -10578,11 +10400,6 @@ xregexp@^3.2.0:
resolved "https://registry.yarnpkg.com/xregexp/-/xregexp-3.2.0.tgz#cb3601987bfe2695b584000c18f1c4a8c322878e"
integrity sha512-tWodXkrdYZPGadukpkmhKAbyp37CV5ZiFHacIVPhRZ4/sSt7qtOYHLv2dAqcPN0mBsViY2Qai9JkO7v2TBP6hg==
-xtend@^4.0.0:
- version "4.0.2"
- resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.2.tgz#bb72779f5fa465186b1f438f674fa347fdb5db54"
- integrity sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==
-
y18n@^3.2.0:
version "3.2.2"
resolved "https://registry.yarnpkg.com/y18n/-/y18n-3.2.2.tgz#85c901bd6470ce71fc4bb723ad209b70f7f28696"
@@ -10598,6 +10415,11 @@ y18n@^5.0.5:
resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55"
integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==
+yallist@^3.0.2:
+ version "3.1.1"
+ resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd"
+ integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==
+
yallist@^4.0.0:
version "4.0.0"
resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
@@ -10654,7 +10476,7 @@ yargs@13.3.2, yargs@^13.3.0:
y18n "^4.0.0"
yargs-parser "^13.1.2"
-yargs@17.6.2, yargs@^17.0.1:
+yargs@17.6.2:
version "17.6.2"
resolved "https://registry.yarnpkg.com/yargs/-/yargs-17.6.2.tgz#2e23f2944e976339a1ee00f18c77fedee8332541"
integrity sha512-1/9UrdHjDZc0eOU0HxOHoS78C69UD3JRMvzlJ7S79S2nTaWRA/whGCTV8o9e/N/1Va9YIV7Q4sOxD8VV4pCWOw==
@@ -10667,6 +10489,19 @@ yargs@17.6.2, yargs@^17.0.1:
y18n "^5.0.5"
yargs-parser "^21.1.1"
+yargs@^17.0.1:
+ version "17.7.2"
+ resolved "https://registry.yarnpkg.com/yargs/-/yargs-17.7.2.tgz#991df39aca675a192b816e1e0363f9d75d2aa269"
+ integrity sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==
+ dependencies:
+ cliui "^8.0.1"
+ escalade "^3.1.1"
+ get-caller-file "^2.0.5"
+ require-directory "^2.1.1"
+ string-width "^4.2.3"
+ y18n "^5.0.5"
+ yargs-parser "^21.1.1"
+
yargs@^3.23.0:
version "3.32.0"
resolved "https://registry.yarnpkg.com/yargs/-/yargs-3.32.0.tgz#03088e9ebf9e756b69751611d2a5ef591482c995"
@@ -10699,10 +10534,10 @@ yubikiri@2.0.0:
integrity sha512-gPLdm8Om6zZn6lsjQGZf3OdB+3OnxEX46S+TP6slcgLOArydrZan/OtEemyBmC73SG2Y0QYzYts3+5p2VzqvKw==
zip-stream@^4.1.0:
- version "4.1.0"
- resolved "https://registry.yarnpkg.com/zip-stream/-/zip-stream-4.1.0.tgz#51dd326571544e36aa3f756430b313576dc8fc79"
- integrity sha512-zshzwQW7gG7hjpBlgeQP9RuyPGNxvJdzR8SUM3QhxCnLjWN2E7j3dOvpeDcQoETfHx0urRS7EtmVToql7YpU4A==
+ version "4.1.1"
+ resolved "https://registry.yarnpkg.com/zip-stream/-/zip-stream-4.1.1.tgz#1337fe974dbaffd2fa9a1ba09662a66932bd7135"
+ integrity sha512-9qv4rlDiopXg4E69k+vMHjNN63YFMe9sZMrdlvKnCjlCRWeCBswPPMPUfx+ipsAWq1LXHe70RcbaHdJJpS6hyQ==
dependencies:
- archiver-utils "^2.1.0"
- compress-commons "^4.1.0"
+ archiver-utils "^3.0.4"
+ compress-commons "^4.1.2"
readable-stream "^3.6.0"