chore(deps): update dependency @biomejs/biome to v2.3.7 - autoclosed #21

Closed
Renovate wants to merge 1 commit from renovate/biomejs-biome-2.x into main
Collaborator

This PR contains the following updates:

Package Change Age Confidence
@biomejs/biome (source) 2.2.5 -> 2.3.7 age confidence

Release Notes

biomejs/biome (@​biomejs/biome)

v2.3.7

Compare Source

Patch Changes
  • #​8169 7fdcec8 Thanks @​arendjr! - Fixed #​7999: Correctly place await after leading comment in auto-fix action from noFloatingPromises rule.

  • #​8157 12d5b42 Thanks @​Conaclos! - Fixed #​8148. noInvalidUseBeforeDeclaration no longer reports some valid use before declarations.

    The following code is no longer reported as invalid:

    class classA {
      C = C;
    }
    const C = 0;
    
  • #​8178 6ba4157 Thanks @​dyc3! - Fixed #​8174, where the HTML parser would parse 2 directives as a single directive because it would not reject whitespace in Vue directives. This would cause the formatter to erroneously merge the 2 directives into one, resulting in broken code.

    - <Component v-else:property="123" />
    + <Component v-else :property="123" />
    
  • #​8088 0eb08e8 Thanks @​db295! - Fixed #​7876: The noUnusedImports rule now ignores imports that are used by @​linkcode and @​linkplain (previously supported @​link and @​see).

    The following code will no longer be a false positive:

    import type { a } from "a"
    
    /**
     * {@&#8203;linkcode a}
     */
    function func() {}
    
  • #​8119 8d64655 Thanks @​ematipico! - Improved the detection of the rule noUnnecessaryConditions. Now the rule isn't triggered for variables that are mutated inside a module.

    This logic deviates from the original rule, hence noUnnecessaryConditions is now marked as "inspired".

    In the following example, hey starts as false, but then it's assigned to a string. The rule isn't triggered inside the if check.

    let hey = false;
    
    function test() {
      hey = "string";
    }
    
    if (hey) {
    }
    
  • #​8149 e0a02bf Thanks @​Netail! - Fixed #​8144: Improve noSyncScripts, ignore script tags with type="module" as these are always non-blocking.

  • #​8182 e9f068e Thanks @​hirokiokada77! - Fixed #​7877: Range suppressions now handle suppressed categories properly.

    Valid:

    // biome-ignore-start lint: explanation
    const foo = 1;
    // biome-ignore-end lint: explanation
    
  • #​8111 bf1a836 Thanks @​ryan-m-walker! - Added support for parsing and formatting the CSS if function.

    Example

    .basic-style {
      color: if(style(--scheme: dark): #eeeeee; else: #&#8203;000000;);
    }
    
  • #​8173 7fc07c1 Thanks @​ematipico! - Fixed #​8138 by reverting an internal refactor that caused a regression to the rule noUnusedPrivateClassMembers.

  • #​8119 8d64655 Thanks @​ematipico! - Improved the type inference engine, by resolving types for variables that are assigned to multiple values.

  • #​8158 fb1458b Thanks @​dyc3! - Added the useVueValidVText lint rule to enforce valid v-text directives. The rule reports when v-text has an argument, has modifiers, or is missing a value.

    Invalid:

    <div v-text />
    <!-- missing value -->
    <div v-text:aaa="foo" />
    <!-- has argument -->
    <div v-text.bbb="foo" />
    <!-- has modifier -->
    
  • #​8158 fb1458b Thanks @​dyc3! - Fixed useVueValidVHtml so that it will now flag empty strings, e.g. v-html=""

  • #​7078 bb7a15c Thanks @​emilyinure! - Fixed #​6675: Now only flags
    noAccumulatingSpread on Object.assign when a new object is being allocated on
    each iteration. Before, all cases using Object.assign with reduce parameters
    were warned despite not making new allocations.

    The following code will no longer be a false positive:

    foo.reduce((acc, bar) => Object.assign(acc, bar), {});
    

    The following cases which do make new allocations will continue to warn:

    foo.reduce((acc, bar) => Object.assign({}, acc, bar), {});
    
  • #​8175 0c8349e Thanks @​ryan-m-walker! - Fixed CSS formatting of dimension units to use correct casing for Q, Hz and kHz.

    Before:

    .cssUnits {
      a: 1Q;
      b: 1Hz;
      c: 1kHz;
    }
    

    After:

    .cssUnits {
      a: 1Q;
      b: 1Hz;
      c: 1kHz;
    }
    

v2.3.6

Compare Source

Patch Changes
  • #​8100 82b9a8e Thanks @​Netail! - Added the nursery rule useFind. Enforce the use of Array.prototype.find() over Array.prototype.filter() followed by [0] when looking for a single result.

    Invalid:

    [1, 2, 3].filter((x) => x > 1)[0];
    
    [1, 2, 3].filter((x) => x > 1).at(0);
    
  • #​8118 dbc7021 Thanks @​hirokiokada77! - Fixed #​8117: useValidLang now accepts valid BCP 47 language tags with script subtags.

    Valid:

    <html lang="zh-Hans-CN"></html>
    
  • #​7672 f1d5725 Thanks @​Netail! - Added the nursery rule useConsistentGraphqlDescriptions, requiring all descriptions to follow the same style (either block or inline) inside GraphQL files.

    Invalid:

    enum EnumValue {
      "this is a description"
      DEFAULT
    }
    

    Valid:

    enum EnumValue {
      """
      this is a description
      """
      DEFAULT
    }
    
  • #​8026 f102661 Thanks @​matanshavit! - Fixed #​8004: noParametersOnlyUsedInRecursion now correctly detects recursion by comparing function bindings instead of just names.

    Previously, the rule incorrectly flagged parameters when a method had the same name as an outer function but called the outer function (not itself):

    function notRecursive(arg) {
      return arg;
    }
    
    const obj = {
      notRecursive(arg) {
        return notRecursive(arg); // This calls the outer function, not the method itself
      },
    };
    

    Biome now properly distinguishes between these cases and will not report false positives.

  • #​8097 5fc5416 Thanks @​dyc3! - Added the nursery rule noVueVIfWithVFor. This rule disallows v-for and v-if on the same element.

    <!-- Invalid -->
    <div v-for="item in items" v-if="item.isActive">
      {{ item.name }}
    </div>
    
  • #​8085 7983940 Thanks @​Netail! - Added the nursery rule noForIn. Disallow iterating using a for-in loop.

    Invalid:

    for (const i in array) {
      console.log(i, array[i]);
    }
    
  • #​8086 2b41e82 Thanks @​matanshavit! - Fixed #​8045: The noNestedTernary rule now correctly detects nested ternary expressions even when they are wrapped in parentheses (e.g. foo ? (bar ? 1 : 2) : 3).

    Previously, the rule would not flag nested ternaries like foo ? (bar ? 1 : 2) : 3 because the parentheses prevented detection. The rule now looks through parentheses to identify nested conditionals.

    Previously not detected (now flagged):

    const result = foo ? (bar ? 1 : 2) : 3;
    

    Still valid (non-nested with parentheses):

    const result = foo ? bar : baz;
    
  • #​8075 e403868 Thanks @​YTomm! - Fixed #​7948: The useReadonlyClassProperties code fix when checkAllProperties is enabled will no longer insert a newline after readonly and the class property.

  • #​8102 47d940e Thanks @​lucasweng! - Fixed #​8027. useReactFunctionComponents no longer reports class components that implement componentDidCatch using class expressions.

    The rule now correctly recognizes error boundaries defined as class expressions:

    const ErrorBoundary = class extends Component {
      componentDidCatch(error, info) {}
    
      render() {
        return this.props.children;
      }
    };
    
  • #​8097 5fc5416 Thanks @​dyc3! - Added the nursery rule useVueHyphenatedAttributes, which encourages using kebab case for attribute names, per the Vue style guide's recommendations.

    <!-- Invalid -->
    <MyComponent myProp="value" />
    
    <!-- Valid -->
    <MyComponent my-prop="value" />
    
  • #​8108 0f0a658 Thanks @​Netail! - Added the nursery rule noSyncScripts. Prevent the usage of synchronous scripts.

    Invalid:

    <script src="https://third-party-script.js" />
    

    Valid:

    <script src="https://third-party-script.js" async />
    <script src="https://third-party-script.js" defer />
    
  • #​8098 1fdcaf0 Thanks @​Jayllyz! - Added documentation URLs to rule descriptions in the JSON schema.

  • #​8097 5fc5416 Thanks @​dyc3! - Fixed an issue with the HTML parser where it would treat Vue directives with dynamic arguments as static arguments instead.

  • #​7684 f4433b3 Thanks @​vladimir-ivanov! - Changed noUnusedPrivateClassMembers to align more fully with meaningful reads.

    This rule now distinguishes more carefully between writes and reads of private class members.

    • A meaningful read is any access that affects program behavior.
    • For example, this.#x += 1 both reads and writes #x, so it counts as usage.
    • Pure writes without a read (e.g. this.#x = 1 with no getter) are no longer treated as usage.

    This change ensures that private members are only considered “used” when they are actually read in a way that influences execution.

    Invalid examples (previously valid)

    class UsedMember {
      set #x(value) {
        doSomething(value);
      }
    
      foo() {
        // This assignment does not actually read #x, because there is no getter.
        // Previously, this was considered a usage, but now it’s correctly flagged.
        this.#x = 1;
      }
    }
    

    Valid example (Previously invalid)

    class Foo {
      #usedOnlyInWriteStatement = 5;
    
      method() {
        // This counts as a meaningful read because we both read and write the value.
        this.#usedOnlyInWriteStatement += 42;
      }
    }
    
  • #​7684 f4433b3 Thanks @​vladimir-ivanov! - Improved detection of used private class members

    The analysis for private class members has been improved: now the tool only considers a private member “used” if it is actually referenced in the code.

    • Previously, some private members might have been reported as used even if they weren’t actually accessed.
    • With this change, only members that are truly read or called in the code are counted as used.
    • Members that are never accessed will now be correctly reported as unused.

    This makes reports about unused private members more accurate and helps you clean up truly unused code.

    Example (previously valid)

    type YesNo = "yes" | "no";
    
    export class SampleYesNo {
      private yes: () => void;
      private no: () => void;
      private dontKnow: () => void; // <- will now report as unused
    
      on(action: YesNo): void {
        this[action]();
      }
    }
    
  • #​7681 b406db6 Thanks @​kedevked! - Added the new lint rule, useSpread, ported from the ESLint rule prefer-spread.

    This rule enforces the use of the spread syntax (...) over Function.prototype.apply() when calling variadic functions, as spread syntax is generally more concise and idiomatic in modern JavaScript (ES2015+).

    The rule provides a safe fix.

Invalid
Math.max.apply(Math, args);
foo.apply(undefined, args);
obj.method.apply(obj, args);
Valid
Math.max(...args);
foo(...args);
obj.method(...args);

// Allowed: cases where the `this` binding is intentionally changed
foo.apply(otherObj, args);
  • #​7287 aa55c8d Thanks @​ToBinio! - Fixed #​7205: The noDuplicateTestHooks rule now treats chained describe variants (e.g., describe.each/for/todo) as proper describe scopes, eliminating false positives.

    The following code will no longer be a false positive:

    describe("foo", () => {
      describe.for([])("baz", () => {
        beforeEach(() => {});
      });
    
      describe.todo("qux", () => {
        beforeEach(() => {});
      });
    
      describe.todo.each([])("baz", () => {
        beforeEach(() => {});
      });
    });
    
  • #​8013 0c0edd4 Thanks @​Jayllyz! - Added the GraphQL nursery rule useUniqueGraphqlOperationName. This rule ensures that all GraphQL operations within a document have unique names.

    Invalid:

    query user {
      user {
        id
      }
    }
    
    query user {
      user {
        id
        email
      }
    }
    

    Valid:

    query user {
      user {
        id
      }
    }
    
    query userWithEmail {
      user {
        id
        email
      }
    }
    
  • #​8084 c2983f9 Thanks @​dyc3! - Fixed #​8080: The HTML parser, when parsing Vue, can now properly handle Vue directives with no argument, modifiers, or initializer (e.g. v-else). It will no longer treat subsequent valid attributes as bogus.

    <p v-else class="flex">World</p>
    <!-- Fixed: class now gets parsed as it's own attribute -->
    
  • #​8104 041196b Thanks @​Conaclos! - Fixed noInvalidUseBeforeDeclaration.
    The rule no longer reports a use of an ambient variable before its declarations.
    The rule also completely ignores TypeScript declaration files.
    The following code is no longer reported as invalid:

    CONSTANT;
    declare const CONSTANT: number;
    
  • #​8060 ba7b076 Thanks @​dyc3! - Added the nursery rule useVueValidVBind, which enforces the validity of v-bind directives in Vue files.

    Invalid v-bind usages include:

    <Foo v-bind />
    <!-- Missing argument -->
    <Foo v-bind:foo />
    <!-- Missing value -->
    <Foo v-bind:foo.bar="baz" />
    <!-- Invalid modifier -->
    
  • #​8113 fb8e3e7 Thanks @​Conaclos! - Fixed noInvalidUseBeforeDeclaration.
    The rule now reports invalid use of classes, enums, and TypeScript's import-equals before their declarations.

    The following code is now reported as invalid:

    new C();
    class C {}
    
  • #​8077 0170dcb Thanks @​dyc3! - Added the rule useVueValidVElseIf to enforce valid v-else-if directives in Vue templates. This rule reports invalid v-else-if directives with missing conditional expressions or when not preceded by a v-if or v-else-if directive.

  • #​8077 0170dcb Thanks @​dyc3! - Added the rule useVueValidVElse to enforce valid v-else directives in Vue templates. This rule reports v-else directives that are not preceded by a v-if or v-else-if directive.

  • #​8077 0170dcb Thanks @​dyc3! - Added the rule useVueValidVHtml to enforce valid usage of the v-html directive in Vue templates. This rule reports v-html directives with missing expressions, unexpected arguments, or unexpected modifiers.

  • #​8077 0170dcb Thanks @​dyc3! - Added the rule useVueValidVIf to enforce valid v-if directives in Vue templates. It disallows arguments and modifiers, and ensures a value is provided.

  • #​8077 0170dcb Thanks @​dyc3! - Added the rule useVueValidVOn to enforce valid v-on directives in Vue templates. This rule reports invalid v-on / shorthand @ directives with missing event names, invalid modifiers, or missing handler expressions.

v2.3.5

Compare Source

Patch Changes
  • #​8023 96f3e77 Thanks @​ematipico! - Added support Svelte syntax {@&#8203;html}. Biome now is able to parse and format the Svelte syntax {@&#8203;html}:

    -{@&#8203;html   'div'}
    +{@&#8203;html 'div'}
    

    The contents of the expressions inside the {@&#8203;html <expression>} aren't formatted yet.

  • #​8058 5f68bcc Thanks @​ematipico! - Fixed a bug where the Biome Language Server would enable its project file watcher even when no project rules were enabled.

    Now the watching of nested configuration files and nested ignore files is delegated to the editor, if their LSP spec supports it.

  • #​8023 96f3e77 Thanks @​ematipico! - Added support Svelte syntax {@&#8203;render}. Biome now is able to parse and format the Svelte syntax {@&#8203;render}:

    -{@&#8203;render   sum(1, 2)   }
    +{@&#8203;render sum(1, 2)}
    

    The contents of the expressions inside the {@&#8203;render <expression>} aren't formatted yet.

  • #​8006 f0612a5 Thanks @​Bertie690! - Updated documentation and diagnostic for lint/complexity/noBannedTypes. The rule should have a more detailed description and diagnostic error message.

  • #​8039 da70d8b Thanks @​PFiS1737! - Biome now keeps a blank line after the frontmatter section in Astro files.

  • #​8042 b7efa6f Thanks @​dyc3! - The CSS Parser, with tailwindDirectives enabled, will now accept at rules like @media and @supports in @custom-variant shorthand syntax.

  • #​8064 3ff9d45 Thanks @​dibashthapa! - Fixed #​7967: Fixed the issue with support for advanced SVG props

  • #​8023 96f3e77 Thanks @​ematipico! - Added support Svelte syntax {@&#8203;attach}. Biome now is able to parse and format the Svelte syntax {@&#8203;attach}:

    -<div {@&#8203;attach    myAttachment   }>...</div>
    +<div {@&#8203;attach myAttachment}>...</div>
    

    The contents of the expressions inside the {@&#8203;attach <expression>} aren't formatted yet.

  • #​8001 6e8a50e Thanks @​ematipico! - Added support Svelte syntax {#key}. Biome now is able to parse and format the Svelte syntax {#key}:

    -{#key   expression} <div></div> {/key}
    +{#key expression}
    +  <div></div>
    +{/key}
    

    The contents of the expressions inside the {#key <expression>} aren't formatted yet.

  • #​8023 96f3e77 Thanks @​ematipico! - Added support Svelte syntax {@&#8203;const}. Biome now is able to parse and format the Svelte syntax {@&#8203;const}:

    -{@&#8203;const   name = value}
    +{@&#8203;const name = value}
    

    The contents of the expressions inside the {@&#8203;const <expression>} aren't formatted yet.

  • #​8044 8f77d4a Thanks @​Netail! - Corrected rule source references. biome migrate eslint should do a bit better detecting rules in your eslint configurations.

  • #​8065 1a2d1af Thanks @​Netail! - Added the nursery rule useArraySortCompare. Require Array#sort and Array#toSorted calls to always provide a compareFunction.

    Invalid:

    const array = [];
    array.sort();
    

    Valid:

    const array = [];
    array.sort((a, b) => a - b);
    
  • #​7673 a3a713d Thanks @​dyc3! - The HTML parser is now able to parse vue directives. This enables us to write/port Vue lint rules that require inspecting the <template> section. However, this more complex parsing may result in parsing errors where there was none before. For those of you that have opted in to the experimental support (aka experimentalFullSupportEnabled), we greatly appreciate your help testing this out, and your bug reports.

  • #​8031 fa6798a Thanks @​ematipico! - Added support for the Svelte syntax {#if}{/if}. The Biome HTML parser is now able to parse and format the {#if}{/if} blocks:

    <!-- if / else-if / else -->
    {#if porridge.temperature > 100}
    -<p>too hot!</p>
    +  <p>too hot!</p>
    {:else if 80 > porridge.temperature}
    -<p>too cold!</p>
    +  <p>too cold!</p>
    {:else if 100 > porridge.temperature}
    -<p>too too cold!</p>
    +  <p>too too cold!</p>
    {:else}
    -<p>just right!</p>
    +  <p>just right!</p>
    {/if}
    
  • #​8041 beeb7bb Thanks @​dyc3! - The CSS parser, with tailwindDirectives enabled, will now accept lists of selectors in @custom-variant shorthand syntax.

    @&#8203;custom-variant cell (th:has(&), td:has(&));
    
  • #​8028 c09e45c Thanks @​fmajestic! - The GitLab reporter now outputs format errors.

  • #​8037 78011b1 Thanks @​PFiS1737! - indentScriptAndStyle no longer indents the frontmatter in Astro files.

  • #​8009 6374b1f Thanks @​tmcw! - Fixed an edge case in the useArrowFunction rule.

    The rule no longer emits diagnostics for or offers to fix functions that reference
    the arguments object,
    because that object is undefined for arrow functions.

    Valid example:

    // Valid: this function cannot be transformed into an arrow function because
    // arguments is not defined for arrow functions.
    const getFirstArg = function () {
      return arguments[0];
    };
    

v2.3.4

Compare Source

Patch Changes
  • #​7989 4855c4a Thanks @​alissonlauffer! - Fixed a regression in Astro frontmatter parsing where comments inside quoted strings were incorrectly detected as actual comments. This caused the parser to prematurely terminate frontmatter parsing when encountering strings like const test = "//";.
    For example, the following Astro frontmatter now parses correctly:

    ---
    const test = "// not a real comment";
    ---
    
  • #​7968 0b28f5f Thanks @​denbezrukov! - Refactored formatter to use strict Token element for better performance. The new Token variant is optimized for static, ASCII-only text (keywords, operators, punctuation) with the following constraints:

    • ASCII only (no Unicode characters)
    • No newlines (\n, \r)
    • No tab characters (\t)

    This enables faster printing and fitting logic by using bulk string operations (push_str, len()) instead of character-by-character iteration with Unicode width calculations.

  • #​7941 19b8280 Thanks @​Conaclos! - Fixed #​7943. Rules' options are now properly merged with the inherited options from a shared configuration.

    This means that you can now override a specific option from a rule without resetting the other options to their default.

    Given the following shared configuration:

    {
      "linter": {
        "rules": {
          "style": {
            "useNamingConvention": {
              "level": "on",
              "options": {
                "strictCase": false,
                "conventions": [
                  {
                    "selector": { "kind": "variable", "scope": "global" },
                    "formats": ["CONSTANT_CASE"]
                  }
                ]
              }
            }
          }
        }
      }
    }
    

    And the user configuration that extends this shared configuration:

    {
      "extends": ["shared.json"],
      "linter": {
        "rules": {
          "style": {
            "useNamingConvention": {
              "level": "on",
              "options": { "strictCase": true }
            }
          }
        }
      }
    }
    

    The obtained merged configuration is now as follows:

    {
      "extends": ["shared.json"],
      "linter": {
        "rules": {
          "style": {
            "useNamingConvention": {
              "level": "on",
              "options": {
                "strictCase": true,
                "conventions": [
                  {
                    "selector": { "kind": "variable", "scope": "global" },
                    "formats": ["CONSTANT_CASE"]
                  }
                ]
              }
            }
          }
        }
      }
    }
    
  • #​7969 425963d Thanks @​ematipico! - Added support for the Svelte syntax {@&#8203;debug}. The Biome HTML parser is now able to parse and format the blocks:

    -{@&#8203;debug     foo,bar,    something}
    +{@&#8203;debug foo, bar, something}
    
  • #​7986 3256f82 Thanks @​lisiur! - Fixed #​7981. Now Biome correctly detects and parses lang='tsx' and lang='jsx' languages when used inside in .vue files, when .experimentalFullSupportEnabled is enabled.

  • #​7921 547c2da Thanks @​dyc3! - Fixed #​7854: The CSS parser, with tailwindDirectives enabled, will now parse @source inline("underline");.

  • #​7856 c9e20c3 Thanks @​Netail! - Added the nursery rule noContinue. Disallowing the usage of the continue statement, structured control flow statements such as if should be used instead.

    Invalid:

    let sum = 0,
      i;
    
    for (i = 0; i < 10; i++) {
      if (i >= 5) {
        continue;
      }
    
      sum += i;
    }
    

    Valid:

    let sum = 0,
      i;
    
    for (i = 0; i < 10; i++) {
      if (i < 5) {
        sum += i;
      }
    }
    

v2.3.3

Compare Source

Patch Changes

v2.3.2

Compare Source

Patch Changes
  • #​7859 c600618 Thanks @​Netail! - Added the nursery rule noIncrementDecrement, disallows the usage of the unary operators ++ and --.

  • #​7901 0d17b05 Thanks @​ematipico! - Fixed #​7837, where Biome couldn't properly parse text expressions that contained nested curly brackets. This was breaking parsing in Astro and Svelte files.

  • #​7874 e617d36 Thanks @​Bertie690! - Fixed #​7230: noUselessStringConcat no longer emits false positives for multi-line strings with leading + operators.

    Previously, the rule did not check for leading newlines on the + operator, emitting false positives if one occurred at the start of a line.
    Notably, formatting with operatorLinebreak="before" would move the + operators to the start of lines automatically, resulting in spurious errors whenever a multi-line string was used.

    Now, the rule correctly detects and ignores multi-line concatenations with leading operators as well, working regardless of the setting of operatorLinebreak.

    Example

    // The following code used to error if the `+` operators were at the start of lines (as opposed to the end).
    // Now, the rule correctly recognizes this as a stylistic concatenation and ignores it.
    const reallyLongStringThatShouldNotError =
      "Lorem ipsum dolor sit amet consectetur adipiscing elit." +
      "Quisque faucibus ex sapien vitae pellentesque sem placerat." +
      "In id cursus mi pretium tellus duis convallis." +
      "Tempus leo eu aenean sed diam urna tempor. Pulvinar vivamus fringilla";
    
  • #​7786 33ffcd5 Thanks @​daivinhtran! - Fixed #​7601: Properly match Grit plugin's code snippet with only one child.

  • #​7901 0d17b05 Thanks @​ematipico! - Fixed #​7837, where Biome Language Server panicked when opening HTML-ish files when the experimental full support is enabled.

v2.3.1

Compare Source

Patch Changes
  • #​7840 72afdfa Thanks @​ematipico! - Fixed #​7838, which caused the new --css-parse-* arguments not being recognised by the ci command.

  • #​7789 d5b416e Thanks @​fronterior! - Fixed the LSP method workspace/didChangeWorkspaceFolders to perform incremental updates instead of replacing the entire folder list.

  • #​7852 bd254c7 Thanks @​dyc3! - Fixed #​7843: The CSS parser, when tailwindDirectives is enabled, correctly parses --*: initial;.

  • #​7872 0fe13fe Thanks @​dyc3! - Fixed #​7861: The HTML parser will now accept Svelte attribute shorthand syntax in .svelte files.

  • #​7866 7b2600b Thanks @​dyc3! - Fixed #​7860: The css parser, with tailwindDirectives enabled, will now accept @plugin options.

  • #​7853 fe90c78 Thanks @​dyc3! - Fixed #​7848: The css parser with tailwindDirectives enabled will now correctly parse tailwind's source exclude syntax: @source not "foo.css";

  • #​7878 c9f7fe5 Thanks @​ematipico! - Fixed #​7857: Biome now parses <script> tags as TypeScript when analysing .astro files.

  • #​7867 b42b718 Thanks @​smorimoto! - Fixed incorrect option name in HTML parser error message.

    The error message for disabled text expressions incorrectly referred
    to the html.parser.textExpression option, which does not exist.
    Updated it to reference the correct html.parser.interpolation option.

v2.3.0

Compare Source

Minor Changes
Example

Given the following file structure:

tsconfig.json

{
  "compilerOptions": {
    "baseUrl": "./src"
  }
}

src/foo.ts

export function foo() {}

In this scenario, import { foo } from "foo"; should work regardless of the
location of the file containing the import statement.

Fixes #​6432.

  • #​7745 6fcbc07 Thanks @​dyc3! - Added ignore option to noUnknownAtRules. If an unknown at-rule matches any of the items provided in ignore, a diagnostic won't be emitted.

  • #​7753 63cb7ff Thanks @​ematipico! - Enhanced the init command. The init command now checks if the existing project contains known ignore files and known generated folders.

    If Biome finds .gitignore or .ignore files, it will add the following configuration to biome.json:

    {
    +  "vcs": {
    +    "enabled": true,
    +    "clientKind": "git",
    +    "useIgnoreFile": true
    +  }
    }
    

    If Biome finds a dist/ folder, it will exclude it automatically using the double-exclude syntax:

    {
    +  "files": {
    +    "includes": ["**", "!!**/dist"]
    +  }
    }
    
  • #​7548 85d3a3a Thanks @​siketyan! - The rules in a domain are no longer enabled automatically by the installed dependencies unless the rule is recommended.

  • #​7723 d3aac63 Thanks @​ematipico! - Added --css-parse-css-modules CLI flag to control whether CSS Modules syntax is enabled.

    You can now enable or disable CSS Modules parsing directly from the command line:

    biome check --css-parse-css-modules=true file.module.css
    biome format --css-parse-css-modules=true file.module.css
    biome lint --css-parse-css-modules=true file.module.css
    biome ci --css-parse-css-modules=true file.module.css
    
  • #​7723 d3aac63 Thanks @​ematipico! - Added --css-parse-tailwind-directives CLI flag to control whether Tailwind CSS 4.0 directives and functions are enabled.

    You can now enable or disable Tailwind CSS 4.0 directive parsing directly from the command line:

    biome check --css-parse-tailwind-directives=true file.css
    biome format --css-parse-tailwind-directives=true file.css
    biome lint --css-parse-tailwind-directives=true file.css
    biome ci --css-parse-tailwind-directives=true file.css
    
  • #​7330 272632f Thanks @​ematipico! - Updated the formatting of .svelte and .vue files. Now the indentation of the JavaScript blocks matches Prettier's:

    <script>
    - import Component from "./Component"
    +   import Component from "./Component"
    </script>
    
  • #​7333 de0d2d6 Thanks @​dyc3! - Implemented the indentScriptAndStyle option for vue and svelte files, with the default set to false to match Prettier's vueIndentScriptAndStyle option. When enabled, this option indents the content within <script> and <style> tags to align with the surrounding HTML structure.

    It can be enabled with this configuration:

    {
      "html": {
        "formatter": {
          "indentScriptAndStyle": true
        }
      }
    }
    

    Which will format this code to:

    <script>
    import Component from "./Component.vue";
    </script>
    
  • #​7359 ebbddc4 Thanks @​arendjr! - Deprecated the option files.experimentalScannerIgnores in favour of force-ignore syntax in files.includes.

    files.includes supports ignoring files by prefixing globs with an exclamation mark (!). With this change, it also supports force-ignoring globs by prefixing them with a double exclamation mark (!!).

    The effect of force-ignoring is that the scanner will not index files matching the glob, even in project mode, even if those files are imported by other files, and even if they are files that receive special treatment by Biome, such as nested biome.json files.

Example

Let's take the following configuration:

{
  "files": {
    "includes": [
      "**",
      "!**/generated",
      "!!**/dist",
      "fixtures/example/dist/*.js"
    ]
  },
  "linter": {
    "domains": {
      "project": "all"
    }
  }
}

This configuration achieves the following:

  • Because the project domain is enabled, all supported files in the project are indexed and processed by the linter, except:
  • Files inside a generated folder are not processed by the linter, but they will get indexed if a file outside a generated folder imports them.
  • Files inside a dist folder are never indexed nor processed, not even if they are imported for any purpose, except:
  • When the dist folder is inside fixtures/example/, its .js files do get both indexed and processed.

In general, we now recommend using the force-ignore syntax for any folders that contain output files, such as build/ and dist/. For such folders, it is highly unlikely that indexing has any useful benefits. For folders containing generated files, you may wish to use the regular ignore syntax so that type information can still be extracted from the files.

experimentalScannerIgnores will continue to work for now, but you'll see a deprecation warning if you still use it.

Run the biome migrate --write command to automatically update the configuration file.

  • #​7698 3b6f5e3 Thanks @​ematipico! - Added a new reporter named rdjson. This reporter prints diagnostics following the RDJSON format:

    The following command:

    biome check --reporter=rdjson
    

    Will emit diagnostics in the following format:

    {
      "source": {
        "name": "Biome",
        "url": "https://biomejs.dev"
      },
      "diagnostics": [
        {
          "code": {
            "url": "https://biomejs.dev/linter/rules/no-unused-imports",
            "value": "lint/correctness/noUnusedImports"
          },
          "location": {
            "path": "index.ts",
            "range": {
              "end": {
                "column": 11,
                "line": 0
              },
              "start": {
                "column": 7,
                "line": 0
              }
            }
          },
          "message": "This import is unused."
        },
        {
          "code": {
            "url": "https://biomejs.dev/linter/rules/no-unused-imports",
            "value": "lint/correctness/noUnusedImports"
          },
          "location": {
            "path": "index.ts",
            "range": {
              "end": {
                "column": 10,
                "line": 1
              },
              "start": {
                "column": 9,
                "line": 1
              }
            }
          },
          "message": "Several of these imports are unused."
        }
      ]
    }
    
  • #​7719 188a767 Thanks @​cadunass! - The formatWithErrors option can now be set via CLI using the --format-with-errors flag.

    This flag was previously only available in the configuration file. It allows formatting to proceed on files with syntax errors, which is useful during development when you want to auto-format code while fixing syntax issues.

Example
biome format --format-with-errors=true --write file.js
  • #​7723 d3aac63 Thanks @​ematipico! - Added --json-parse-allow-comments CLI flag to control whether comments are allowed in JSON files.

    You can now enable or disable comment parsing in JSON files directly from the command line:

    biome check --json-parse-allow-comments=true file.json
    biome format --json-parse-allow-comments=true file.json
    biome lint --json-parse-allow-comments=true file.json
    biome ci --json-parse-allow-comments=true file.json
    
  • #​7723 d3aac63 Thanks @​ematipico! - Added --json-parse-allow-trailing-commas CLI flag to control whether trailing commas are allowed in JSON files.

    You can now enable or disable trailing comma parsing in JSON files directly from the command line:

    biome check --json-parse-allow-trailing-commas=true file.json
    biome format --json-parse-allow-trailing-commas=true file.json
    biome lint --json-parse-allow-trailing-commas=true file.json
    biome ci --json-parse-allow-trailing-commas=true file.json
    
  • #​7758 cea002f Thanks @​ematipico! - Promoted new lint rules:

    • Promoted noNonNullAssertedOptionalChain to the suspicious group
    • Promoted useReactFunctionComponents to the style group
    • Promoted useImageSize to the correctness group
    • Promoted useConsistentTypeDefinitions to the style group
    • Promoted useQwikClasslist to the correctness group
    • Promoted noSecrets to the security group

    Removed the lint rule useAnchorHref, because its use case is covered by useValidAnchor.

  • #​6356 296627d Thanks @​wrick17! - Added the new checkstyle reporter. When --reporter=checkstyle is passed to the CLI, Biome will emit diagnostics for Checkstyle format:

    <?xml version="1.0" encoding="utf-8"?>
    <checkstyle version="4.3">
      <file name="index.ts">
        <error line="1" column="8" severity="warning" message="This import is unused." source="lint/correctness/noUnusedImports" />
        <error line="2" column="10" severity="warning" message="Several of these imports are unused." source="lint/correctness/noUnusedImports" />
        <error line="8" column="5" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" />
        <error line="9" column="7" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" />
        <error line="1" column="1" severity="error" message="The imports and exports are not sorted." source="assist/source/organizeImports" />
        <error line="4" column="3" severity="error" message="Using == may be unsafe if you are relying on type coercion." source="lint/suspicious/noDoubleEquals" />
        <error line="6" column="1" severity="error" message="This is an unexpected use of the debugger statement." source="lint/suspicious/noDebugger" />
        <error line="8" column="5" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" />
        <error line="9" column="7" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" />
        <error line="2" column="10" severity="error" message="Shouldn&apos;t redeclare &apos;z&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" />
        <error line="9" column="7" severity="error" message="Shouldn&apos;t redeclare &apos;f&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" />
        <error line="0" column="0" severity="error" message="Formatter would have printed the following content:" source="format" />
      </file>
      <file name="main.ts">
        <error line="1" column="8" severity="warning" message="This import is unused." source="lint/correctness/noUnusedImports" />
        <error line="2" column="10" severity="warning" message="Several of these imports are unused." source="lint/correctness/noUnusedImports" />
        <error line="8" column="5" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" />
        <error line="9" column="7" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" />
        <error line="1" column="1" severity="error" message="The imports and exports are not sorted." source="assist/source/organizeImports" />
        <error line="4" column="3" severity="error" message="Using == may be unsafe if you are relying on type coercion." source="lint/suspicious/noDoubleEquals" />
        <error line="6" column="1" severity="error" message="This is an unexpected use of the debugger statement." source="lint/suspicious/noDebugger" />
        <error line="8" column="5" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" />
        <error line="9" column="7" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" />
        <error line="2" column="10" severity="error" message="Shouldn&apos;t redeclare &apos;z&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" />
        <error line="9" column="7" severity="error" message="Shouldn&apos;t redeclare &apos;f&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" />
        <error line="0" column="0" severity="error" message="Formatter would have printed the following content:" source="format" />
      </file>
    </checkstyle>
    
  • #​7488 b13e524 Thanks @​kpapa05! - Added "@​rbxts/react" as an alias for "react" for handling the reactClassic jsxRuntime.

  • #​7536 0bccd34 Thanks @​TheAlexLichter! - Added .oxlintrc.json to well-known files.

  • #​7548 85d3a3a Thanks @​siketyan! - The following rules are now a part of the react domain, and they won't be enabled automatically unless you enabled the domain, or Biome detects react as a dependency of your closest package.json:

  • #​7667 480909a Thanks @​ematipico! - Added the ability to show severity Information diagnostics in reporter outputs.

    If one or more rules are triggered, and they are configured to emit an Information diagnostic, now they're counted in the final output:

    Checked 1 file in <TIME>. No fixes applied.
    Found 1 info.
    
  • #​7702 28e8860 Thanks @​ematipico! - Added linting and assist support for .html files, with addition of two new configurations:

    • html.linter.enabled
    • html.assist.enabled

    The HTML linter, in this release, only contains the rule noHeaderScope. More rules will be released in the upcoming releases.

  • #​7164 f66b0c5 Thanks @​dyc3! - Added a new CSS parser option tailwindDirectives. Enabling this option will allow all of Tailwind v4's syntax additions to be parsed and formatted by Biome.

    You can enable this by setting css.parser.tailwindDirectives to true in your Biome configuration.

    {
      "css": {
        "parser": {
          "tailwindDirectives": true
        }
      }
    }
    
  • #​7669 6ed4d16 Thanks @​barklund! - React 19.2 support is now supported in Biome:

  • #​7702 28e8860 Thanks @​ematipico! - Added experimental full support for HTML, Vue, Svelte and Astro files. In this release, the HTML parser
    has been enhanced, and it's now able to parse .vue, .svelte and .astro files.

    This means that now Biome is able to lint and format the JavaScript (TypeScript), HTML and CSS code that is contained in these files.

    Now that the main architecture is stable and working, in the upcoming patches and minors we will also fix possible inaccuracies and edge cases coming from existing lint rules, such as noUnusedVariables inside <script> blocks or frontmatter.

    The support is considered experimental because there might be cases that aren't fine-parsed yet, hence causing possible inaccuracies when it comes to formatting and linting.

  • #​7599 09445c8 Thanks @​anaisbetts! - #### lineEnding has a new option auto

    The option lineEnding now has a variant called auto to match the operating system's expected
    line-ending style: on Windows, this will be CRLF (\r\n), and on macOS / Linux, this will
    be LF (\n).

    This allows for cross-platform projects that use Biome not to have to
    force one option or the other, which aligns better with Git's default behavior
    on these platforms.

    Example usage:

    {
      "formatter": {
        "lineEnding": "auto"
      }
    }
    
    biome format --line-ending auto
    
  • #​7392 e4feb8e Thanks @​ematipico! - Added new capabilities to the CLI arguments --skip and --only, available to the biome lint command.

    --skip and --only can now accept domain names; when provided, Biome will run or skip all the rules that belong to a certain domain.

    For example, the following command will only run the rules that belong to the next domain:

    biome lint --only=next
    

    Another example, the following command will skip the rules that belong to the project domain:

    biome lint --skip=project
    
  • #​7702 28e8860 Thanks @​ematipico! - Added a new option called html.interpolation. This option enables the parsing of text expressions (or interpolation) in HTML files.

    The following file.html will be correctly formatted:

    <!-- file.html -->
    <div>
      Hello {{ name }}!
      <p>Your balance is: {{ account.balance }}</p>
      <button>{{ isLoading ? "Loading..." : "Submit" }}</button>
    </div>
    

    To note that html.interpolation only parses text expressions that are delimited by double curly braces ({{ }}). The content of expressions is parsed as normal text.

Patch Changes
  • #​7712 fcc9b42 Thanks @​minht11! - Added new rule useVueDefineMacrosOrder which allows enforcing specific order for Vue compiler macros.

    In this example, the rule will suggest moving defineProps before defineEmits:

    <script lang="ts" setup>
    const emit = defineEmits(["update"]);
    const props = defineProps<{ name: string }>();
    </script>
    
  • #​7698 3b6f5e3 Thanks @​ematipico! - Fixed an issue where the JUnit reporter returned a zero-based location. Now the location returned is one-based.

  • #​7819 ef45056 Thanks @​ematipico! - Fixed #​7788. Removes some error logging that were emitted when loading possible configuration files.

  • #​7593 e51dd55 Thanks @​arendjr! - Fixed an issue with the files.maxSize setting. Previously the setting would always be looked up in the root settings, even in monorepos where a closer biome.json is available. It now correctly uses the nearest configuration.

  • #​7825 ad55b35 Thanks @​Conaclos! - Fixed #​7798. useNamingConvention no longer panics when it encounters a name that consists of a single dollar sign $ that doesn't match a custom convention.

  • #​7764 93be2ab Thanks @​gaauwe! - Fixed #​6589: Biome now properly loads extension settings before loading the configuration file when opening a text document in the LSP server.

v2.2.7

Compare Source

Patch Changes

v2.2.6

Compare Source

Patch Changes
  • #​7071 a8e7301 Thanks @​ptkagori! - Added the useQwikMethodUsage lint rule for the Qwik domain.

    This rule validates Qwik hook usage. Identifiers matching useXxx must be called only within serialisable reactive contexts (for example, inside component$, route loaders/actions, or within other Qwik hooks), preventing common Qwik antipatterns.

    Invalid:

    // Top-level hook call is invalid.
    const state = useStore({ count: 0 });
    
    function helper() {
      // Calling a hook in a non-reactive function is invalid.
      const loc = useLocation();
    }
    

    Valid:

    component$(() => {
      const state = useStore({ count: 0 }); // OK inside component$.
      return <div>{state.count}</div>;
    });
    
    const handler = $(() => {
      const loc = useLocation(); // OK inside a $-wrapped closure.
      console.log(loc.params);
    });
    
  • #​7685 52071f5 Thanks @​denbezrukov! - Fixed #​6981: The NoUnknownPseudoClass rule no longer reports local pseudo-classes when CSS Modules are used.

  • #​7640 899f7b2 Thanks @​arendjr! - Fixed #​7638: useImportExtensions no longer emits diagnostics on valid import paths that end with a query or hash.

Example
// This no longer warns if `index.css` exists:
import style from "../theme/index.css?inline";
  • #​7071 a8e7301 Thanks @​ptkagori! - Added the useQwikValidLexicalScope rule to the Qwik domain.

    This rule helps you avoid common bugs in Qwik components by checking that your variables and functions are declared in the correct place.

    Invalid:

    // Invalid: state defined outside the component's lexical scope.
    let state = useStore({ count: 0 });
    const Component = component$(() => {
      return (
        <button onClick$={() => state.count++}>Invalid: {state.count}</button>
      );
    });
    

    Valid:

    // Valid: state initialised within the component's lexical scope and captured by the event.
    const Component = component$(() => {
      const state = useStore({ count: 0 });
      return <button onClick$={() => state.count++}>Valid: {state.count}</button>;
    });
    
  • #​7620 5beb1ee Thanks @​Netail! - Added the rule useDeprecatedDate, which makes a deprecation date required for the graphql @deprecated directive.

    Invalid
    query {
      member @&#8203;deprecated(reason: "Use `members` instead") {
        id
      }
    }
    
    Valid
    query {
      member
        @&#8203;deprecated(reason: "Use `members` instead", deletionDate: "2099-12-25") {
        id
      }
    }
    
  • #​7709 d6da4d5 Thanks @​siketyan! - Fixed #​7704: The useExhaustiveDependencies rule now correctly adds an object dependency when its method is called within the closure.

    For example:

    function Component(props) {
      useEffect(() => {
        props.foo();
      }, []);
    }
    

    will now be fixed to:

    function Component(props) {
      useEffect(() => {
        props.foo();
      }, [props]);
    }
    
  • #​7624 309ae41 Thanks @​lucasweng! - Fixed #​7595: noUselessEscapeInString no longer reports $\{ escape in template literals.

  • #​7665 29e4229 Thanks @​ryan-m-walker! - Fixed #​7619: Added support for parsing the CSS :state() pseudo-class.

    custom-selector:state(checked) {
    }
    
  • #​7608 41df59b Thanks @​ritoban23! - Fixed #​7604: the useMaxParams rule now highlights parameter lists instead of entire function bodies. This provides more precise error highlighting. Previously, the entire function was highlighted; now only the parameter list is highlighted, such as (a, b, c, d, e, f, g, h).

  • #​7643 459a6ac Thanks @​daivinhtran! - Fixed #​7580: Include plugin in summary report


Configuration

📅 Schedule: Branch creation - Between 12:00 AM and 03:59 AM ( * 0-3 * * * ) (UTC), Automerge - At any time (no schedule defined).

🚦 Automerge: Disabled by config. Please merge this manually once you are satisfied.

Rebasing: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox.

🔕 Ignore: Close this PR and you won't be reminded about this update again.


  • If you want to rebase/retry this PR, check this box

This PR has been generated by Renovate Bot.

This PR contains the following updates: | Package | Change | Age | Confidence | |---|---|---|---| | [@biomejs/biome](https://biomejs.dev) ([source](https://github.com/biomejs/biome/tree/HEAD/packages/@biomejs/biome)) | [`2.2.5` -> `2.3.7`](https://renovatebot.com/diffs/npm/@biomejs%2fbiome/2.2.5/2.3.7) | [![age](https://developer.mend.io/api/mc/badges/age/npm/@biomejs%2fbiome/2.3.7?slim=true)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://developer.mend.io/api/mc/badges/confidence/npm/@biomejs%2fbiome/2.2.5/2.3.7?slim=true)](https://docs.renovatebot.com/merge-confidence/) | --- ### Release Notes <details> <summary>biomejs/biome (@&#8203;biomejs/biome)</summary> ### [`v2.3.7`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#237) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.6...@biomejs/biome@2.3.7) ##### Patch Changes - [#&#8203;8169](https://github.com/biomejs/biome/pull/8169) [`7fdcec8`](https://github.com/biomejs/biome/commit/7fdcec8eb4ce9f28784f823ef01bd923d2c5d1cb) Thanks [@&#8203;arendjr](https://github.com/arendjr)! - Fixed [#&#8203;7999](https://github.com/biomejs/biome/issues/7999): Correctly place `await` after leading comment in auto-fix action from `noFloatingPromises` rule. - [#&#8203;8157](https://github.com/biomejs/biome/pull/8157) [`12d5b42`](https://github.com/biomejs/biome/commit/12d5b422e388a3f5a906930f2cf04b6835c05258) Thanks [@&#8203;Conaclos](https://github.com/Conaclos)! - Fixed [#&#8203;8148](https://github.com/biomejs/biome/issues/8148). [`noInvalidUseBeforeDeclaration`](https://biomejs.dev/linter/rules/no-invalid-use-before-declaration/) no longer reports some valid use before declarations. The following code is no longer reported as invalid: ```ts class classA { C = C; } const C = 0; ``` - [#&#8203;8178](https://github.com/biomejs/biome/pull/8178) [`6ba4157`](https://github.com/biomejs/biome/commit/6ba41570e088765cab5b7075f55335296a005c94) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;8174](https://github.com/biomejs/biome/issues/8174), where the HTML parser would parse 2 directives as a single directive because it would not reject whitespace in Vue directives. This would cause the formatter to erroneously merge the 2 directives into one, resulting in broken code. ```diff - <Component v-else:property="123" /> + <Component v-else :property="123" /> ``` - [#&#8203;8088](https://github.com/biomejs/biome/pull/8088) [`0eb08e8`](https://github.com/biomejs/biome/commit/0eb08e8e34f96b5a4fd8cc67f430b614736b6d4c) Thanks [@&#8203;db295](https://github.com/db295)! - Fixed [#&#8203;7876](https://github.com/biomejs/biome/issues/7876): The [`noUnusedImports`](https://biomejs.dev/linter/rules/no-unused-imports/) rule now ignores imports that are used by [@&#8203;linkcode](https://github.com/linkcode) and [@&#8203;linkplain](https://github.com/linkplain) (previously supported [@&#8203;link](https://github.com/link) and [@&#8203;see](https://github.com/see)). The following code will no longer be a false positive: ```js import type { a } from "a" /** * {@&#8203;linkcode a} */ function func() {} ``` - [#&#8203;8119](https://github.com/biomejs/biome/pull/8119) [`8d64655`](https://github.com/biomejs/biome/commit/8d6465554ef9cd97f017102892f948593b0f26f1) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Improved the detection of the rule `noUnnecessaryConditions`. Now the rule isn't triggered for variables that are mutated inside a module. This logic deviates from the original rule, hence `noUnnecessaryConditions` is now marked as "inspired". In the following example, `hey` starts as `false`, but then it's assigned to a string. The rule isn't triggered inside the `if` check. ```js let hey = false; function test() { hey = "string"; } if (hey) { } ``` - [#&#8203;8149](https://github.com/biomejs/biome/pull/8149) [`e0a02bf`](https://github.com/biomejs/biome/commit/e0a02bf2cda1b7d32a1ce756d2c8b7883a320488) Thanks [@&#8203;Netail](https://github.com/Netail)! - Fixed [#&#8203;8144](https://github.com/biomejs/biome/issues/8144): Improve [`noSyncScripts`](https://biomejs.dev/linter/rules/no-sync-scripts), ignore script tags with `type="module"` as these are always non-blocking. - [#&#8203;8182](https://github.com/biomejs/biome/pull/8182) [`e9f068e`](https://github.com/biomejs/biome/commit/e9f068ece0db13fc37d19d1db7e43d7643b9209f) Thanks [@&#8203;hirokiokada77](https://github.com/hirokiokada77)! - Fixed [#&#8203;7877](https://github.com/biomejs/biome/issues/7877): Range suppressions now handle suppressed categories properly. **Valid:** ```js // biome-ignore-start lint: explanation const foo = 1; // biome-ignore-end lint: explanation ``` - [#&#8203;8111](https://github.com/biomejs/biome/pull/8111) [`bf1a836`](https://github.com/biomejs/biome/commit/bf1a8364a7191b8180c4dc3e61f1287e1058e1ec) Thanks [@&#8203;ryan-m-walker](https://github.com/ryan-m-walker)! - Added support for parsing and formatting the [CSS if function](https://developer.mozilla.org/en-US/docs/Web/CSS/Reference/Values/if). ***Example*** ```css .basic-style { color: if(style(--scheme: dark): #eeeeee; else: #&#8203;000000;); } ``` - [#&#8203;8173](https://github.com/biomejs/biome/pull/8173) [`7fc07c1`](https://github.com/biomejs/biome/commit/7fc07c12abe755cb813b188f5c821d356c2c67c9) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;8138](https://github.com/biomejs/biome/issues/8138) by reverting an internal refactor that caused a regression to the rule `noUnusedPrivateClassMembers`. - [#&#8203;8119](https://github.com/biomejs/biome/pull/8119) [`8d64655`](https://github.com/biomejs/biome/commit/8d6465554ef9cd97f017102892f948593b0f26f1) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Improved the type inference engine, by resolving types for variables that are assigned to multiple values. - [#&#8203;8158](https://github.com/biomejs/biome/pull/8158) [`fb1458b`](https://github.com/biomejs/biome/commit/fb1458b33c1e871ae129e14cf23d76391129eb8d) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the `useVueValidVText` lint rule to enforce valid `v-text` directives. The rule reports when `v-text` has an argument, has modifiers, or is missing a value. Invalid: ```vue <div v-text /> <!-- missing value --> <div v-text:aaa="foo" /> <!-- has argument --> <div v-text.bbb="foo" /> <!-- has modifier --> ``` - [#&#8203;8158](https://github.com/biomejs/biome/pull/8158) [`fb1458b`](https://github.com/biomejs/biome/commit/fb1458b33c1e871ae129e14cf23d76391129eb8d) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed `useVueValidVHtml` so that it will now flag empty strings, e.g. `v-html=""` - [#&#8203;7078](https://github.com/biomejs/biome/pull/7078) [`bb7a15c`](https://github.com/biomejs/biome/commit/bb7a15c3d8fba790ef6f32f070dff1d719c18c33) Thanks [@&#8203;emilyinure](https://github.com/emilyinure)! - Fixed [#&#8203;6675](https://github.com/biomejs/biome/issues/6675): Now only flags noAccumulatingSpread on Object.assign when a new object is being allocated on each iteration. Before, all cases using Object.assign with reduce parameters were warned despite not making new allocations. The following code will no longer be a false positive: ```js foo.reduce((acc, bar) => Object.assign(acc, bar), {}); ``` The following cases which **do** make new allocations will continue to warn: ```js foo.reduce((acc, bar) => Object.assign({}, acc, bar), {}); ``` - [#&#8203;8175](https://github.com/biomejs/biome/pull/8175) [`0c8349e`](https://github.com/biomejs/biome/commit/0c8349e6869a5bc8fafdbf23f95dcee5b56c738e) Thanks [@&#8203;ryan-m-walker](https://github.com/ryan-m-walker)! - Fixed CSS formatting of dimension units to use correct casing for `Q`, `Hz` and `kHz`. **Before:** ```css .cssUnits { a: 1Q; b: 1Hz; c: 1kHz; } ``` **After:** ```css .cssUnits { a: 1Q; b: 1Hz; c: 1kHz; } ``` ### [`v2.3.6`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#236) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.5...@biomejs/biome@2.3.6) ##### Patch Changes - [#&#8203;8100](https://github.com/biomejs/biome/pull/8100) [`82b9a8e`](https://github.com/biomejs/biome/commit/82b9a8eb3ddeb396c9c4615fb316bdd1eb3c7a49) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`useFind`](https://biomejs.dev/linter/rules/use-find/). Enforce the use of Array.prototype.find() over Array.prototype.filter() followed by \[0] when looking for a single result. **Invalid:** ```js [1, 2, 3].filter((x) => x > 1)[0]; [1, 2, 3].filter((x) => x > 1).at(0); ``` - [#&#8203;8118](https://github.com/biomejs/biome/pull/8118) [`dbc7021`](https://github.com/biomejs/biome/commit/dbc7021016e2314344893b371de1a43f13c0c03b) Thanks [@&#8203;hirokiokada77](https://github.com/hirokiokada77)! - Fixed [#&#8203;8117](https://github.com/biomejs/biome/issues/8117): [`useValidLang`](https://biomejs.dev/linter/rules/use-valid-lang/) now accepts valid [BCP 47 language tags](https://developer.mozilla.org/en-US/docs/Glossary/BCP_47_language_tag) with script subtags. **Valid:** ```html <html lang="zh-Hans-CN"></html> ``` - [#&#8203;7672](https://github.com/biomejs/biome/pull/7672) [`f1d5725`](https://github.com/biomejs/biome/commit/f1d5725d0660ffb1e29c3694cd100b1c37bf50d5) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`useConsistentGraphqlDescriptions`](https://biomejs.dev/linter/rules/use-consistent-graphql-descriptions/), requiring all descriptions to follow the same style (either block or inline) inside GraphQL files. **Invalid:** ```graphql enum EnumValue { "this is a description" DEFAULT } ``` **Valid:** ```graphql enum EnumValue { """ this is a description """ DEFAULT } ``` - [#&#8203;8026](https://github.com/biomejs/biome/pull/8026) [`f102661`](https://github.com/biomejs/biome/commit/f10266193d9fd0bdb51eda3001b4068defb78a66) Thanks [@&#8203;matanshavit](https://github.com/matanshavit)! - Fixed [#&#8203;8004](https://github.com/biomejs/biome/issues/8004): [`noParametersOnlyUsedInRecursion`](https://biomejs.dev/linter/rules/no-parameters-only-used-in-recursion/) now correctly detects recursion by comparing function bindings instead of just names. Previously, the rule incorrectly flagged parameters when a method had the same name as an outer function but called the outer function (not itself): ```js function notRecursive(arg) { return arg; } const obj = { notRecursive(arg) { return notRecursive(arg); // This calls the outer function, not the method itself }, }; ``` Biome now properly distinguishes between these cases and will not report false positives. - [#&#8203;8097](https://github.com/biomejs/biome/pull/8097) [`5fc5416`](https://github.com/biomejs/biome/commit/5fc5416ae1a64dfae977241eb3f30601999039b7) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the nursery rule [`noVueVIfWithVFor`](https://biomejs.dev/linter/rules/no-vue-v-if-with-v-for/). This rule disallows `v-for` and `v-if` on the same element. ```vue <!-- Invalid --> <div v-for="item in items" v-if="item.isActive"> {{ item.name }} </div> ``` - [#&#8203;8085](https://github.com/biomejs/biome/pull/8085) [`7983940`](https://github.com/biomejs/biome/commit/798394072bc757443501224b22f943d5e052220b) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`noForIn`](https://biomejs.dev/linter/rules/no-for-in/). Disallow iterating using a for-in loop. **Invalid:** ```js for (const i in array) { console.log(i, array[i]); } ``` - [#&#8203;8086](https://github.com/biomejs/biome/pull/8086) [`2b41e82`](https://github.com/biomejs/biome/commit/2b41e82de4f2735446599b2f73353ecd8382438f) Thanks [@&#8203;matanshavit](https://github.com/matanshavit)! - Fixed [#&#8203;8045](https://github.com/biomejs/biome/issues/8045): The [`noNestedTernary`](https://biomejs.dev/linter/rules/no-nested-ternary/) rule now correctly detects nested ternary expressions even when they are wrapped in parentheses (e.g. `foo ? (bar ? 1 : 2) : 3`). Previously, the rule would not flag nested ternaries like `foo ? (bar ? 1 : 2) : 3` because the parentheses prevented detection. The rule now looks through parentheses to identify nested conditionals. **Previously not detected (now flagged):** ```js const result = foo ? (bar ? 1 : 2) : 3; ``` **Still valid (non-nested with parentheses):** ```js const result = foo ? bar : baz; ``` - [#&#8203;8075](https://github.com/biomejs/biome/pull/8075) [`e403868`](https://github.com/biomejs/biome/commit/e403868e2231b4e4e956ff3d9443c7e55adab247) Thanks [@&#8203;YTomm](https://github.com/YTomm)! - Fixed [#&#8203;7948](https://github.com/biomejs/biome/issues/7948): The `useReadonlyClassProperties` code fix when `checkAllProperties` is enabled will no longer insert a newline after `readonly` and the class property. - [#&#8203;8102](https://github.com/biomejs/biome/pull/8102) [`47d940e`](https://github.com/biomejs/biome/commit/47d940e30c78fff2519c72a0c51f6cd0633a7d2b) Thanks [@&#8203;lucasweng](https://github.com/lucasweng)! - Fixed [#&#8203;8027](https://github.com/biomejs/biome/issues/8027). [`useReactFunctionComponents`](https://biomejs.dev/linter/rules/use-react-function-components/) no longer reports class components that implement `componentDidCatch` using class expressions. The rule now correctly recognizes error boundaries defined as class expressions: ```jsx const ErrorBoundary = class extends Component { componentDidCatch(error, info) {} render() { return this.props.children; } }; ``` - [#&#8203;8097](https://github.com/biomejs/biome/pull/8097) [`5fc5416`](https://github.com/biomejs/biome/commit/5fc5416ae1a64dfae977241eb3f30601999039b7) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the nursery rule [`useVueHyphenatedAttributes`](https://biomejs.dev/linter/rules/use-vue-hyphenated-attributes/), which encourages using kebab case for attribute names, per the Vue style guide's recommendations. ```vue <!-- Invalid --> <MyComponent myProp="value" /> <!-- Valid --> <MyComponent my-prop="value" /> ``` - [#&#8203;8108](https://github.com/biomejs/biome/pull/8108) [`0f0a658`](https://github.com/biomejs/biome/commit/0f0a65884b615109a1282e88f18efbaca3d223b0) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`noSyncScripts`](https://biomejs.dev/linter/rules/no-sync-scripts/). Prevent the usage of synchronous scripts. **Invalid:** ```jsx <script src="https://third-party-script.js" /> ``` **Valid:** ```jsx <script src="https://third-party-script.js" async /> <script src="https://third-party-script.js" defer /> ``` - [#&#8203;8098](https://github.com/biomejs/biome/pull/8098) [`1fdcaf0`](https://github.com/biomejs/biome/commit/1fdcaf0336a92cde9becbf8cba502ac0091b2b1d) Thanks [@&#8203;Jayllyz](https://github.com/Jayllyz)! - Added documentation URLs to rule descriptions in the JSON schema. - [#&#8203;8097](https://github.com/biomejs/biome/pull/8097) [`5fc5416`](https://github.com/biomejs/biome/commit/5fc5416ae1a64dfae977241eb3f30601999039b7) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed an issue with the HTML parser where it would treat Vue directives with dynamic arguments as static arguments instead. - [#&#8203;7684](https://github.com/biomejs/biome/pull/7684) [`f4433b3`](https://github.com/biomejs/biome/commit/f4433b34e3ad9686bdde08727453e3caf0409412) Thanks [@&#8203;vladimir-ivanov](https://github.com/vladimir-ivanov)! - Changed [`noUnusedPrivateClassMembers`](https://biomejs.dev/linter/rules/no-unused-private-class-members/) to align more fully with meaningful reads. This rule now distinguishes more carefully between writes and reads of private class members. - A *meaningful read* is any access that affects program behavior. - For example, `this.#x += 1` both reads and writes `#x`, so it counts as usage. - Pure writes without a read (e.g. `this.#x = 1` with no getter) are no longer treated as usage. This change ensures that private members are only considered “used” when they are actually read in a way that influences execution. ***Invalid examples (previously valid)*** ```ts class UsedMember { set #x(value) { doSomething(value); } foo() { // This assignment does not actually read #x, because there is no getter. // Previously, this was considered a usage, but now it’s correctly flagged. this.#x = 1; } } ``` ***Valid example (Previously invalid)*** ```js class Foo { #usedOnlyInWriteStatement = 5; method() { // This counts as a meaningful read because we both read and write the value. this.#usedOnlyInWriteStatement += 42; } } ``` - [#&#8203;7684](https://github.com/biomejs/biome/pull/7684) [`f4433b3`](https://github.com/biomejs/biome/commit/f4433b34e3ad9686bdde08727453e3caf0409412) Thanks [@&#8203;vladimir-ivanov](https://github.com/vladimir-ivanov)! - **Improved detection of used private class members** The analysis for private class members has been improved: now the tool only considers a private member “used” if it is actually referenced in the code. - Previously, some private members might have been reported as used even if they weren’t actually accessed. - With this change, only members that are truly read or called in the code are counted as used. - Members that are never accessed will now be correctly reported as unused. This makes reports about unused private members more accurate and helps you clean up truly unused code. ***Example (previously valid)*** ```ts type YesNo = "yes" | "no"; export class SampleYesNo { private yes: () => void; private no: () => void; private dontKnow: () => void; // <- will now report as unused on(action: YesNo): void { this[action](); } } ``` - [#&#8203;7681](https://github.com/biomejs/biome/pull/7681) [`b406db6`](https://github.com/biomejs/biome/commit/b406db667f2dddd177f7c45ecc9e98a83b796a0a) Thanks [@&#8203;kedevked](https://github.com/kedevked)! - Added the new lint rule, [`useSpread`](https://biomejs.dev/linter/rules/use-spread/), ported from the ESLint rule [`prefer-spread`](https://eslint.org/docs/latest/rules/prefer-spread). This rule enforces the use of the **spread syntax** (`...`) over `Function.prototype.apply()` when calling variadic functions, as spread syntax is generally more concise and idiomatic in modern JavaScript (ES2015+). The rule provides a safe fix. ##### Invalid ```js Math.max.apply(Math, args); foo.apply(undefined, args); obj.method.apply(obj, args); ``` ##### Valid ```js Math.max(...args); foo(...args); obj.method(...args); // Allowed: cases where the `this` binding is intentionally changed foo.apply(otherObj, args); ``` - [#&#8203;7287](https://github.com/biomejs/biome/pull/7287) [`aa55c8d`](https://github.com/biomejs/biome/commit/aa55c8d57231e21a1b00318c0a226335ddda4792) Thanks [@&#8203;ToBinio](https://github.com/ToBinio)! - Fixed [#&#8203;7205](https://github.com/biomejs/biome/issues/7205): The [`noDuplicateTestHooks`](https://biomejs.dev/linter/rules/no-duplicate-test-hooks/) rule now treats chained describe variants (e.g., describe.each/for/todo) as proper describe scopes, eliminating false positives. The following code will no longer be a false positive: ```js describe("foo", () => { describe.for([])("baz", () => { beforeEach(() => {}); }); describe.todo("qux", () => { beforeEach(() => {}); }); describe.todo.each([])("baz", () => { beforeEach(() => {}); }); }); ``` - [#&#8203;8013](https://github.com/biomejs/biome/pull/8013) [`0c0edd4`](https://github.com/biomejs/biome/commit/0c0edd4311610a5e064f99e13824d0b4c5a9f873) Thanks [@&#8203;Jayllyz](https://github.com/Jayllyz)! - Added the GraphQL nursery rule [`useUniqueGraphqlOperationName`](https://biomejs.dev/linter/rules/use-unique-graphql-operation-name). This rule ensures that all GraphQL operations within a document have unique names. **Invalid:** ```graphql query user { user { id } } query user { user { id email } } ``` **Valid:** ```graphql query user { user { id } } query userWithEmail { user { id email } } ``` - [#&#8203;8084](https://github.com/biomejs/biome/pull/8084) [`c2983f9`](https://github.com/biomejs/biome/commit/c2983f9776d23045c7ea7a092e5eb71d18abf2e0) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;8080](https://github.com/biomejs/biome/issues/8080): The HTML parser, when parsing Vue, can now properly handle Vue directives with no argument, modifiers, or initializer (e.g. `v-else`). It will no longer treat subsequent valid attributes as bogus. ```vue <p v-else class="flex">World</p> <!-- Fixed: class now gets parsed as it's own attribute --> ``` - [#&#8203;8104](https://github.com/biomejs/biome/pull/8104) [`041196b`](https://github.com/biomejs/biome/commit/041196bc2a1d62f2cde758884e85d180491ff2da) Thanks [@&#8203;Conaclos](https://github.com/Conaclos)! - Fixed [`noInvalidUseBeforeDeclaration`](https://biomejs.dev/linter/rules/no-invalid-use-before-declaration/). The rule no longer reports a use of an ambient variable before its declarations. The rule also completely ignores TypeScript declaration files. The following code is no longer reported as invalid: ```ts CONSTANT; declare const CONSTANT: number; ``` - [#&#8203;8060](https://github.com/biomejs/biome/pull/8060) [`ba7b076`](https://github.com/biomejs/biome/commit/ba7b0765894522a3436f00df9355255f8678f9d6) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the nursery rule [`useVueValidVBind`](https://biomejs.dev/linter/rules/use-vue-valid-v-bind/), which enforces the validity of `v-bind` directives in Vue files. Invalid `v-bind` usages include: ```vue <Foo v-bind /> <!-- Missing argument --> <Foo v-bind:foo /> <!-- Missing value --> <Foo v-bind:foo.bar="baz" /> <!-- Invalid modifier --> ``` - [#&#8203;8113](https://github.com/biomejs/biome/pull/8113) [`fb8e3e7`](https://github.com/biomejs/biome/commit/fb8e3e76776b891f037edf308179fc64e4865a4d) Thanks [@&#8203;Conaclos](https://github.com/Conaclos)! - Fixed [`noInvalidUseBeforeDeclaration`](https://biomejs.dev/linter/rules/no-invalid-use-before-declaration/). The rule now reports invalid use of classes, enums, and TypeScript's import-equals before their declarations. The following code is now reported as invalid: ```js new C(); class C {} ``` - [#&#8203;8077](https://github.com/biomejs/biome/pull/8077) [`0170dcb`](https://github.com/biomejs/biome/commit/0170dcb1f1aa99ae80c042ab38c94ed4bdcdc936) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the rule [`useVueValidVElseIf`](https://biomejs.dev/linter/rules/use-vue-valid-v-else-if/) to enforce valid `v-else-if` directives in Vue templates. This rule reports invalid `v-else-if` directives with missing conditional expressions or when not preceded by a `v-if` or `v-else-if` directive. - [#&#8203;8077](https://github.com/biomejs/biome/pull/8077) [`0170dcb`](https://github.com/biomejs/biome/commit/0170dcb1f1aa99ae80c042ab38c94ed4bdcdc936) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the rule [`useVueValidVElse`](https://biomejs.dev/linter/rules/use-vue-valid-v-else/) to enforce valid `v-else` directives in Vue templates. This rule reports `v-else` directives that are not preceded by a `v-if` or `v-else-if` directive. - [#&#8203;8077](https://github.com/biomejs/biome/pull/8077) [`0170dcb`](https://github.com/biomejs/biome/commit/0170dcb1f1aa99ae80c042ab38c94ed4bdcdc936) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the rule [`useVueValidVHtml`](https://biomejs.dev/linter/rules/use-vue-valid-v-html/) to enforce valid usage of the `v-html` directive in Vue templates. This rule reports `v-html` directives with missing expressions, unexpected arguments, or unexpected modifiers. - [#&#8203;8077](https://github.com/biomejs/biome/pull/8077) [`0170dcb`](https://github.com/biomejs/biome/commit/0170dcb1f1aa99ae80c042ab38c94ed4bdcdc936) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the rule [`useVueValidVIf`](https://biomejs.dev/linter/rules/use-vue-valid-v-if/) to enforce valid `v-if` directives in Vue templates. It disallows arguments and modifiers, and ensures a value is provided. - [#&#8203;8077](https://github.com/biomejs/biome/pull/8077) [`0170dcb`](https://github.com/biomejs/biome/commit/0170dcb1f1aa99ae80c042ab38c94ed4bdcdc936) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added the rule [`useVueValidVOn`](https://biomejs.dev/linter/rules/use-vue-valid-v-on/) to enforce valid `v-on` directives in Vue templates. This rule reports invalid `v-on` / shorthand `@` directives with missing event names, invalid modifiers, or missing handler expressions. ### [`v2.3.5`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#235) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.4...@biomejs/biome@2.3.5) ##### Patch Changes - [#&#8203;8023](https://github.com/biomejs/biome/pull/8023) [`96f3e77`](https://github.com/biomejs/biome/commit/96f3e778a38aa5f48e67eb44b545cba6330dc192) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support Svelte syntax `{@&#8203;html}`. Biome now is able to parse and format the Svelte syntax [`{@&#8203;html}`](https://svelte.dev/docs/svelte/@&#8203;html): ```diff -{@&#8203;html 'div'} +{@&#8203;html 'div'} ``` The contents of the expressions inside the `{@&#8203;html <expression>}` aren't formatted yet. - [#&#8203;8058](https://github.com/biomejs/biome/pull/8058) [`5f68bcc`](https://github.com/biomejs/biome/commit/5f68bcc9ae9208366bf5aed932b3ae3082ba21b1) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed a bug where the Biome Language Server would enable its project file watcher even when no project rules were enabled. Now the watching of nested configuration files and nested ignore files is delegated to the editor, if their LSP spec supports it. - [#&#8203;8023](https://github.com/biomejs/biome/pull/8023) [`96f3e77`](https://github.com/biomejs/biome/commit/96f3e778a38aa5f48e67eb44b545cba6330dc192) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support Svelte syntax `{@&#8203;render}`. Biome now is able to parse and format the Svelte syntax [`{@&#8203;render}`](https://svelte.dev/docs/svelte/@&#8203;render): ```diff -{@&#8203;render sum(1, 2) } +{@&#8203;render sum(1, 2)} ``` The contents of the expressions inside the `{@&#8203;render <expression>}` aren't formatted yet. - [#&#8203;8006](https://github.com/biomejs/biome/pull/8006) [`f0612a5`](https://github.com/biomejs/biome/commit/f0612a511449944cacfe01f6884ca52b4f50e768) Thanks [@&#8203;Bertie690](https://github.com/Bertie690)! - Updated documentation and diagnostic for `lint/complexity/noBannedTypes`. The rule should have a more detailed description and diagnostic error message. - [#&#8203;8039](https://github.com/biomejs/biome/pull/8039) [`da70d8b`](https://github.com/biomejs/biome/commit/da70d8be5d8288397a60cdea52d2a6e5f976cace) Thanks [@&#8203;PFiS1737](https://github.com/PFiS1737)! - Biome now keeps a blank line after the frontmatter section in Astro files. - [#&#8203;8042](https://github.com/biomejs/biome/pull/8042) [`b7efa6f`](https://github.com/biomejs/biome/commit/b7efa6f783adc42864b15b7ff2cb2ed6803190e2) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - The CSS Parser, with `tailwindDirectives` enabled, will now accept at rules like `@media` and `@supports` in `@custom-variant` shorthand syntax. - [#&#8203;8064](https://github.com/biomejs/biome/pull/8064) [`3ff9d45`](https://github.com/biomejs/biome/commit/3ff9d45df031b811333d40fe62b1b24a3c5d5f43) Thanks [@&#8203;dibashthapa](https://github.com/dibashthapa)! - Fixed [#&#8203;7967](https://github.com/biomejs/biome/issues/7967): Fixed the issue with support for advanced SVG props - [#&#8203;8023](https://github.com/biomejs/biome/pull/8023) [`96f3e77`](https://github.com/biomejs/biome/commit/96f3e778a38aa5f48e67eb44b545cba6330dc192) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support Svelte syntax `{@&#8203;attach}`. Biome now is able to parse and format the Svelte syntax [`{@&#8203;attach}`](https://svelte.dev/docs/svelte/@&#8203;attach): ```diff -<div {@&#8203;attach myAttachment }>...</div> +<div {@&#8203;attach myAttachment}>...</div> ``` The contents of the expressions inside the `{@&#8203;attach <expression>}` aren't formatted yet. - [#&#8203;8001](https://github.com/biomejs/biome/pull/8001) [`6e8a50e`](https://github.com/biomejs/biome/commit/6e8a50e720135012832e04728d6c0e38b8bb74a1) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support Svelte syntax `{#key}`. Biome now is able to parse and format the Svelte syntax [`{#key}`](https://svelte.dev/docs/svelte/key): ```diff -{#key expression} <div></div> {/key} +{#key expression} + <div></div> +{/key} ``` The contents of the expressions inside the `{#key <expression>}` aren't formatted yet. - [#&#8203;8023](https://github.com/biomejs/biome/pull/8023) [`96f3e77`](https://github.com/biomejs/biome/commit/96f3e778a38aa5f48e67eb44b545cba6330dc192) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support Svelte syntax `{@&#8203;const}`. Biome now is able to parse and format the Svelte syntax [`{@&#8203;const}`](https://svelte.dev/docs/svelte/@&#8203;const): ```diff -{@&#8203;const name = value} +{@&#8203;const name = value} ``` The contents of the expressions inside the `{@&#8203;const <expression>}` aren't formatted yet. - [#&#8203;8044](https://github.com/biomejs/biome/pull/8044) [`8f77d4a`](https://github.com/biomejs/biome/commit/8f77d4a33ceb2c85867b09c0ffe589d1e66c8db7) Thanks [@&#8203;Netail](https://github.com/Netail)! - Corrected rule source references. `biome migrate eslint` should do a bit better detecting rules in your eslint configurations. - [#&#8203;8065](https://github.com/biomejs/biome/pull/8065) [`1a2d1af`](https://github.com/biomejs/biome/commit/1a2d1af3604f36703da298017fd3cacf14e118a5) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`useArraySortCompare`](https://biomejs.dev/linter/rules/use-array-sort-compare/). Require Array#sort and Array#toSorted calls to always provide a compareFunction. **Invalid:** ```js const array = []; array.sort(); ``` **Valid:** ```js const array = []; array.sort((a, b) => a - b); ``` - [#&#8203;7673](https://github.com/biomejs/biome/pull/7673) [`a3a713d`](https://github.com/biomejs/biome/commit/a3a713d5760821d58e065280d54e9826d18be7c3) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - The HTML parser is now able to parse vue directives. This enables us to write/port Vue lint rules that require inspecting the `<template>` section. However, this more complex parsing may result in parsing errors where there was none before. For those of you that have opted in to the experimental support (aka `experimentalFullSupportEnabled`), we greatly appreciate your help testing this out, and your bug reports. - [#&#8203;8031](https://github.com/biomejs/biome/pull/8031) [`fa6798a`](https://github.com/biomejs/biome/commit/fa6798a62a2c13464bdb3eb61dfe6fd5e61c320e) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support for the Svelte syntax `{#if}{/if}`. The Biome HTML parser is now able to parse and format the [`{#if}{/if} blocks`](https://svelte.dev/docs/svelte/if): ```diff <!-- if / else-if / else --> {#if porridge.temperature > 100} -<p>too hot!</p> + <p>too hot!</p> {:else if 80 > porridge.temperature} -<p>too cold!</p> + <p>too cold!</p> {:else if 100 > porridge.temperature} -<p>too too cold!</p> + <p>too too cold!</p> {:else} -<p>just right!</p> + <p>just right!</p> {/if} ``` - [#&#8203;8041](https://github.com/biomejs/biome/pull/8041) [`beeb7bb`](https://github.com/biomejs/biome/commit/beeb7bba7cce26e932b2b4047566c4762990caf3) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - The CSS parser, with `tailwindDirectives` enabled, will now accept lists of selectors in `@custom-variant` shorthand syntax. ```css @&#8203;custom-variant cell (th:has(&), td:has(&)); ``` - [#&#8203;8028](https://github.com/biomejs/biome/pull/8028) [`c09e45c`](https://github.com/biomejs/biome/commit/c09e45c8670c9be0305f76cd4e443a4760daedec) Thanks [@&#8203;fmajestic](https://github.com/fmajestic)! - The GitLab reporter now outputs format errors. - [#&#8203;8037](https://github.com/biomejs/biome/pull/8037) [`78011b1`](https://github.com/biomejs/biome/commit/78011b16f9b698f65413b934df1672970505e640) Thanks [@&#8203;PFiS1737](https://github.com/PFiS1737)! - `indentScriptAndStyle` no longer indents the frontmatter in Astro files. - [#&#8203;8009](https://github.com/biomejs/biome/pull/8009) [`6374b1f`](https://github.com/biomejs/biome/commit/6374b1f6da778a132adefa17e37e9857bba7091c) Thanks [@&#8203;tmcw](https://github.com/tmcw)! - Fixed an edge case in the [`useArrowFunction`](https://biomejs.dev/linter/rules/use-arrow-function/) rule. The rule no longer emits diagnostics for or offers to fix functions that reference the [arguments object](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/arguments), because that object is undefined for arrow functions. **Valid example:** ```ts // Valid: this function cannot be transformed into an arrow function because // arguments is not defined for arrow functions. const getFirstArg = function () { return arguments[0]; }; ``` ### [`v2.3.4`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#234) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.3...@biomejs/biome@2.3.4) ##### Patch Changes - [#&#8203;7989](https://github.com/biomejs/biome/pull/7989) [`4855c4a`](https://github.com/biomejs/biome/commit/4855c4a5c28d8381dd724449d43a9a60a860edaa) Thanks [@&#8203;alissonlauffer](https://github.com/alissonlauffer)! - Fixed a regression in Astro frontmatter parsing where comments inside quoted strings were incorrectly detected as actual comments. This caused the parser to prematurely terminate frontmatter parsing when encountering strings like `const test = "//";`. For example, the following Astro frontmatter now parses correctly: ```astro --- const test = "// not a real comment"; --- ``` - [#&#8203;7968](https://github.com/biomejs/biome/pull/7968) [`0b28f5f`](https://github.com/biomejs/biome/commit/0b28f5f47aa968bd2511224679ae1cfbcf708fd7) Thanks [@&#8203;denbezrukov](https://github.com/denbezrukov)! - Refactored formatter to use strict `Token` element for better performance. The new `Token` variant is optimized for static, ASCII-only text (keywords, operators, punctuation) with the following constraints: - ASCII only (no Unicode characters) - No newlines (`\n`, `\r`) - No tab characters (`\t`) This enables faster printing and fitting logic by using bulk string operations (`push_str`, `len()`) instead of character-by-character iteration with Unicode width calculations. - [#&#8203;7941](https://github.com/biomejs/biome/pull/7941) [`19b8280`](https://github.com/biomejs/biome/commit/19b82805e013d5befc644f85f272df19ed1264ae) Thanks [@&#8203;Conaclos](https://github.com/Conaclos)! - Fixed [#&#8203;7943](https://github.com/biomejs/biome/issues/7943). Rules' `options` are now properly merged with the inherited `options` from a shared configuration. This means that you can now override a specific option from a rule without resetting the other options to their default. Given the following shared configuration: ```json { "linter": { "rules": { "style": { "useNamingConvention": { "level": "on", "options": { "strictCase": false, "conventions": [ { "selector": { "kind": "variable", "scope": "global" }, "formats": ["CONSTANT_CASE"] } ] } } } } } } ``` And the user configuration that extends this shared configuration: ```json { "extends": ["shared.json"], "linter": { "rules": { "style": { "useNamingConvention": { "level": "on", "options": { "strictCase": true } } } } } } ``` The obtained merged configuration is now as follows: ```json { "extends": ["shared.json"], "linter": { "rules": { "style": { "useNamingConvention": { "level": "on", "options": { "strictCase": true, "conventions": [ { "selector": { "kind": "variable", "scope": "global" }, "formats": ["CONSTANT_CASE"] } ] } } } } } } ``` - [#&#8203;7969](https://github.com/biomejs/biome/pull/7969) [`425963d`](https://github.com/biomejs/biome/commit/425963d636620d852547322f3f029df2ca05318c) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added support for the Svelte syntax `{@&#8203;debug}`. The Biome HTML parser is now able to parse and format the blocks: ```diff -{@&#8203;debug foo,bar, something} +{@&#8203;debug foo, bar, something} ``` - [#&#8203;7986](https://github.com/biomejs/biome/pull/7986) [`3256f82`](https://github.com/biomejs/biome/commit/3256f824a15dedf6ac23485cdef2bbc92bfc7fd9) Thanks [@&#8203;lisiur](https://github.com/lisiur)! - Fixed [#&#8203;7981](https://github.com/biomejs/biome/issues/7981). Now Biome correctly detects and parses `lang='tsx'` and `lang='jsx'` languages when used inside in `.vue` files, when `.experimentalFullSupportEnabled` is enabled. - [#&#8203;7921](https://github.com/biomejs/biome/pull/7921) [`547c2da`](https://github.com/biomejs/biome/commit/547c2da02590832d4941f017541142c17d1734a9) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7854](https://github.com/biomejs/biome/issues/7854): The CSS parser, with `tailwindDirectives` enabled, will now parse `@source inline("underline");`. - [#&#8203;7856](https://github.com/biomejs/biome/pull/7856) [`c9e20c3`](https://github.com/biomejs/biome/commit/c9e20c3780b328ff59b63fa8917938d97b090148) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`noContinue`](https://biomejs.dev/linter/rules/no-continue/). Disallowing the usage of the `continue` statement, structured control flow statements such as `if` should be used instead. **Invalid:** ```js let sum = 0, i; for (i = 0; i < 10; i++) { if (i >= 5) { continue; } sum += i; } ``` **Valid:** ```js let sum = 0, i; for (i = 0; i < 10; i++) { if (i < 5) { sum += i; } } ``` ### [`v2.3.3`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#233) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.2...@biomejs/biome@2.3.3) ##### Patch Changes - [#&#8203;7907](https://github.com/biomejs/biome/pull/7907) [`57bd662`](https://github.com/biomejs/biome/commit/57bd662ad5155c9a1f13085cc5422f56a44d282e) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7839](https://github.com/biomejs/biome/issues/7839). Now the Biome parser correctly parses the Astro frontmatter even when a triple fence is inside quotes. - [#&#8203;7934](https://github.com/biomejs/biome/pull/7934) [`a35c496`](https://github.com/biomejs/biome/commit/a35c4962e2241e127444284049012c60aec71a41) Thanks [@&#8203;alissonlauffer](https://github.com/alissonlauffer)! - Fixed [#&#8203;7919](https://github.com/biomejs/biome/issues/7919): The HTML parser now correctly handles Unicode BOM (Byte Order Mark) characters at the beginning of HTML files, ensuring proper parsing and tokenization. - [#&#8203;7869](https://github.com/biomejs/biome/pull/7869) [`c80361d`](https://github.com/biomejs/biome/commit/c80361d9abaf810bdb2e9a81cc1e4ab814d385b0) Thanks [@&#8203;matanshavit](https://github.com/matanshavit)! - Fixed [#&#8203;7864](https://github.com/biomejs/biome/issues/7864): Biome now preserves component tag name casing in Svelte, Astro, and Vue files. - [#&#8203;7926](https://github.com/biomejs/biome/pull/7926) [`69cecec`](https://github.com/biomejs/biome/commit/69cececbbaccbe5c44c71afee8e242437783cabc) Thanks [@&#8203;matanshavit](https://github.com/matanshavit)! - Added the rule [`noParametersOnlyUsedInRecursion`](https://biomejs.dev/linter/rules/no-parameters-only-used-in-recursion/). This rule detects function parameters that are exclusively used in recursive calls and can be removed to simplify the function signature since they are effectively unused. ```js function factorial(n, acc) { if (n === 0) return 1; return factorial(n - 1, acc); // acc is only used here } ``` Fixes [#&#8203;6484](https://github.com/biomejs/biome/issues/6484). - [#&#8203;7774](https://github.com/biomejs/biome/pull/7774) [`2509b91`](https://github.com/biomejs/biome/commit/2509b91cde53b8f747d397fcec5e37eb47bd524d) Thanks [@&#8203;dibashthapa](https://github.com/dibashthapa)! - Fixed [#&#8203;7657](https://github.com/biomejs/biome/issues/7657): Added the new rule [`no-unknown-property`](https://biomejs.dev/linter/rules/no-unknown-property/) from ESLint - [#&#8203;7918](https://github.com/biomejs/biome/pull/7918) [`7165d06`](https://github.com/biomejs/biome/commit/7165d067bb0162ffcc354ea3ced63c67d71bd185) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7913](https://github.com/biomejs/biome/issues/7913): The CSS parser, with `tailwindDirectives` enabled, will now correctly handle `@slot`. - [#&#8203;7959](https://github.com/biomejs/biome/pull/7959) [`ffae203`](https://github.com/biomejs/biome/commit/ffae2031a0104b6b9ca77cdedaf85202694f12f9) Thanks [@&#8203;siketyan](https://github.com/siketyan)! - Fixed the Biome Language Server so it no longer returns an internal error when the formatter is disabled in the configuration. ### [`v2.3.2`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#232) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.1...@biomejs/biome@2.3.2) ##### Patch Changes - [#&#8203;7859](https://github.com/biomejs/biome/pull/7859) [`c600618`](https://github.com/biomejs/biome/commit/c6006184a860b42fea3f0ea5fe96c47087341a90) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`noIncrementDecrement`](https://biomejs.dev/linter/rules/no-increment-decrement/), disallows the usage of the unary operators ++ and --. - [#&#8203;7901](https://github.com/biomejs/biome/pull/7901) [`0d17b05`](https://github.com/biomejs/biome/commit/0d17b05477a537b6d652a2e56c50bb1db013ef06) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7837](https://github.com/biomejs/biome/issues/7837), where Biome couldn't properly parse text expressions that contained nested curly brackets. This was breaking parsing in Astro and Svelte files. - [#&#8203;7874](https://github.com/biomejs/biome/pull/7874) [`e617d36`](https://github.com/biomejs/biome/commit/e617d363b9356bef007192a7f508e15d63f56e9b) Thanks [@&#8203;Bertie690](https://github.com/Bertie690)! - Fixed [#&#8203;7230](https://github.com/biomejs/biome/issues/7230): [`noUselessStringConcat`](https://biomejs.dev/linter/rules/no-useless-string-concat/) no longer emits false positives for multi-line strings with leading `+` operators. Previously, the rule did not check for leading newlines on the `+` operator, emitting false positives if one occurred at the start of a line. \ Notably, formatting with `operatorLinebreak="before"` would move the `+` operators to the start of lines automatically, resulting in spurious errors whenever a multi-line string was used. Now, the rule correctly detects and ignores multi-line concatenations with leading operators as well, working regardless of the setting of `operatorLinebreak`. **Example** ```ts // The following code used to error if the `+` operators were at the start of lines (as opposed to the end). // Now, the rule correctly recognizes this as a stylistic concatenation and ignores it. const reallyLongStringThatShouldNotError = "Lorem ipsum dolor sit amet consectetur adipiscing elit." + "Quisque faucibus ex sapien vitae pellentesque sem placerat." + "In id cursus mi pretium tellus duis convallis." + "Tempus leo eu aenean sed diam urna tempor. Pulvinar vivamus fringilla"; ``` - [#&#8203;7786](https://github.com/biomejs/biome/pull/7786) [`33ffcd5`](https://github.com/biomejs/biome/commit/33ffcd50a749ca0e188796a10b4ffffb59ead4b3) Thanks [@&#8203;daivinhtran](https://github.com/daivinhtran)! - Fixed [#&#8203;7601](https://github.com/biomejs/biome/issues/7601): Properly match Grit plugin's code snippet with only one child. - [#&#8203;7901](https://github.com/biomejs/biome/pull/7901) [`0d17b05`](https://github.com/biomejs/biome/commit/0d17b05477a537b6d652a2e56c50bb1db013ef06) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7837](https://github.com/biomejs/biome/issues/7837), where Biome Language Server panicked when opening HTML-ish files when the experimental full support is enabled. ### [`v2.3.1`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#231) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.3.0...@biomejs/biome@2.3.1) ##### Patch Changes - [#&#8203;7840](https://github.com/biomejs/biome/pull/7840) [`72afdfa`](https://github.com/biomejs/biome/commit/72afdfa3451eb02d499c1a2a7dc826b37e3d5f8d) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7838](https://github.com/biomejs/biome/issues/7838), which caused the new `--css-parse-*` arguments not being recognised by the `ci` command. - [#&#8203;7789](https://github.com/biomejs/biome/pull/7789) [`d5b416e`](https://github.com/biomejs/biome/commit/d5b416eae710f062fe96a4c774b3bf885857ffa8) Thanks [@&#8203;fronterior](https://github.com/fronterior)! - Fixed the LSP method `workspace/didChangeWorkspaceFolders` to perform incremental updates instead of replacing the entire folder list. - [#&#8203;7852](https://github.com/biomejs/biome/pull/7852) [`bd254c7`](https://github.com/biomejs/biome/commit/bd254c7a4c8de8fa0a2cd9ae05591b6ee881a622) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7843](https://github.com/biomejs/biome/issues/7843): The CSS parser, when `tailwindDirectives` is enabled, correctly parses `--*: initial;`. - [#&#8203;7872](https://github.com/biomejs/biome/pull/7872) [`0fe13fe`](https://github.com/biomejs/biome/commit/0fe13fea24f0c955fc0f98cf75d249b65532a192) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7861](https://github.com/biomejs/biome/issues/7861): The HTML parser will now accept Svelte attribute shorthand syntax in `.svelte` files. - [#&#8203;7866](https://github.com/biomejs/biome/pull/7866) [`7b2600b`](https://github.com/biomejs/biome/commit/7b2600b6826002311bdb5fcd89fd309496e993b2) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7860](https://github.com/biomejs/biome/issues/7860): The css parser, with `tailwindDirectives` enabled, will now accept `@plugin` options. - [#&#8203;7853](https://github.com/biomejs/biome/pull/7853) [`fe90c78`](https://github.com/biomejs/biome/commit/fe90c785e244b2a17ba8650972fb7eb6ddc6907f) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Fixed [#&#8203;7848](https://github.com/biomejs/biome/issues/7848): The css parser with `tailwindDirectives` enabled will now correctly parse tailwind's source exclude syntax: `@source not "foo.css";` - [#&#8203;7878](https://github.com/biomejs/biome/pull/7878) [`c9f7fe5`](https://github.com/biomejs/biome/commit/c9f7fe5473fad55b888dedf03d06deee777397a8) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7857](https://github.com/biomejs/biome/issues/7857): Biome now parses `<script>` tags as TypeScript when analysing `.astro` files. - [#&#8203;7867](https://github.com/biomejs/biome/pull/7867) [`b42b718`](https://github.com/biomejs/biome/commit/b42b7189e772a876fe8053a8129dbfa93ecf8255) Thanks [@&#8203;smorimoto](https://github.com/smorimoto)! - Fixed incorrect option name in HTML parser error message. The error message for disabled text expressions incorrectly referred to the `html.parser.textExpression` option, which does not exist. Updated it to reference the correct `html.parser.interpolation` option. ### [`v2.3.0`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#230) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.2.7...@biomejs/biome@2.3.0) ##### Minor Changes - [#&#8203;7263](https://github.com/biomejs/biome/pull/7263) [`a3e3369`](https://github.com/biomejs/biome/commit/a3e336937e4cef0aa4b9cd30fc4d3c195e967e86) Thanks [@&#8203;arendjr](https://github.com/arendjr)! - Biome's resolver now supports `baseUrl` if specified in `tsconfig.json`. ##### Example Given the following file structure: **`tsconfig.json`** ```json { "compilerOptions": { "baseUrl": "./src" } } ``` **`src/foo.ts`** ```ts export function foo() {} ``` In this scenario, `import { foo } from "foo";` should work regardless of the location of the file containing the `import` statement. Fixes [#&#8203;6432](https://github.com/biomejs/biome/issues/6432). - [#&#8203;7745](https://github.com/biomejs/biome/pull/7745) [`6fcbc07`](https://github.com/biomejs/biome/commit/6fcbc07e7379a34719485f306f2b4a7f7e4ed91a) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added `ignore` option to `noUnknownAtRules`. If an unknown at-rule matches any of the items provided in `ignore`, a diagnostic won't be emitted. - [#&#8203;7753](https://github.com/biomejs/biome/pull/7753) [`63cb7ff`](https://github.com/biomejs/biome/commit/63cb7ff31dc7932cf06e5f2760ef657d411a7230) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Enhanced the `init` command. The `init` command now checks if the existing project contains known ignore files and known generated folders. If Biome finds `.gitignore` or `.ignore` files, it will add the following configuration to `biome.json`: ```diff { + "vcs": { + "enabled": true, + "clientKind": "git", + "useIgnoreFile": true + } } ``` If Biome finds a `dist/` folder, it will exclude it automatically using the double-exclude syntax: ```diff { + "files": { + "includes": ["**", "!!**/dist"] + } } ``` - [#&#8203;7548](https://github.com/biomejs/biome/pull/7548) [`85d3a3a`](https://github.com/biomejs/biome/commit/85d3a3a64eeb4fc4bb6fb7829f48cb19dfe28b9d) Thanks [@&#8203;siketyan](https://github.com/siketyan)! - The rules in a domain are no longer enabled automatically by the installed dependencies unless the rule is recommended. - [#&#8203;7723](https://github.com/biomejs/biome/pull/7723) [`d3aac63`](https://github.com/biomejs/biome/commit/d3aac63b1d1db373ad838b73c416941b8d284b32) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added `--css-parse-css-modules` CLI flag to control whether CSS Modules syntax is enabled. You can now enable or disable CSS Modules parsing directly from the command line: ```shell biome check --css-parse-css-modules=true file.module.css biome format --css-parse-css-modules=true file.module.css biome lint --css-parse-css-modules=true file.module.css biome ci --css-parse-css-modules=true file.module.css ``` - [#&#8203;7723](https://github.com/biomejs/biome/pull/7723) [`d3aac63`](https://github.com/biomejs/biome/commit/d3aac63b1d1db373ad838b73c416941b8d284b32) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added `--css-parse-tailwind-directives` CLI flag to control whether Tailwind CSS 4.0 directives and functions are enabled. You can now enable or disable Tailwind CSS 4.0 directive parsing directly from the command line: ```shell biome check --css-parse-tailwind-directives=true file.css biome format --css-parse-tailwind-directives=true file.css biome lint --css-parse-tailwind-directives=true file.css biome ci --css-parse-tailwind-directives=true file.css ``` - [#&#8203;7330](https://github.com/biomejs/biome/pull/7330) [`272632f`](https://github.com/biomejs/biome/commit/272632f02c511ba2dc485d9567040197555eaeb7) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Updated the formatting of `.svelte` and `.vue` files. Now the indentation of the JavaScript blocks matches Prettier's: ```diff <script> - import Component from "./Component" + import Component from "./Component" </script> ``` - [#&#8203;7333](https://github.com/biomejs/biome/pull/7333) [`de0d2d6`](https://github.com/biomejs/biome/commit/de0d2d658a7ef192aba8c8ae37bc618a08228e41) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Implemented the `indentScriptAndStyle` option for vue and svelte files, with the default set to `false` to match [Prettier's `vueIndentScriptAndStyle` option](https://prettier.io/docs/options#vue-files-script-and-style-tags-indentation). When enabled, this option indents the content within `<script>` and `<style>` tags to align with the surrounding HTML structure. It can be enabled with this configuration: ```json { "html": { "formatter": { "indentScriptAndStyle": true } } } ``` Which will format this code to: ```vue <script> import Component from "./Component.vue"; </script> ``` - [#&#8203;7359](https://github.com/biomejs/biome/pull/7359) [`ebbddc4`](https://github.com/biomejs/biome/commit/ebbddc4612c6c05aaf71197ee9f3c57a74ab4158) Thanks [@&#8203;arendjr](https://github.com/arendjr)! - Deprecated the option `files.experimentalScannerIgnores` in favour of **force-ignore** syntax in `files.includes`. `files.includes` supports ignoring files by prefixing globs with an exclamation mark (`!`). With this change, it also supports *force*-ignoring globs by prefixing them with a double exclamation mark (`!!`). The effect of force-ignoring is that the scanner will not index files matching the glob, even in project mode, even if those files are imported by other files, and even if they are files that receive special treatment by Biome, such as nested `biome.json` files. ##### Example Let's take the following configuration: ```json { "files": { "includes": [ "**", "!**/generated", "!!**/dist", "fixtures/example/dist/*.js" ] }, "linter": { "domains": { "project": "all" } } } ``` This configuration achieves the following: - Because the [project domain](https://biomejs.dev/linter/domains/#project) is enabled, all supported files in the project are indexed *and* processed by the linter, *except*: - Files inside a `generated` folder are not processed by the linter, but they will get indexed *if* a file outside a `generated` folder imports them. - Files inside a `dist` folder are never indexed nor processed, not even if they are imported for any purpose, *except*: - When the `dist` folder is inside `fixtures/example/`, its `.js` files *do* get both indexed and processed. In general, we now recommend using the force-ignore syntax for any folders that contain *output* files, such as `build/` and `dist/`. For such folders, it is highly unlikely that indexing has any useful benefits. For folders containing generated files, you may wish to use the regular ignore syntax so that type information can still be extracted from the files. `experimentalScannerIgnores` will continue to work for now, but you'll see a deprecation warning if you still use it. Run the `biome migrate --write` command to automatically update the configuration file. - [#&#8203;7698](https://github.com/biomejs/biome/pull/7698) [`3b6f5e3`](https://github.com/biomejs/biome/commit/3b6f5e3dfaa7562050557e4f3e85bf3a613b066f) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added a new reporter named `rdjson`. This reporter prints diagnostics following the [RDJSON format](https://deepwiki.com/reviewdog/reviewdog/3.2-reviewdog-diagnostic-format): The following command: ```shell biome check --reporter=rdjson ``` Will emit diagnostics in the following format: ```json { "source": { "name": "Biome", "url": "https://biomejs.dev" }, "diagnostics": [ { "code": { "url": "https://biomejs.dev/linter/rules/no-unused-imports", "value": "lint/correctness/noUnusedImports" }, "location": { "path": "index.ts", "range": { "end": { "column": 11, "line": 0 }, "start": { "column": 7, "line": 0 } } }, "message": "This import is unused." }, { "code": { "url": "https://biomejs.dev/linter/rules/no-unused-imports", "value": "lint/correctness/noUnusedImports" }, "location": { "path": "index.ts", "range": { "end": { "column": 10, "line": 1 }, "start": { "column": 9, "line": 1 } } }, "message": "Several of these imports are unused." } ] } ``` - [#&#8203;7719](https://github.com/biomejs/biome/pull/7719) [`188a767`](https://github.com/biomejs/biome/commit/188a7678a3ef1ae80f4fb78d29575ba236730531) Thanks [@&#8203;cadunass](https://github.com/cadunass)! - The `formatWithErrors` option can now be set via CLI using the `--format-with-errors` flag. This flag was previously only available in the configuration file. It allows formatting to proceed on files with syntax errors, which is useful during development when you want to auto-format code while fixing syntax issues. ##### Example ```shell biome format --format-with-errors=true --write file.js ``` - [#&#8203;7723](https://github.com/biomejs/biome/pull/7723) [`d3aac63`](https://github.com/biomejs/biome/commit/d3aac63b1d1db373ad838b73c416941b8d284b32) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added `--json-parse-allow-comments` CLI flag to control whether comments are allowed in JSON files. You can now enable or disable comment parsing in JSON files directly from the command line: ```shell biome check --json-parse-allow-comments=true file.json biome format --json-parse-allow-comments=true file.json biome lint --json-parse-allow-comments=true file.json biome ci --json-parse-allow-comments=true file.json ``` - [#&#8203;7723](https://github.com/biomejs/biome/pull/7723) [`d3aac63`](https://github.com/biomejs/biome/commit/d3aac63b1d1db373ad838b73c416941b8d284b32) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added `--json-parse-allow-trailing-commas` CLI flag to control whether trailing commas are allowed in JSON files. You can now enable or disable trailing comma parsing in JSON files directly from the command line: ```shell biome check --json-parse-allow-trailing-commas=true file.json biome format --json-parse-allow-trailing-commas=true file.json biome lint --json-parse-allow-trailing-commas=true file.json biome ci --json-parse-allow-trailing-commas=true file.json ``` - [#&#8203;7758](https://github.com/biomejs/biome/pull/7758) [`cea002f`](https://github.com/biomejs/biome/commit/cea002f8cf733817d2fbe830afec0b5a13ecbcb7) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Promoted new lint rules: - Promoted `noNonNullAssertedOptionalChain` to the suspicious group - Promoted `useReactFunctionComponents` to the `style` group - Promoted `useImageSize` to the `correctness` group - Promoted `useConsistentTypeDefinitions` to the `style` group - Promoted `useQwikClasslist` to the `correctness` group - Promoted `noSecrets` to the `security` group Removed the lint rule `useAnchorHref`, because its use case is covered by `useValidAnchor`. - [#&#8203;6356](https://github.com/biomejs/biome/pull/6356) [`296627d`](https://github.com/biomejs/biome/commit/296627d9788fa43ae51265a7f75caa1d8c50f985) Thanks [@&#8203;wrick17](https://github.com/wrick17)! - Added the new `checkstyle` reporter. When `--reporter=checkstyle` is passed to the CLI, Biome will emit diagnostics for [Checkstyle format](https://checkstyle.org/): ```xml <?xml version="1.0" encoding="utf-8"?> <checkstyle version="4.3"> <file name="index.ts"> <error line="1" column="8" severity="warning" message="This import is unused." source="lint/correctness/noUnusedImports" /> <error line="2" column="10" severity="warning" message="Several of these imports are unused." source="lint/correctness/noUnusedImports" /> <error line="8" column="5" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" /> <error line="9" column="7" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" /> <error line="1" column="1" severity="error" message="The imports and exports are not sorted." source="assist/source/organizeImports" /> <error line="4" column="3" severity="error" message="Using == may be unsafe if you are relying on type coercion." source="lint/suspicious/noDoubleEquals" /> <error line="6" column="1" severity="error" message="This is an unexpected use of the debugger statement." source="lint/suspicious/noDebugger" /> <error line="8" column="5" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" /> <error line="9" column="7" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" /> <error line="2" column="10" severity="error" message="Shouldn&apos;t redeclare &apos;z&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" /> <error line="9" column="7" severity="error" message="Shouldn&apos;t redeclare &apos;f&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" /> <error line="0" column="0" severity="error" message="Formatter would have printed the following content:" source="format" /> </file> <file name="main.ts"> <error line="1" column="8" severity="warning" message="This import is unused." source="lint/correctness/noUnusedImports" /> <error line="2" column="10" severity="warning" message="Several of these imports are unused." source="lint/correctness/noUnusedImports" /> <error line="8" column="5" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" /> <error line="9" column="7" severity="warning" message="This variable f is unused." source="lint/correctness/noUnusedVariables" /> <error line="1" column="1" severity="error" message="The imports and exports are not sorted." source="assist/source/organizeImports" /> <error line="4" column="3" severity="error" message="Using == may be unsafe if you are relying on type coercion." source="lint/suspicious/noDoubleEquals" /> <error line="6" column="1" severity="error" message="This is an unexpected use of the debugger statement." source="lint/suspicious/noDebugger" /> <error line="8" column="5" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" /> <error line="9" column="7" severity="error" message="This variable implicitly has the any type." source="lint/suspicious/noImplicitAnyLet" /> <error line="2" column="10" severity="error" message="Shouldn&apos;t redeclare &apos;z&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" /> <error line="9" column="7" severity="error" message="Shouldn&apos;t redeclare &apos;f&apos;. Consider to delete it or rename it." source="lint/suspicious/noRedeclare" /> <error line="0" column="0" severity="error" message="Formatter would have printed the following content:" source="format" /> </file> </checkstyle> ``` - [#&#8203;7488](https://github.com/biomejs/biome/pull/7488) [`b13e524`](https://github.com/biomejs/biome/commit/b13e524484a3c0130a3cd276785214a6353a49d9) Thanks [@&#8203;kpapa05](https://github.com/kpapa05)! - Added "[@&#8203;rbxts/react](https://github.com/rbxts/react)" as an alias for "react" for handling the reactClassic jsxRuntime. - [#&#8203;7536](https://github.com/biomejs/biome/pull/7536) [`0bccd34`](https://github.com/biomejs/biome/commit/0bccd347e0e114143967aec28fb9d7f6bc2f1ff8) Thanks [@&#8203;TheAlexLichter](https://github.com/TheAlexLichter)! - Added `.oxlintrc.json` to well-known files. - [#&#8203;7548](https://github.com/biomejs/biome/pull/7548) [`85d3a3a`](https://github.com/biomejs/biome/commit/85d3a3a64eeb4fc4bb6fb7829f48cb19dfe28b9d) Thanks [@&#8203;siketyan](https://github.com/siketyan)! - The following rules are now a part of the `react` domain, and they won't be enabled automatically unless you enabled the domain, or Biome detects `react` as a dependency of your closest `package.json`: - [`lint/correctness/noChildrenProp`](https://biomejs.dev/linter/rules/no-children-prop/) (recommended) - [`lint/correctness/noReactPropAssignments`](https://biomejs.dev/linter/rules/no-react-prop-assignments/) - [`lint/security/noDangerouslySetInnerHtml`](https://biomejs.dev/linter/rules/no-dangerously-set-inner-html/) (recommended) - [`lint/security/noDangerouslySetInnerHtmlWithChildren`](https://biomejs.dev/linter/rules/no-dangerously-set-inner-html-with-children/) (recommended) - [`lint/style/useComponentExportOnlyModules`](https://biomejs.dev/linter/rules/use-component-export-only-modules/) - [`lint/suspicious/noArrayIndexKey`](https://biomejs.dev/linter/rules/no-array-index-key/) (recommended) - [#&#8203;7667](https://github.com/biomejs/biome/pull/7667) [`480909a`](https://github.com/biomejs/biome/commit/480909a64964201eb306e95979e2dc96992798ad) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added the ability to show severity `Information` diagnostics in reporter outputs. If one or more rules are triggered, and they are configured to emit an `Information` diagnostic, now they're counted in the final output: ```bash Checked 1 file in <TIME>. No fixes applied. Found 1 info. ``` - [#&#8203;7702](https://github.com/biomejs/biome/pull/7702) [`28e8860`](https://github.com/biomejs/biome/commit/28e8860b8c4ddd069a70cde76ce54cde8f388a13) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added linting and assist support for `.html` files, with addition of two new configurations: - `html.linter.enabled` - `html.assist.enabled` The HTML linter, in this release, only contains the rule `noHeaderScope`. More rules will be released in the upcoming releases. - [#&#8203;7164](https://github.com/biomejs/biome/pull/7164) [`f66b0c5`](https://github.com/biomejs/biome/commit/f66b0c52d1c0b5ac3d462310462cf1613b862a7d) Thanks [@&#8203;dyc3](https://github.com/dyc3)! - Added a new CSS parser option `tailwindDirectives`. Enabling this option will allow all of Tailwind v4's syntax additions to be parsed and formatted by Biome. You can enable this by setting `css.parser.tailwindDirectives` to `true` in your Biome configuration. ```json { "css": { "parser": { "tailwindDirectives": true } } } ``` - [#&#8203;7669](https://github.com/biomejs/biome/pull/7669) [`6ed4d16`](https://github.com/biomejs/biome/commit/6ed4d165a756cd308cadb6f90cd9864e5fc4c100) Thanks [@&#8203;barklund](https://github.com/barklund)! - React 19.2 support is now supported in Biome: - Treats `useEffectEvent` like `useRef` in [`useExhaustiveDependencies`](https://biomejs.dev/linter/rules/use-exhaustive-dependencies/) - Added `<Activity />` to known React APIs. - [#&#8203;7702](https://github.com/biomejs/biome/pull/7702) [`28e8860`](https://github.com/biomejs/biome/commit/28e8860b8c4ddd069a70cde76ce54cde8f388a13) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added **experimental** full support for HTML, Vue, Svelte and Astro files. In this release, the HTML parser has been enhanced, and it's now able to parse `.vue`, `.svelte` and `.astro` files. This means that now Biome is able to lint and format the JavaScript (TypeScript), HTML and CSS code that is contained in these files. Now that the main architecture is stable and working, in the upcoming patches and minors we will also fix possible inaccuracies and edge cases coming from existing lint rules, such as `noUnusedVariables` inside `<script>` blocks or frontmatter. The support is considered experimental because there might be cases that aren't fine-parsed yet, hence causing possible inaccuracies when it comes to formatting and linting. - [#&#8203;7599](https://github.com/biomejs/biome/pull/7599) [`09445c8`](https://github.com/biomejs/biome/commit/09445c8aa865a41a626ba51c3856f5991eb0704e) Thanks [@&#8203;anaisbetts](https://github.com/anaisbetts)! - #### lineEnding has a new option `auto` The option `lineEnding` now has a variant called `auto` to match the operating system's expected line-ending style: on Windows, this will be CRLF (`\r\n`), and on macOS / Linux, this will be LF (`\n`). This allows for cross-platform projects that use Biome not to have to force one option or the other, which aligns better with Git's default behavior on these platforms. **Example usage:** ```json { "formatter": { "lineEnding": "auto" } } ``` ```bash biome format --line-ending auto ``` - [#&#8203;7392](https://github.com/biomejs/biome/pull/7392) [`e4feb8e`](https://github.com/biomejs/biome/commit/e4feb8e05de85edaf245cb90b3ca98195c202bf8) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added new capabilities to the CLI arguments `--skip` and `--only`, available to the `biome lint` command. `--skip` and `--only` can now accept domain names; when provided, Biome will run or skip all the rules that belong to a certain domain. For example, the following command will only run the rules that belong to the [next](https://biomejs.dev/linter/domains/#next) domain: ```shell biome lint --only=next ``` Another example, the following command will skip the rules that belong to the [project](https://biomejs.dev/linter/domains/#project) domain: ```shell biome lint --skip=project ``` - [#&#8203;7702](https://github.com/biomejs/biome/pull/7702) [`28e8860`](https://github.com/biomejs/biome/commit/28e8860b8c4ddd069a70cde76ce54cde8f388a13) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Added a new option called `html.interpolation`. This option enables the parsing of text expressions (or interpolation) in HTML files. The following `file.html` will be correctly formatted: ```html <!-- file.html --> <div> Hello {{ name }}! <p>Your balance is: {{ account.balance }}</p> <button>{{ isLoading ? "Loading..." : "Submit" }}</button> </div> ``` To note that `html.interpolation` only parses text expressions that are delimited by double curly braces (`{{ }}`). The content of expressions is parsed as normal text. ##### Patch Changes - [#&#8203;7712](https://github.com/biomejs/biome/pull/7712) [`fcc9b42`](https://github.com/biomejs/biome/commit/fcc9b42dd07e536e93a81cb051fed09a1b3e7deb) Thanks [@&#8203;minht11](https://github.com/minht11)! - Added new rule [`useVueDefineMacrosOrder`](https://biomejs.dev/linter/rules/use-vue-define-macros-order) which allows enforcing specific order for Vue compiler macros. In this example, the rule will suggest moving `defineProps` before `defineEmits`: ```vue <script lang="ts" setup> const emit = defineEmits(["update"]); const props = defineProps<{ name: string }>(); </script> ``` - [#&#8203;7698](https://github.com/biomejs/biome/pull/7698) [`3b6f5e3`](https://github.com/biomejs/biome/commit/3b6f5e3dfaa7562050557e4f3e85bf3a613b066f) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed an issue where the JUnit reporter returned a zero-based location. Now the location returned is one-based. - [#&#8203;7819](https://github.com/biomejs/biome/pull/7819) [`ef45056`](https://github.com/biomejs/biome/commit/ef45056cc0fe9a55f71356bbc78817d464f8c932) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Fixed [#&#8203;7788](https://github.com/biomejs/biome/issues/7788). Removes some error logging that were emitted when loading possible configuration files. - [#&#8203;7593](https://github.com/biomejs/biome/pull/7593) [`e51dd55`](https://github.com/biomejs/biome/commit/e51dd555c0bde05353078f177cb02e67a4217eb0) Thanks [@&#8203;arendjr](https://github.com/arendjr)! - Fixed an issue with the `files.maxSize` setting. Previously the setting would always be looked up in the root settings, even in monorepos where a closer `biome.json` is available. It now correctly uses the nearest configuration. - [#&#8203;7825](https://github.com/biomejs/biome/pull/7825) [`ad55b35`](https://github.com/biomejs/biome/commit/ad55b35b3c71a5465f2de723bbab8261508fb3f2) Thanks [@&#8203;Conaclos](https://github.com/Conaclos)! - Fixed [#&#8203;7798](https://github.com/biomejs/biome/issues/7798). [useNamingConvention](https://biomejs.dev/linter/rules/use-naming-convention/) no longer panics when it encounters a name that consists of a single dollar sign `$` that doesn't match a custom convention. - [#&#8203;7764](https://github.com/biomejs/biome/pull/7764) [`93be2ab`](https://github.com/biomejs/biome/commit/93be2ab6e076a33dc55156d07249c4bead87a9de) Thanks [@&#8203;gaauwe](https://github.com/gaauwe)! - Fixed [#&#8203;6589](https://github.com/biomejs/biome/issues/6589): Biome now properly loads extension settings before loading the configuration file when opening a text document in the LSP server. ### [`v2.2.7`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#227) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.2.6...@biomejs/biome@2.2.7) ##### Patch Changes - [#&#8203;7715](https://github.com/biomejs/biome/pull/7715) [`b622425`](https://github.com/biomejs/biome/commit/b6224257e43b1ffda9f4a80564d83616ecfb27c4) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the nursery rule [`noEmptySource`](https://biomejs.dev/linter/rules/no-empty-source/), disallowing meaningless js, css, json & graphql files to prevent codebase clutter. - [#&#8203;7714](https://github.com/biomejs/biome/pull/7714) [`c7e5a14`](https://github.com/biomejs/biome/commit/c7e5a1424441b09cf505cff31b93fcd1bcc4fd3e) Thanks [@&#8203;MeGaNeKoS](https://github.com/MeGaNeKoS)! - Increased the maximum line limit for [noExcessiveLinesPerFunction](https://biomejs.dev/linter/rules/no-excessive-lines-per-function/) from 255 to 65,535 to better support large JSX/front-end components. - [#&#8203;5868](https://github.com/biomejs/biome/pull/5868) [`2db73ae`](https://github.com/biomejs/biome/commit/2db73aefb3d526041338d7174978524c4677b47e) Thanks [@&#8203;bushuai](https://github.com/bushuai)! - Fixed [#&#8203;5856](https://github.com/biomejs/biome/issues/5856), `noRedundantUseStrict` now keeps leading trivia - [#&#8203;7756](https://github.com/biomejs/biome/pull/7756) [`d665c97`](https://github.com/biomejs/biome/commit/d665c970338d8b334381e68eae4a26c5da0ac9a5) Thanks [@&#8203;ematipico](https://github.com/ematipico)! - Improved the diagnostic message of the rule [`noDuplicateTestHooks`](https://biomejs.dev/linter/rules/no-duplicate-test-hooks/). ### [`v2.2.6`](https://github.com/biomejs/biome/blob/HEAD/packages/@&#8203;biomejs/biome/CHANGELOG.md#226) [Compare Source](https://github.com/biomejs/biome/compare/@biomejs/biome@2.2.5...@biomejs/biome@2.2.6) ##### Patch Changes - [#&#8203;7071](https://github.com/biomejs/biome/pull/7071) [`a8e7301`](https://github.com/biomejs/biome/commit/a8e73018a8c9e34a182624a91389e19d1fa7817f) Thanks [@&#8203;ptkagori](https://github.com/ptkagori)! - Added the [`useQwikMethodUsage`](https://biomejs.dev/linter/rules/use-qwik-method-usage) lint rule for the Qwik domain. This rule validates Qwik hook usage. Identifiers matching `useXxx` must be called only within serialisable reactive contexts (for example, inside `component$`, route loaders/actions, or within other Qwik hooks), preventing common Qwik antipatterns. **Invalid:** ```js // Top-level hook call is invalid. const state = useStore({ count: 0 }); function helper() { // Calling a hook in a non-reactive function is invalid. const loc = useLocation(); } ``` **Valid:** ```js component$(() => { const state = useStore({ count: 0 }); // OK inside component$. return <div>{state.count}</div>; }); const handler = $(() => { const loc = useLocation(); // OK inside a $-wrapped closure. console.log(loc.params); }); ``` - [#&#8203;7685](https://github.com/biomejs/biome/pull/7685) [`52071f5`](https://github.com/biomejs/biome/commit/52071f54bc1a3c5d1d2ee6039c5feead836638ed) Thanks [@&#8203;denbezrukov](https://github.com/denbezrukov)! - Fixed [#&#8203;6981](https://github.com/biomejs/biome/issues/6981): The [NoUnknownPseudoClass](https://biomejs.dev/linter/rules/no-unknown-pseudo-class/) rule no longer reports local pseudo-classes when CSS Modules are used. - [#&#8203;7640](https://github.com/biomejs/biome/pull/7640) [`899f7b2`](https://github.com/biomejs/biome/commit/899f7b28ec9cc457d02565d69212e7c29b5b5aff) Thanks [@&#8203;arendjr](https://github.com/arendjr)! - Fixed [#&#8203;7638](https://github.com/biomejs/biome/issues/7638): [`useImportExtensions`](https://biomejs.dev/linter/rules/use-import-extensions/) no longer emits diagnostics on valid import paths that end with a query or hash. ##### Example ```js // This no longer warns if `index.css` exists: import style from "../theme/index.css?inline"; ``` - [#&#8203;7071](https://github.com/biomejs/biome/pull/7071) [`a8e7301`](https://github.com/biomejs/biome/commit/a8e73018a8c9e34a182624a91389e19d1fa7817f) Thanks [@&#8203;ptkagori](https://github.com/ptkagori)! - Added the [`useQwikValidLexicalScope`](https://biomejs.dev/linter/rules/use-qwik-valid-lexical-scope) rule to the Qwik domain. This rule helps you avoid common bugs in Qwik components by checking that your variables and functions are declared in the correct place. **Invalid:** ```js // Invalid: state defined outside the component's lexical scope. let state = useStore({ count: 0 }); const Component = component$(() => { return ( <button onClick$={() => state.count++}>Invalid: {state.count}</button> ); }); ``` **Valid:** ```js // Valid: state initialised within the component's lexical scope and captured by the event. const Component = component$(() => { const state = useStore({ count: 0 }); return <button onClick$={() => state.count++}>Valid: {state.count}</button>; }); ``` - [#&#8203;7620](https://github.com/biomejs/biome/pull/7620) [`5beb1ee`](https://github.com/biomejs/biome/commit/5beb1eefe134f4dc713cfb28bfa1cbae38319975) Thanks [@&#8203;Netail](https://github.com/Netail)! - Added the rule [`useDeprecatedDate`](https://biomejs.dev/linter/rules/use-deprecated-date/), which makes a deprecation date required for the graphql `@deprecated` directive. ##### Invalid ```graphql query { member @&#8203;deprecated(reason: "Use `members` instead") { id } } ``` ##### Valid ```graphql query { member @&#8203;deprecated(reason: "Use `members` instead", deletionDate: "2099-12-25") { id } } ``` - [#&#8203;7709](https://github.com/biomejs/biome/pull/7709) [`d6da4d5`](https://github.com/biomejs/biome/commit/d6da4d5a272d61420997e26aef80f53298515665) Thanks [@&#8203;siketyan](https://github.com/siketyan)! - Fixed [#&#8203;7704](https://github.com/biomejs/biome/issues/7704): The [`useExhaustiveDependencies`](https://biomejs.dev/linter/rules/use-exhaustive-dependencies/) rule now correctly adds an object dependency when its method is called within the closure. For example: ```js function Component(props) { useEffect(() => { props.foo(); }, []); } ``` will now be fixed to: ```js function Component(props) { useEffect(() => { props.foo(); }, [props]); } ``` - [#&#8203;7624](https://github.com/biomejs/biome/pull/7624) [`309ae41`](https://github.com/biomejs/biome/commit/309ae41c1a29e50d71300d3e63f6c64ee6ecb968) Thanks [@&#8203;lucasweng](https://github.com/lucasweng)! - Fixed [#&#8203;7595](https://github.com/biomejs/biome/issues/7595): [`noUselessEscapeInString`](https://biomejs.dev/linter/rules/no-useless-escape-in-string/) no longer reports `$\{` escape in template literals. - [#&#8203;7665](https://github.com/biomejs/biome/pull/7665) [`29e4229`](https://github.com/biomejs/biome/commit/29e422939f25595dca4f19735a27258d97545288) Thanks [@&#8203;ryan-m-walker](https://github.com/ryan-m-walker)! - Fixed [#&#8203;7619](https://github.com/biomejs/biome/issues/7619): Added support for parsing the CSS `:state()` pseudo-class. ```css custom-selector:state(checked) { } ``` - [#&#8203;7608](https://github.com/biomejs/biome/pull/7608) [`41df59b`](https://github.com/biomejs/biome/commit/41df59bfc6d49190b9c35fa262def3ecfcc6abd2) Thanks [@&#8203;ritoban23](https://github.com/ritoban23)! - Fixed [#&#8203;7604](https://github.com/biomejs/biome/issues/7604): the `useMaxParams` rule now highlights parameter lists instead of entire function bodies. This provides more precise error highlighting. Previously, the entire function was highlighted; now only the parameter list is highlighted, such as `(a, b, c, d, e, f, g, h)`. - [#&#8203;7643](https://github.com/biomejs/biome/pull/7643) [`459a6ac`](https://github.com/biomejs/biome/commit/459a6aca67290e8b974802bd693738f79883d67e) Thanks [@&#8203;daivinhtran](https://github.com/daivinhtran)! - Fixed [#&#8203;7580](https://github.com/biomejs/biome/issues/7580): Include plugin in summary report </details> --- ### Configuration 📅 **Schedule**: Branch creation - Between 12:00 AM and 03:59 AM ( * 0-3 * * * ) (UTC), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://github.com/renovatebot/renovate). <!--renovate-debug:eyJjcmVhdGVkSW5WZXIiOiI0MS4xMzcuMiIsInVwZGF0ZWRJblZlciI6IjQxLjE2My41IiwidGFyZ2V0QnJhbmNoIjoibWFpbiIsImxhYmVscyI6W119-->
chore(deps): update dependency @biomejs/biome to v2.2.6
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
7b9cd0a36a
Author
Collaborator

⚠️ Artifact update problem

Renovate failed to update an artifact related to this branch. You probably do not want to merge this PR as-is.

♻ Renovate will retry this branch, including artifacts, only when one of the following happens:

  • any of the package files in this branch needs updating, or
  • the branch becomes conflicted, or
  • you click the rebase/retry checkbox if found above, or
  • you rename this PR's title to start with "rebase!" to trigger it manually

The artifact failure details are included below:

File name: bun.lock
Command failed: bun install --ignore-scripts
/usr/local/bin/bun: line 18:   305 Illegal instruction     (core dumped) /opt/containerbase/tools/bun/1.3.0/bin/bun "$@"

### ⚠️ Artifact update problem Renovate failed to update an artifact related to this branch. You probably do not want to merge this PR as-is. ♻ Renovate will retry this branch, including artifacts, only when one of the following happens: - any of the package files in this branch needs updating, or - the branch becomes conflicted, or - you click the rebase/retry checkbox if found above, or - you rename this PR's title to start with "rebase!" to trigger it manually The artifact failure details are included below: ##### File name: bun.lock ``` Command failed: bun install --ignore-scripts /usr/local/bin/bun: line 18: 305 Illegal instruction (core dumped) /opt/containerbase/tools/bun/1.3.0/bin/bun "$@" ```
Renovate force-pushed renovate/biomejs-biome-2.x from 7b9cd0a36a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
to 9969aecdfd
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m44s
2025-10-15 23:48:00 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 9969aecdfd
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m44s
to 26b6599706
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-16 12:37:29 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 26b6599706
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to de0a830905
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 2m0s
2025-10-17 21:41:37 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from ead9b42097
Some checks failed
renovate/artifacts Artifact file update failure
to e533cf5cec
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
2025-10-20 00:33:07 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from e533cf5cec
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
to 109dbe6877
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
2025-10-20 14:41:04 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 109dbe6877
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
to e523086971
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m10s
2025-10-20 15:07:57 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from e523086971
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m10s
to 38c49df62d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-10-20 16:29:40 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 38c49df62d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 0f5fc7f6c8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-10-20 17:41:22 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 0f5fc7f6c8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to dc7bf300ad
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m10s
2025-10-20 18:46:15 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from dc7bf300ad
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m10s
to f687ceab26
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-10-20 18:55:20 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from f687ceab26
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to 032e41456c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-21 18:29:01 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 032e41456c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to 37f66e3ddf
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-21 18:33:13 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 37f66e3ddf
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to de1013e44b
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
2025-10-21 18:38:14 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from de1013e44b
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
to c77585a17d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
2025-10-21 19:51:05 +02:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.2.6 to chore(deps): update dependency @biomejs/biome to v2.2.7 2025-10-22 11:28:41 +02:00
Renovate force-pushed renovate/biomejs-biome-2.x from c77585a17d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
to 1c6b025384
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
2025-10-22 11:28:42 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 1c6b025384
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
to faa1f547c5
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m9s
2025-10-22 16:50:40 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from faa1f547c5
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m9s
to ead0910384
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m7s
2025-10-22 18:50:29 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from ead0910384
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m7s
to 44b795563d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m11s
2025-10-23 00:30:21 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 44b795563d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m11s
to 28be85ea86
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
2025-10-24 10:47:52 +02:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.2.7 to chore(deps): update dependency @biomejs/biome to v2.3.0 2025-10-24 10:47:54 +02:00
Renovate force-pushed renovate/biomejs-biome-2.x from 28be85ea86
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
to c5fe2b624f
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-24 19:38:51 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from c5fe2b624f
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to faf2afe991
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-10-25 16:00:39 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from faf2afe991
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 254f676fb3
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
2025-10-25 22:56:51 +02:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 254f676fb3
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
to f57123883e
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m41s
2025-10-26 14:53:47 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from f57123883e
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m41s
to ff2638b09d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-10-26 20:57:22 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.0 to chore(deps): update dependency @biomejs/biome to v2.3.1 2025-10-26 20:57:23 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from ff2638b09d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to e122200e59
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
2025-10-26 23:44:03 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from e122200e59
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
to 89532c1fad
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m0s
2025-10-27 11:15:47 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 89532c1fad
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m0s
to b89a3c9331
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
2025-10-27 12:56:11 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from b89a3c9331
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
to 537b147ab8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
2025-10-27 15:01:41 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 537b147ab8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
to 4fb87919bf
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-10-27 15:03:49 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 4fb87919bf
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to 116c0a661a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
2025-10-28 00:12:22 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 116c0a661a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m6s
to 9799ca0256
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m18s
2025-10-28 19:22:32 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 9799ca0256
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m18s
to 053d2654fa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-28 19:51:18 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.1 to chore(deps): update dependency @biomejs/biome to v2.3.2 2025-10-28 19:51:20 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from 053d2654fa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to 160833440a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-10-28 20:52:55 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 160833440a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 30bf3eb445
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-10-28 21:32:27 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 30bf3eb445
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 5eeb867950
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
2025-10-29 20:33:14 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 5eeb867950
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
to 391a583f18
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 13s
2025-10-31 12:17:30 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 391a583f18
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 13s
to d798742287
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
2025-10-31 12:18:32 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from d798742287
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m3s
to 814a29b742
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m7s
2025-10-31 12:21:00 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 814a29b742
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m7s
to 5d1ee97dce
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m0s
2025-10-31 13:56:56 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 5d1ee97dce
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m0s
to 1b2710bb44
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
2025-10-31 17:30:22 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 1b2710bb44
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m5s
to 6f10c5a21c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
2025-11-01 20:50:19 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 6f10c5a21c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
to 2e94b174c3
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m14s
2025-11-02 06:57:45 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 2e94b174c3
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m14s
to 522fc2ba59
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-11-03 11:03:56 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.2 to chore(deps): update dependency @biomejs/biome to v2.3.3 2025-11-03 11:03:57 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from 522fc2ba59
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to af8e28ac7f
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-11-03 12:53:05 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from af8e28ac7f
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 85792a6fca
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m22s
2025-11-03 17:38:17 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 85792a6fca
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m22s
to 15782f30fb
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m18s
2025-11-03 17:39:21 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 15782f30fb
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m18s
to f01421ac81
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m15s
2025-11-03 18:04:50 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from f01421ac81
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m15s
to a22f5d2406
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-11-03 19:17:46 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from a22f5d2406
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to 457d6235b1
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m34s
2025-11-03 19:19:15 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 457d6235b1
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m34s
to 20c0b1422c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m12s
2025-11-03 19:29:28 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 20c0b1422c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m12s
to ac0894d8c4
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
2025-11-03 19:31:33 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from ac0894d8c4
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
to ab72eb7e64
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
2025-11-03 19:46:17 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from ab72eb7e64
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
to 8bfaadd81e
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m21s
2025-11-03 19:50:12 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 8bfaadd81e
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m21s
to 1c3578f3b1
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m19s
2025-11-03 20:02:26 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 1c3578f3b1
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m19s
to 170b19f3ef
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m17s
2025-11-03 20:21:07 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 170b19f3ef
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m17s
to d815dbdd54
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
2025-11-03 20:52:15 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from d815dbdd54
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m24s
to b8f8f1e91c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-11-04 01:35:53 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from b8f8f1e91c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to c52d882f72
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
2025-11-04 03:25:39 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from c52d882f72
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m1s
to ef79862daa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m11s
2025-11-04 09:19:13 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from ef79862daa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m11s
to 8523054c2a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
2025-11-04 13:42:04 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 8523054c2a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
to 090c935005
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m9s
2025-11-04 19:22:18 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 090c935005
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m9s
to 0c396d55ca
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
2025-11-05 14:46:28 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 0c396d55ca
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m2s
to 67361a6eb0
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
2025-11-05 15:04:07 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.3 to chore(deps): update dependency @biomejs/biome to v2.3.4 2025-11-05 15:04:15 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from 67361a6eb0
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m8s
to b12bd166fb
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m31s
2025-11-05 19:45:51 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from b12bd166fb
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m31s
to bc6ab48a14
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
2025-11-08 01:24:20 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from bc6ab48a14
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Successful in 1m4s
to f063d1bd74
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 43s
2025-11-08 16:26:49 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from f063d1bd74
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 43s
to e0a45b3ff2
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 41s
2025-11-08 19:56:57 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from e0a45b3ff2
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 41s
to 9f40104934
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
2025-11-09 00:39:35 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 9f40104934
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
to 411b08fc0b
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
2025-11-09 00:56:04 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 411b08fc0b
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
to dbd7e7c49c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 51s
2025-11-09 17:55:31 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from dbd7e7c49c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 51s
to 5408b8552d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 32s
2025-11-09 18:52:14 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 5408b8552d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 32s
to c7073db828
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-10 02:41:45 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from c7073db828
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
to e75ef78c7c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-11 13:44:00 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.4 to chore(deps): update dependency @biomejs/biome to v2.3.5 2025-11-11 13:44:03 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from e75ef78c7c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
to cb54bdca84
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 32s
2025-11-11 22:32:19 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from cb54bdca84
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 32s
to 61081a7245
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 50s
2025-11-12 22:10:26 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 61081a7245
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 50s
to 4e8c9e1065
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 45s
2025-11-13 14:55:24 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 4e8c9e1065
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 45s
to d7ce08cc57
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 35s
2025-11-14 00:06:03 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from d7ce08cc57
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 35s
to 5ce762eb4c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 38s
2025-11-14 04:56:26 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 5ce762eb4c
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 38s
to 627bdaacf8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 37s
2025-11-15 15:03:07 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 627bdaacf8
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 37s
to 678517abfa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
2025-11-15 16:26:26 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 678517abfa
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
to 0d06aedf7d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 36s
2025-11-15 21:32:51 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 0d06aedf7d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 36s
to c4aecd2b42
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-15 21:50:29 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from c4aecd2b42
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
to f72dee24e6
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-17 10:31:02 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.5 to chore(deps): update dependency @biomejs/biome to v2.3.6 2025-11-17 10:31:03 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from f72dee24e6
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
to 848708d03a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 55s
2025-11-19 23:26:58 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 848708d03a
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 55s
to 219fe6cc20
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 44s
2025-11-20 15:27:02 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from 219fe6cc20
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 44s
to dfe89c4743
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
2025-11-20 22:01:54 +01:00
Compare
Renovate force-pushed renovate/biomejs-biome-2.x from dfe89c4743
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 34s
to 16881b6f6d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-21 09:58:53 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.6 to chore(deps): update dependency @biomejs/biome to v2.3.7 2025-11-21 09:58:59 +01:00
Renovate force-pushed renovate/biomejs-biome-2.x from 16881b6f6d
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
to 568d46c374
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s
2025-11-21 15:34:44 +01:00
Compare
Renovate changed title from chore(deps): update dependency @biomejs/biome to v2.3.7 to chore(deps): update dependency @biomejs/biome to v2.3.7 - autoclosed 2025-11-23 12:53:48 +01:00
Renovate closed this pull request 2025-11-23 12:53:48 +01:00
Some checks failed
renovate/artifacts Artifact file update failure
Build and Push Docker Image / build-and-push (pull_request) Failing after 33s

Pull request closed

Sign in to join this conversation.
No reviewers
No labels
No milestone
No project
No assignees
1 participant
Notifications
Due date
The due date is invalid or out of range. Please use the format "yyyy-mm-dd".

No due date set.

Dependencies

No dependencies set.

Reference
Yumeo/personal-website!21
No description provided.