Having consistency and enforcing coding standards becomes very important as an application scales. It becomes important to automate the process to ensure quality standards and make the application maintainable. ESLint and Prettier can be used to define these standards, but we also need a tool to enforce them. Husky provides that functionality by providing pre-commit git hooks that can be configured per our needs.
These standards can also be enforced by using gated checks on pull requests at the CI level, but Husky is an alternative to doing it at the local machine level.
Husky is an npm package to make managing Git hooks easy. When initialized with Git, it enables a feature called hooks (no correlation with react hooks, in case you were wondering).
It provides pre-push, pre-rebase, pre-commit and other similar hooks. These hooks allow a mechanism to perform an action before one of the git commands is run.
To view a list of all the hooks in a project, we can run:
ls .git/hooks
BashA list of all git hooks and their usage can be found here.
For our purpose, we need to run the linter and formatter before someone creates a commit. So, we will be using the pre-commit git hook.
Husky ensures:
We install husky using the command:
npm i -D husky
BashConfiguring husky requires adding a husky key to the root of the project’s package.json:
"husky": {
"hooks": {
"pre-commit": "", // pre-commit command
"pre-push": "", // pre-push command
"...": "..."
}
}
JavaScriptThe commands can be anything we want to run before the corresponding git action.
If we have npm scripts for running prettier and ESLint set up as:
"scripts": {
"prettier": "prettier --config .prettierrc 'src/**/*.{js,jsx,css}' --write",
"lint": "eslint . --ext .js",
...
},
JavaScriptWe can configure husky to run those before a commit happens:
"husky": {
"hooks": {
"pre-commit": "npm run prettier && npm run lint"
}
}
JavaScriptThis ensures that a commit cannot be made without having code that is formatted, as well as enforces the coding standards set using ESLint.
Note: Instead of running linting on the complete project, check out the package lint-staged, which runs the linter only on staged files. This reduces the time it takes to lint the project.
Using husky and git pre-commit hooks, we can thus enforce coding standards across our projects without manual interventions. Let us know in the comments below if you have any questions or other linting tips.
I am terrible at optimizing my keyboard layout for anything. But off lately, my little…
I recently switched completely to the Brave browser and have set ad blocking to aggressive…
I was preparing a slide deck for a hackathon and decided to put in a…
I have been using npx a lot lately, especially whenever I want to use a…
Manually copy-pasting the output of a terminal command with a mouse/trackpad feels tedious. It is…
While working on a project, I wanted to do an integrity check of a file…