ktlint


Source link: https://github.com/shyiko/ktlint

Kotlin linter in spirit of feross/standard (JavaScript) and gofmt (Go).

Features:

  • No configuration. Which means no decisions to make, nothing to argue about and no special files to manage.
    While this might sound extreme, keep in mind that ktlint tries to capture (reflect) official code style from kotlinlang.org and Android Kotlin Style Guide (+ we respect you .editorconfig and support additional ruleset|s).
  • Built-in formatter. So that you wouldn't have to fix all style violations by hand.
  • Customizable output. plain (+ plain?group_by_file), json and checkstyle reporters are available out-of-the-box. It's also easy to create your own.
  • A single executable jar with all dependencies included.

Installation | Usage | Integration with Maven / Gradle / IntelliJ IDEA / Emacs | Creating a ruleset | a reporter | Badge | FAQ

Standard rules

  • 4 spaces for indentation
    (unless a different indent_size value is set in .editorconfig (see EditorConfig section for more));
  • No semicolons (unless used to separate multiple statements on the same line);
  • No wildcard / unused imports;
  • No consecutive blank lines;
  • No blank lines before } ;
  • No trailing whitespaces;
  • No Unit returns ( fun fn { } instead of fun fn: Unit { } );
  • No empty ( { } ) class bodies;
  • Consistent string templates ( $v instead of ${ v } , ${ p.v } instead of ${ p.v.toString() } );
  • Consistent order of modifiers;
  • Consistent spacing after keywords, commas; around colons, curly braces, infix operators, etc;
  • Newline at the end of each file
    (unless insert_final_newline is set to false in .editorconfig (see EditorConfig section for more)).

EditorConfig

ktlint recognizes the following .editorconfig properties (provided they are specified under [*.{ kt,kts } ]):
(values shown below are the defaults and do not need to be specified explicitly)

[*.{
kt,kts
}
] # possible values: number (e.g. 2), "unset" (makes ktlint ignore indentation completely)   indent_size=4 continuation_indent_size=8 insert_final_newline=true # possible values: number (e.g. 120) (package name, imports & comments are ignored), "off"  max_line_length=off

Installation

Skip all the way to the "Integration" section if you don't plan to use ktlint's command line interface.

curl -sSLO https://github.com/shyiko/ktlint/releases/download/0.12.0/ktlint &&
chmod a+x ktlint &&
sudo mv ktlint /usr/local/bin/

... or just download ktlint from the releases page ( ktlint.asc contains PGP signature which you can verify with curl -sS https://keybase.io/shyiko/pgp_keys.asc | gpg --import && gpg --verify ktlint.asc).

On macOS ( or Linux) you can also use brew - brew install shyiko/ktlint/ktlint.

If you don't have curl installed - replace curl -sL with wget -qO-.

If you are behind a proxy see - curl / wget manpage. Usually simple http_proxy=http://proxy-server:port https_proxy=http://proxy-server:port curl -sL ... is enough.

Usage

# check the style of all Kotlin files inside the current dir (recursively) # (hidden folders will be skipped) $ ktlint
src/main/kotlin/Main.kt:10:10: Unused import
 # check only certain locations (prepend ! to negate the pattern)  $ ktlint "src/**/*.kt" "!src/**/*Test.kt"  # auto-correct style violations # (if some errors cannot be fixed automatically they will be printed to stderr)  $ ktlint -F "src/**/*.kt"  # print style violations grouped by file $ ktlint --reporter=plain?group_by_file # print style violations as usual + create report in checkstyle format  $ ktlint --reporter=plain --reporter=checkstyle,output=ktlint-report-in-checkstyle-format.xml  # install git hook to automatically check files for style violations on commit $ ktlint --install-git-pre-commit-hook

on Windows you'll have to use java -jar ktlint ....

ktlint --help for more.

Integration

... with Maven

pom.xml

... <plugin>
  <groupId>org.apache.maven.plugins</groupId>
  <artifactId>maven-antrun-plugin</artifactId>
  <version>1.7</version>
  <executions>

<execution>

 <id>ktlint</id>

 <phase>verify</phase>

 <configuration>

 <target name="ktlint">

  <java taskname="ktlint" dir="${
basedir
}
" fork="true" failonerror="true"

classname="com.github.shyiko.ktlint.Main" classpathref="maven.plugin.classpath">

<arg value="src/**/*.kt"/>

<!-- to generate report in checkstyle format prepend following args: -->

<!--  

  <arg value="--reporter=plain"/> 

  <arg value="--reporter=checkstyle,output=${
project.build.directory
}
/ktlint.xml"/> 

  -->

<!-- see https://github.com/shyiko/ktlint#usage for more -->

 </java>

 </target>

 </configuration>

 <goals><goal>run</goal></goals>

</execution>

<execution>

 <id>ktlint-format</id>

 <configuration>

 <target name="ktlint">

  <java taskname="ktlint" dir="${
basedir
}
" fork="true" failonerror="true"

classname="com.github.shyiko.ktlint.Main" classpathref="maven.plugin.classpath">

<arg value="-F"/>

<arg value="src/**/*.kt"/>

  </java>

 </target>

 </configuration>

 <goals><goal>run</goal></goals>

</execution>
  </executions>
  <dependencies>

<dependency>

 <groupId>com.github.shyiko</groupId>

 <artifactId>ktlint</artifactId>

 <version>0.12.0</version>

</dependency>

<!-- additional 3rd party ruleset(s) can be specified here -->
  </dependencies> </plugin> ...

To check code style - mvn antrun:run@ktlint (it's also bound to mvn verify).
To run formatter - mvn antrun:run@ktlint-format.

... with Gradle

build.gradle

apply plugin: "java"  repositories {

  mavenCentral() 
}
  configurations {

  ktlint 
}
  dependencies {

  ktlint "com.github.shyiko:ktlint:0.12.0"
  // additional 3rd party ruleset(s) can be specified here
  // just add them to the classpath (ktlint 'groupId:artifactId:version') and 
  // ktlint will pick them up 
}
  task ktlint(type: JavaExec, group: "verification") {

  description = "Check Kotlin code style."
  main = "com.github.shyiko.ktlint.Main"
  classpath = configurations.ktlint
  args "src/**/*.kt"
  // to generate report in checkstyle format prepend following args:
  // "--reporter=plain", "--reporter=checkstyle,output=${
buildDir
}
/ktlint.xml"
  // see https://github.com/shyiko/ktlint#usage for more 
}
 check.dependsOn ktlint  task ktlintFormat(type: JavaExec, group: "formatting") {

  description = "Fix Kotlin code style deviations."
  main = "com.github.shyiko.ktlint.Main"
  classpath = configurations.ktlint
  args "-F", "src/**/*.kt" 
}

Note: For an Android project this config would typically go into your app/build.gradle.

To check code style - gradle ktlint (it's also bound to gradle check).
To run formatter - gradle ktlintFormat.

Another option is to use Gradle plugin (in order of appearance):

Each plugin has some unique features (like incremental build support in case of jeremymailen/kotlinter-gradle) so check them out.

You might also want to take a look at diffplug/spotless which has a built-in support for ktlint. In addition to linting/formatting kotlin code it allows you to keep license headers, markdown documentation, etc. in check.

... with IntelliJ IDEA

While this is not strictly necessary it makes Intellij IDEA's built-in formatter produce 100% ktlint-compatible code.

Option #1 (recommended)

(inside project's root directory)

ktlint --apply-to-idea # or if you want to be compliant with Android Kotlin Style Guide ktlint --apply-to-idea --android 
Option #2

Go to File -> Settings... -> Editor

  • General -> Auto Import
    • check Optimize imports on the fly (for current project).
  • Code Style -> Kotlin
    • open Imports tab, select all Use single name import options and remove import java.util.* from Packages to Use Import with '*'.
    • open Blank Lines tab, change Keep Maximum Blank Lines -> In declarations & In code to 1 and Before ' } ' to 0.
    • (optional but recommended) open Wrapping and Braces tab, uncheck Method declaration parameters -> Align when multiline.
    • (optional but recommended) open Tabs and Indents tab, change Continuation indent to 4 (to be compliant with Android Kotlin Style Guide value should stay equal 8).
  • Inspections
    • change Severity level of Unused import directive, Redundant semicolon and (optional but recommended) Unused symbol to ERROR.

... with GNU Emacs

See whirm/flycheck-kotlin.

Integrated with something else? Send a PR.

Creating a ruleset

In a nutshell: "ruleset" is a JAR containing one or more Rules gathered together in a RuleSet. ktlint is relying on ServiceLoader to discover all available "RuleSet"s on the classpath (as a ruleset author, all you need to do is to include a META-INF/services/com.github.shyiko.ktlint.core.RuleSetProvider file containing a fully qualified name of your RuleSetProvider implementation).

Once packaged in a JAR you can load it with

# enable additional 3rd party ruleset by pointing ktlint to its location on the file system $ ktlint -R /path/to/custom/rulseset.jar "src/test/**/*.kt"  # you can also use <groupId>:<artifactId>:<version> triple in which case artifact is # downloaded from Maven Central, JCenter or JitPack (depending on where it's located and  # whether or not it's already present in local Maven cache) $ ktlint -R com.github.username:rulseset:master-SNAPSHOT

A complete sample project (with tests and build files) is included in this repo under the ktlint-ruleset-template directory (make sure to check NoVarRuleTest as it contains some useful information).

Creating a reporter

Take a look at ktlint-reporter-plain.

In short, all you need to do is to implement a Reporter and make it available by registering a custom ReporterProvider using META-INF/services/com.github.shyiko.ktlint.core.ReporterProvider. Pack all of that into a JAR and you're done.

To load a custom (3rd party) reporter use ktlint --reporter=groupId:artifactId:version / ktlint --reporter=/path/to/custom-ktlint-reporter.jar (see ktlint --help for more).

Badge

[![ktlint](https://img.shields.io/badge/code%20style-%E2%9D%A4-FF4081.svg)](https://ktlint.github.io/)

FAQ

Why should I use ktlint?

Simplicity.

Spending time on configuration (& maintenance down the road) of hundred-line long style config file(s) is counter-productive. Instead of wasting your energy on something that has no business value - focus on what really matters (not debating whether to use tabs or spaces).

By using ktlint you put the importance of code clarity and community conventions over personal preferences. This makes things easier for people reading your code as well as frees you from having to document & explain what style potential contributor(s) have to follow.

ktlint is a single binary with both linter & formatter included. All you need is to drop it in (no need to get overwhelmed while choosing among dozens of code style options).

Can I have my own rules on top of ktlint?

Absolutely, "no configuration" doesn't mean "no extensibility". You can add your own ruleset(s) to discover potential bugs, check for anti-patterns, etc.

See Creating A Ruleset.

How do I suppress an error?

This is meant primarily as an escape latch for the rare cases when ktlint is not able to produce the correct result (please report any such instances using GitHub Issues).

To disable a specific rule you'll need to turn on the verbose mode ( ktlint --verbose ...). At the end of each line you'll see an error code. Use it as an argument for ktlint-disable directive (shown below).

import package.* // ktlint-disable no-wildcard-imports  /* ktlint-disable no-wildcard-imports */ import package.a.* import package.b.* /* ktlint-enable no-wildcard-imports */

To disable all checks:

import package.* // ktlint-disable

Development

Make sure to read CONTRIBUTING.md.

git clone https://github.com/shyiko/ktlint && cd ktlint ./mvnw # shows how to build, test, etc. project

Legal

This project is not affiliated with or endorsed by the Jetbrains.
All code, unless specified otherwise, is licensed under the MIT license.
Copyright (c) 2016 Stanley Shyiko.

Resources

A MultiScreen-Support-Library for Android.

A raised button that lowers down to 0dp of elevation.

Typer/writer TextView component.

Android app built with MVP architectural approach and uses Marvel Comics API that allows developers everywhere to access information about Marvel's vast library of comics.

Android Rounded, Circle, Path ImageView.

This is a tool app that solve too much notifications on android device.

Topics


2D Engines   3D Engines   9-Patch   Action Bars   Activities   ADB   Advertisements   Analytics   Animations   ANR   AOP   API   APK   APT   Architecture   Audio   Autocomplete   Background Processing   Backward Compatibility   Badges   Bar Codes   Benchmarking   Bitmaps   Bluetooth   Blur Effects   Bread Crumbs   BRMS   Browser Extensions   Build Systems   Bundles   Buttons   Caching   Camera   Canvas   Cards   Carousels   Changelog   Checkboxes   Cloud Storages   Color Analysis   Color Pickers   Colors   Comet/Push   Compass Sensors   Conferences   Content Providers   Continuous Integration   Crash Reports   Credit Cards   Credits   CSV   Curl/Flip   Data Binding   Data Generators   Data Structures   Database   Database Browsers   Date &   Debugging   Decompilers   Deep Links   Dependency Injections   Design   Design Patterns   Dex   Dialogs   Distributed Computing   Distribution Platforms   Download Managers   Drawables   Emoji   Emulators   EPUB   Equalizers &   Event Buses   Exception Handling   Face Recognition   Feedback &   File System   File/Directory   Fingerprint   Floating Action   Fonts   Forms   Fragments   FRP   FSM   Functional Programming   Gamepads   Games   Geocaching   Gestures   GIF   Glow Pad   Gradle Plugins   Graphics   Grid Views   Highlighting   HTML   HTTP Mocking   Icons   IDE   IDE Plugins   Image Croppers   Image Loaders   Image Pickers   Image Processing   Image Views   Instrumentation   Intents   Job Schedulers   JSON   Keyboard   Kotlin   Layouts   Library Demos   List View   List Views   Localization   Location   Lock Patterns   Logcat   Logging   Mails   Maps   Markdown   Mathematics   Maven Plugins   MBaaS   Media   Menus   Messaging   MIME   Mobile Web   Native Image   Navigation   NDK   Networking   NFC   NoSQL   Number Pickers   OAuth   Object Mocking   OCR Engines   OpenGL   ORM   Other Pickers   Parallax List   Parcelables   Particle Systems   Password Inputs   PDF   Permissions   Physics Engines   Platforms   Plugin Frameworks   Preferences   Progress Indicators   ProGuard   Properties   Protocol Buffer   Pull To   Purchases   Push/Pull   QR Codes   Quick Return   Radio Buttons   Range Bars   Ratings   Recycler Views   Resources   REST   Ripple Effects   RSS   Screenshots   Scripting   Scroll Views   SDK   Search Inputs   Security   Sensors   Services   Showcase Views   Signatures   Sliding Panels   Snackbars   SOAP   Social Networks   Spannable   Spinners   Splash Screens   SSH   Static Analysis   Status Bars   Styling   SVG   System   Tags   Task Managers   TDD &   Template Engines   Testing   Testing Tools   Text Formatting   Text Views   Text Watchers   Text-to   Toasts   Toolkits For   Tools   Tooltips   Trainings   TV   Twitter   Updaters   USB   User Stories   Utils   Validation   Video   View Adapters   View Pagers   Views   Watch Face   Wearable Data   Wearables   Weather   Web Tools   Web Views   WebRTC   WebSockets   Wheel Widgets   Wi-Fi   Widgets   Windows   Wizards   XML   XMPP   YAML   ZIP Codes