custom_lint 0.0.14 copy "custom_lint: ^0.0.14" to clipboard
custom_lint: ^0.0.14 copied to clipboard

Lint rules are a powerful way to improve the maintainability of a project. Custom Lint allows package authors and developers to easily write custom lint rules.

custom_lint

Tools for building custom lint rules.

License

Index #

Tutorial #

You can read the latest blog post or watch the advanced use case with custom_lint video.

About #

Lint rules are a powerful way to improve the maintainability of a project. The more, the merrier!
But while Dart offers a wide variety of lint rules by default, it cannot reasonably include every possible lint. For example, Dart does not include lints related to third-party packages.

Custom_lint fixes that by allowing package authors to write custom lint rules.

Custom_lint is similar to analyzer_plugin, but goes deeper by trying to provide a better developer experience.

That includes:

  • A command-line to obtain the list of lints in your CI without having to write a command line yourself.
  • A simplified project setup:
    No need to deal with the analyzer server or error handling. Custom_lint takes care of that for you, so that you can focus on writing lints.
  • Debugger support.
    Inspect your lints using the Dart debugger and place breakpoints.
  • Supports hot-reload/hot-restart:
    Updating the source code of a linter plugin will dynamically restart it, without having to restart your IDE/analyzer server.
  • Built-in support for // ignore: and // ignore_for_file:.
  • Support for print(...) and exceptions:
    If your plugin somehow throws or print debug messages, custom_lint will generate a log file with the messages/errors.

Usage #

Using custom_lint is split in two parts:

  • how to define a custom_lint package
  • how users can install our package in their application to see our newly defined lints

Creating a custom lint package #

To create a custom lint, you will need two things:

  • updating your pubspec.yaml to include custom_lint_builder as a dependency:

    # pubspec.yaml
    name: my_custom_lint_package
    environment:
      sdk: ">=2.16.0 <3.0.0"
    
    dependencies:
      # we will use analyzer for inspecting Dart files
      analyzer:
      analyzer_plugin:
      # custom_lint_builder will give us tools for writing lints
      custom_lint_builder:
    
  • create a bin/custom_lint.dart file in your project with the following:

    // This is the entrypoint of our custom linter
    void main(List<String> args, SendPort sendPort) {
      startPlugin(sendPort, _ExampleLinter());
    }
    
    // This class is the one that will analyze Dart files and return lints
    class _ExampleLinter extends PluginBase {
      @override
      Stream<Lint> getLints(ResolvedUnitResult resolvedUnitResult) async* {
        // A basic lint that shows at the top of the file.
        yield Lint(
          code: 'my_custom_lint_code',
          message: 'This is the description of our custom lint',
          // Where your lint will appear within the Dart file.
          // The following code will make appear at the top of the file (offset 0),
          // and be 10 characters long.
          location: resolvedUnitResult.lintLocationFromOffset(0, length: 10),
        );
      }
    }
    

That's it for defining a custom lint package!

Let's now use it in an application.

Using our custom lint package in an application #

For users to run custom_lint packages, there are a few steps:

  • The application must contain an analysis_options.yaml with the following:

    analyzer:
      plugins:
        - custom_lint
    
  • The application also needs to add custom_lint and our package(s) as dev dependency in their application:

    # The pubspec.yaml of an application using our lints
    name: example_app
    environment:
      sdk: ">=2.16.0 <3.0.0"
    
    dev_dependencies:
      custom_lint:
      my_custom_lint_package:
    

That's all!
After running pub get (and possibly restarting their IDE), users should now see our custom lints in their Dart files:

screenshot of our custom lints in the IDE

Obtaining the list of lints in the CI #

Unfortunately, running dart analyze does not pick up our newly defined lints.
We need a separate command for this.

To do that, users of our custom lint package can run the following inside their terminal:

$ dart run custom_lint
  lib/main.dart:0:0 • This is the description of our custom lint • my_custom_lint_code

If you are working on a Flutter project, run flutter pub run custom_lint instead.

Using the Dart debugger and enabling hot-restart. #

To enable hot-restart and use the Dart debugger, we'll want to start plugins using mechanism.

First, create a tools/custom_lint_debug.dart file next to tools/custom_lint.dart with the following content:

import 'dart:io';
import 'package:custom_lint/basic_runner.dart';

void main() {
  await customLint(workingDirectory: Directory.current.parent);
}

Now you can run/test the custom lints packages you are using via:

  • Starting this main from your IDE (such as clicking on debug in VScode). This will connect your IDE to the Dart debugger, allowing the usage of breakpoints.

  • From the command line with dart --enable-vm-service path/to/custom_lint_debug.dart
    The Dart debugger will not be enabled, but hot-reload still will be enabled. Changing the source of your plugin would automatically show the update.

I have the following error when I run the program in my IDE: Bad state: VM service not available! You need to run dart with --enable-vm-service.

Chances are you didn't start your program in debug mode.
If using VScode, when starting your program, make sure to click on debug not run:

VScode's debug button


FAQs #

Q. How do I get all the classes present in my source code? #

There are two ways of doing that. You can either use the Element Tree or the Abstract Syntax Tree (AST) to find all the classes. Here's an example with each approach.

  • Element Tree Approach

    class _CustomLint extends PluginBase {
      @override
      Stream<Lint> getLints(ResolvedUnitResult resolvedUnitResult) async* {
        final library = resolvedUnitResult.libraryElement;
        final classes = library.topLevelElements.whereType<ClassElement>();
        ....
        ....
      }
    }
    

    The variable classes is of type List<ClassElement> and will contain all the ClassElements.

  • AST Approach

    class ClassDeclarationVisitor extends GeneralizingAstVisitor<void> {
      ClassDeclarationVisitor({
        required this.onClassDeclarationVisit,
      });
    
      void Function(ClassDeclaration node) onClassDeclarationVisit;
    
      @override
      void visitClassDeclaration(ClassDeclaration node) {
        onClassDeclarationVisit(node);
        super.visitClassDeclaration(node);
      }
    }
    
    class _CustomLint extends PluginBase {
      @override
      Stream<Lint> getLints(ResolvedUnitResult resolvedUnitResult) async* {
        final classDeclarations = <ClassDeclaration>[];
        resolvedUnitResult.unit.visitChildren(
          ClassDeclarationVisitor(
            onClassDeclarationVisit: classDeclarations.add,
          ),
        );
        ....
        ....
      }
    }
    

    This way, the variable classDeclarations will contain list of ClassDeclaration.


Q. How do I get all the global variables present in my source code? #

Same as above. Just replace ClassElement with VariableElement in the Element Tree Approach or replace ClassDeclaration with VariableDeclaration in the AST approach.


Q. How do I get the path to my currently opened dart file? #

You can use the instance of ResolvedUnitResult to call the path getter.

class _CustomLints extends PluginBase {
  @override
  Stream<Lint> getLints(ResolvedUnitResult resolvedUnitResult) async* {
    final path = resolvedUnitResult.path; // Gives the path of the currently opened Dart file
    ...
    ...
  }
}

Q. I want to insert code at the end of the file. How can I get the required offset? #

To find the offset for the end of the file (or simply put, find the end line of a Dart file), you can use the instance of ResolvedUnitResult to call the end getter.

class _CustomLints extends PluginBase {
  @override
  Stream<Lint> getLints(ResolvedUnitResult resolvedUnitResult) async* {
    final endLineOffset = resolvedUnitResult.unit.end; // Gives the offset for the last line in a Dart file
  }
}

Built and maintained by Invertase.

175
likes
0
pub points
100%
popularity

Publisher

verified publisherinvertase.io

Lint rules are a powerful way to improve the maintainability of a project. Custom Lint allows package authors and developers to easily write custom lint rules.

Repository (GitHub)
View/report issues

License

unknown (LICENSE)

Dependencies

analyzer, analyzer_plugin, args, async, ci, cli_util, collection, meta, package_config, path, pub_semver, pubspec_parse, recase, riverpod, uuid, yaml

More

Packages that depend on custom_lint