Lint any project in any language using Swift and regular expressions. With built-in support for matching and non-matching examples validation & autocorrect replacement. Replaces SwiftLint custom rules & works for other languages as well! 🎉
The most important thing to note is that the first three lines are required for AnyLint to work properly.
All the other code can be adjusted and that’s actually where you configure your lint checks (a few examples are provided by default in the blank template). Note that the first two lines declare the file to be a Swift script using swift-sh. Thus, you can run any Swift code and even import Swift packages (see the swift-sh docs) if you need to. The third line makes sure that all violations found in the process of running the code in the completion block are reported properly and exits the script with the proper exit code at the end.
Having this configuration file, you can now run anylint to run your lint checks. By default, if any check fails, the entire command fails and reports the violation reason. To learn more about how to configure your own checks, see the Configuration section below.
If you want to create and run multiple configuration files or if you want a different name or location for the default config file, you can pass the --path option, which can be used multiple times as well like this:
Initializes the configuration files at the given locations:
Note that we recommend using raw strings (#"foo"# instead of "foo") for all regexes to get rid of double escaping backslashes (e.g. \\s becomes \s). This also allows for testing regexes in online regex editors like Rubular first and then copy & pasting from them without any additional escaping (except for { & }, replace with \{ & \}).
Regex Options
Specifying Regex options in literals is done via the \ separator as shown in the examples above. The available options are:
i for .ignoreCase: Any specified characters will both match uppercase and lowercase variants.
m for .dotMatchesLineSeparators: All appearances of . in regexes will also match newlines (which are not matched against by default).
The .anchorsMatchLines option is always activated on literal usage as we strongly recommend it. It ensures that ^ can be used to match the start of a line and $ for the end of a line. By default they would match the start & end of the entire string. If that’s actually what you want, you can still use \A and \z for that. This makes the default literal Regex behavior more in line with sites like Rubular.
CheckInfo
A CheckInfo contains the basic information about a lint check. It consists of:
id: The identifier of your lint check. For example: EmptyTodo
hint: The hint explaining the cause of the violation or the steps to fix it.
severity: The severity of violations. One of error, warning, info. Default: error
While there is an initializer available, we recommend using a String Literal instead like so:
// accepted structure: <id>(@<severity>): <hint>
let checkInfo: CheckInfo = "ReadmePath: The README file should be named exactly `README.md`."
let checkInfoCustomSeverity: CheckInfo = "ReadmePath@warning: The README file should be named exactly `README.md`."
AutoCorrection
An AutoCorrection contains an example before and after string to validate that a given autocorrection rule behaves correctly.
It can be initialized in two ways, either with the default initializer:
let example: AutoCorrection = AutoCorrection(before: "Lisence", after: "License")
Or using a Dictionary literal:
let example: AutoCorrection = ["before": "Lisence", "after": "License"]
Check File Contents
AnyLint has rich support for checking the contents of a file using a regex. The design follows the approach “make simple things simple and hard things possible”. Thus, let’s explain the checkFileContents method with a simple and a complex example.
In its simplest form, the method just requires a checkInfo and a regex:
// MARK: EmptyTodo
try Lint.checkFileContents(
checkInfo: "EmptyTodo: TODO comments should not be empty.",
regex: #"// TODO: *\n"#
)
But we strongly recommend to always provide also:
matchingExamples: Array of strings expected to match the given string for regex validation.
nonMatchingExamples: Array of strings not matching the given string for regex validation.
includeFilters: Array of Regex objects to include to the file paths to check.
The first two will be used on each run of AnyLint to check if the provided regex actually works as expected. If any of the matchingExamples doesn’t match or if any of the nonMatchingExamplesdoes match, the entire AnyLint command will fail early. This a built-in validation step to help preventing a lot of issues and increasing your confidence on the lint checks.
The third one is recommended because it increases the performance of the linter. Only files at paths matching at least one of the provided regexes will be checked. If not provided, all files within the current directory will be read recursively for each check, which is inefficient.
Here’s the recommended minimum example:
// MARK: - Variables
let swiftSourceFiles: Regex = #"Sources/.*\.swift"#
let swiftTestFiles: Regex = #"Tests/.*\.swift"#
// MARK: - Checks
// MARK: empty_todo
try Lint.checkFileContents(
checkInfo: "EmptyTodo: TODO comments should not be empty.",
regex: #"// TODO: *\n"#,
matchingExamples: ["// TODO:\n"],
nonMatchingExamples: ["// TODO: not yet implemented\n"],
includeFilters: [swiftSourceFiles, swiftTestFiles]
)
There’s 5 more parameters you can optionally set if needed:
excludeFilters: Array of Regex objects to exclude from the file paths to check.
violationLocation: Specifies the position of the violation marker violations should be reported. Can be the lower or upper end of a fullMatch or captureGroup(index:).
autoCorrectReplacement: Replacement string which can reference any capture groups in the regex.
autoCorrectExamples: Example structs with before and after for autocorrection validation.
repeatIfAutoCorrected: Repeat check if at least one auto-correction was applied in last run. Defaults to false.
The excludeFilters can be used alternatively to the includeFilters or alongside them. If used alongside, exclusion will take precedence over inclusion.
If autoCorrectReplacement is provided, AnyLint will automatically replace matches of regex with the given replacement string. Capture groups are supported, both in numbered style (([a-z]+)(\d+) => $1$2) and named group style ((?<alpha>[a-z])(?<num>\d+) => $alpha$num). When provided, we strongly recommend to also provide autoCorrectExamples for validation. Like for matchingExamples / nonMatchingExamples the entire command will fail early if one of the examples doesn’t correct from the before string to the expected after string.
Caution: When using the autoCorrectReplacement parameter, be sure to double-check that your regex doesn’t match too much content. Additionally, we strongly recommend to commit your changes regularly to have some backup.
Here’s a full example using all parameters at once:
Note that when autoCorrectReplacement produces a replacement string that exactly matches the matched string of regex, then no violation will be reported. This enables us to provide more generic regex patterns that also match the correct string without actually reporting a violation for the correct one. For example, using the regex if\s*\(([^)]+)\)\s*\{ to check whitespaces around braces after if statement would report a violation for all of the following examples:
if(x == 5) { /* some code */ }
if (x == 5){ /* some code */ }
if(x == 5){ /* some code */ }
if (x == 5) { /* some code */ }
The problem is that the last example actually is our expected formatting and should not violate. By providing an autoCorrectReplacement of if ($1) {, we can fix that as the replacement would be equal to the matched string, so no violation would be reported for the last example and all the others would be auto-corrected – just what we want. 🎉
(The alternative would be to split the check to two separate ones, one fore checking the prefix and one the suffix whitespacing – not so beautiful as this blows up our lint.swift configuration file very quickly.)
Skip file content checks
While the includeFilters and excludeFilters arguments in the config file can be used to skip checks on specified files, sometimes it’s necessary to make exceptions and specify that within the files themselves. For example this can become handy when there’s a check which works 99% of the time, but there might be the 1% of cases where the check is reporting false positives.
For such cases, there are 2 ways to skip checks within the files themselves:
AnyLint.skipHere: <CheckInfo.ID>: Will skip the specified check(s) on the same line and the next line.
var x: Int = 5 // AnyLint.skipHere: MinVarNameLength
// or
// AnyLint.skipHere: MinVarNameLength
var x: Int = 5
AnyLint.skipInFile: <All or CheckInfo.ID>: Will skip All or specificed check(s) in the entire file.
// AnyLint.skipInFile: MinVarNameLength
var x: Int = 5
var y: Int = 5
or
// AnyLint.skipInFile: All
var x: Int = 5
var y: Int = 5
It is also possible to skip multiple checks at once in a line like so:
The checkFilePaths method has all the same parameters like the checkFileContents method, so please read the above section to learn more about them. There’s only one difference and one additional parameter:
autoCorrectReplacement: Here, this will safely move the file using the path replacement.
violateIfNoMatchesFound: Will report a violation if no matches are found if true. Default: false
As this method is about file paths and not file contents, the autoCorrectReplacement actually also fixes the paths, which corresponds to moving files from the before state to the after state. Note that moving/renaming files here is done safely, which means that if a file already exists at the resulting path, the command will fail.
By default, checkFilePaths will fail if the given regex matches a file. If you want to check for the existence of a file though, you can set violateIfNoMatchesFound to true instead, then the method will fail if it does not match any file.
Custom Checks
AnyLint allows you to do any kind of lint checks (thus its name) as it gives you the full power of the Swift programming language and it’s packages ecosystem. The customCheck method needs to be used to profit from this flexibility. And it’s actually the simplest of the three methods, consisting of only two parameters:
checkInfo: Provides some general information on the lint check.
customClosure: Your custom logic which produces an array of Violation objects.
Note that the Violation type just holds some additional information on the file, matched string, location in the file and applied autocorrection and that all these fields are optional. It is a simple struct used by the AnyLint reporter for more detailed output, no logic attached. The only required field is the CheckInfo object which caused the violation.
If you want to use regexes in your custom code, you can learn more about how you can match strings with a Regex object on the HandySwift docs (the project, the class was taken from) or read the code documentation comments.
When using the customCheck, you might want to also include some Swift packages for easier file handling or running shell commands. You can do so by adding them at the top of the file like so:
#!/opt/local/bin/swift-sh
import AnyLint // @FlineDev
import ShellOut // @JohnSundell
Lint.logSummaryAndExit(arguments: CommandLine.arguments) {
// MARK: - Variables
let projectName: String = "AnyLint"
// MARK: - Checks
// MARK: LinuxMainUpToDate
try Lint.customCheck(checkInfo: "LinuxMainUpToDate: The tests in Tests/LinuxMain.swift should be up-to-date.") { checkInfo in
var violations: [Violation] = []
let linuxMainFilePath = "Tests/LinuxMain.swift"
let linuxMainContentsBeforeRegeneration = try! String(contentsOfFile: linuxMainFilePath)
let sourceryDirPath = ".sourcery"
try! shellOut(to: "sourcery", arguments: ["--sources", "Tests/\(projectName)Tests", "--templates", "\(sourceryDirPath)/LinuxMain.stencil", "--output", sourceryDirPath])
let generatedLinuxMainFilePath = "\(sourceryDirPath)/LinuxMain.generated.swift"
let linuxMainContentsAfterRegeneration = try! String(contentsOfFile: generatedLinuxMainFilePath)
// move generated file to LinuxMain path to update its contents
try! shellOut(to: "mv", arguments: [generatedLinuxMainFilePath, linuxMainFilePath])
if linuxMainContentsBeforeRegeneration != linuxMainContentsAfterRegeneration {
violations.append(
Violation(
checkInfo: checkInfo,
filePath: linuxMainFilePath,
appliedAutoCorrection: AutoCorrection(
before: linuxMainContentsBeforeRegeneration,
after: linuxMainContentsAfterRegeneration
)
)
)
}
return violations
}
}
Xcode Build Script
If you are using AnyLint for a project in Xcode, you can configure a build script to run it on each build. In order to do this select your target, choose the Build Phases tab and click the + button on the top left corner of that pane. Select New Run Script Phase and copy the following into the text box below the Shell: /bin/sh of your new run script phase:
export PATH="$PATH:/opt/homebrew/bin"
if which anylint > /dev/null; then
anylint -x
else
echo "warning: AnyLint not installed, see from https://github.com/FlineDev/AnyLint"
fi
Next, make sure the AnyLint script runs before the steps Compiling Sources by moving it per drag & drop, for example right after Dependencies. You probably also want to rename it to somethng like AnyLint.
Note: There’s a known bug when the build script is used in non-macOS platforms targets.
Regex Cheat Sheet
Refer to the Regex quick reference on rubular.com which all apply for Swift as well:
In Swift, there are some differences to regexes in Ruby (which rubular.com is based on) – take care when copying regexes:
In Ruby, forward slashes (/) must be escaped (\/), that’s not necessary in Swift.
In Swift, curly braces ({ & }) must be escaped (\{ & \}), that’s not necessary in Ruby.
Here are some advanced Regex features you might want to use or learn more about:
Back references can be used within regexes to match previous capture groups.
For example, you can make sure that the PR number and link match in PR: [#100](https://github.com/FlineDev/AnyLint/pull/100) by using a capture group ((\d+)) and a back reference (\1) like in: \[#(\d+)\]\(https://[^)]+/pull/\).
Negative & positive lookaheads & lookbehinds allow you to specify patterns with some limitations that will be excluded from the matched range. They are specified with (?=PATTERN) (positive lookahead), (?!PATTERN) (negative lookahead), (?<=PATTERN) (positive lookbehind) or (?<!PATTERN) (negative lookbehind).
For example, you could use the regex - (?!None\.).* to match any entry in a CHANGELOG.md file except empty ones called None..
Specifically you can use a lookbehind to make sure that the reported line of a regex spanning multiple lines only reports on the exact line where the developer needs to make a change, instead of one line before. That works because the pattern matched by a lookbehind is not considered part of the matching range.
For example, consider a regex violating if there’s an empty line after an opening curly brace like so: {\n\s*\n\s*\S. This would match the lines of func do() {\n\n return 5}, but what you actually want is it to start matching on the empty newline like so: (?<={\n)\s*\n\s*\S.
AnyLint was brought to you by Cihat Gündüz in his free time. If you want to thank me and support the development of this project, please make a small donation on PayPal. In case you also like my other open source contributions and articles, please consider motivating me by becoming a sponsor on GitHub or a patron on Patreon.
Thank you very much for any donation, it really helps out a lot! 💯
Contributing
Contributions are welcome. Feel free to open an issue on GitHub with your ideas or implement an idea yourself and post a pull request. If you want to contribute code, please try to follow the same syntax and semantic in your commit messages (see rationale here). Also, please make sure to add an entry to the CHANGELOG.md file which explains your change.
License
This library is released under the MIT License. See LICENSE for details.
Installation • Getting Started • Configuration • Xcode Build Script • Donation • Issues • Regex Cheat Sheet • License
AnyLint
Lint any project in any language using Swift and regular expressions. With built-in support for matching and non-matching examples validation & autocorrect replacement. Replaces SwiftLint custom rules & works for other languages as well! 🎉
Installation
Via Homebrew:
To install AnyLint the first time, run these commands:
To update it to the latest version, run this instead:
Via Mint:
To install AnyLint or update to the latest version, run this command:
Getting Started
To initialize AnyLint in a project, run:
This will create the Swift script file
lint.swift
with something like the following contents:The most important thing to note is that the first three lines are required for AnyLint to work properly.
All the other code can be adjusted and that’s actually where you configure your lint checks (a few examples are provided by default in the
blank
template). Note that the first two lines declare the file to be a Swift script using swift-sh. Thus, you can run any Swift code and even import Swift packages (see the swift-sh docs) if you need to. The third line makes sure that all violations found in the process of running the code in the completion block are reported properly and exits the script with the proper exit code at the end.Having this configuration file, you can now run
anylint
to run your lint checks. By default, if any check fails, the entire command fails and reports the violation reason. To learn more about how to configure your own checks, see the Configuration section below.If you want to create and run multiple configuration files or if you want a different name or location for the default config file, you can pass the
--path
option, which can be used multiple times as well like this:Initializes the configuration files at the given locations:
Runs the lint checks for both configuration files:
There are also several flags you can pass to
anylint
:-s
/--strict
: Fails on warnings as well. (By default, the command only fails on errors.)-x
/--xcode
: Prints warnings & errors in a format to be reported right within Xcodes left sidebar.-l
/--validate
: Runs only validations formatchingExamples
,nonMatchingExamples
andautoCorrectExamples
.-u
/--unvalidated
: Runs the checks without validating their correctness. Only use for faster subsequent runs after a validated run succeeded.-m
/--measure
: Prints the time it took to execute each check for performance optimizations.-v
/--version
: Prints the current tool version. (Does not run any lint checks.)-d
/--debug
: Logs much more detailed information about what AnyLint is doing for debugging purposes.Configuration
AnyLint provides three different kinds of lint checks:
checkFileContents
: Matches the contents of a text file to a given regex.checkFilePaths
: Matches the file paths of the current directory to a given regex.customCheck
: Allows to write custom Swift code to do other kinds of checks.Several examples of lint checks can be found in the
lint.swift
file of this very project.Basic Types
Independent from the method used, there are a few types specified in the AnyLint package you should know of.
Regex
Many parameters in the above mentioned lint check methods are of
Regex
type. ARegex
can be initialized in several ways:Note that we recommend using raw strings (
#"foo"#
instead of"foo"
) for all regexes to get rid of double escaping backslashes (e.g.\\s
becomes\s
). This also allows for testing regexes in online regex editors like Rubular first and then copy & pasting from them without any additional escaping (except for{
&}
, replace with\{
&\}
).Regex Options
Specifying Regex options in literals is done via the
\
separator as shown in the examples above. The available options are:i
for.ignoreCase
: Any specified characters will both match uppercase and lowercase variants.m
for.dotMatchesLineSeparators
: All appearances of.
in regexes will also match newlines (which are not matched against by default).The
.anchorsMatchLines
option is always activated on literal usage as we strongly recommend it. It ensures that^
can be used to match the start of a line and$
for the end of a line. By default they would match the start & end of the entire string. If that’s actually what you want, you can still use\A
and\z
for that. This makes the default literal Regex behavior more in line with sites like Rubular.CheckInfo
A
CheckInfo
contains the basic information about a lint check. It consists of:id
: The identifier of your lint check. For example:EmptyTodo
hint
: The hint explaining the cause of the violation or the steps to fix it.severity
: The severity of violations. One oferror
,warning
,info
. Default:error
While there is an initializer available, we recommend using a String Literal instead like so:
AutoCorrection
An
AutoCorrection
contains an examplebefore
andafter
string to validate that a given autocorrection rule behaves correctly.It can be initialized in two ways, either with the default initializer:
Or using a Dictionary literal:
Check File Contents
AnyLint has rich support for checking the contents of a file using a regex. The design follows the approach “make simple things simple and hard things possible”. Thus, let’s explain the
checkFileContents
method with a simple and a complex example.In its simplest form, the method just requires a
checkInfo
and aregex
:But we strongly recommend to always provide also:
matchingExamples
: Array of strings expected to match the given string forregex
validation.nonMatchingExamples
: Array of strings not matching the given string forregex
validation.includeFilters
: Array ofRegex
objects to include to the file paths to check.The first two will be used on each run of AnyLint to check if the provided
regex
actually works as expected. If any of thematchingExamples
doesn’t match or if any of thenonMatchingExamples
does match, the entire AnyLint command will fail early. This a built-in validation step to help preventing a lot of issues and increasing your confidence on the lint checks.The third one is recommended because it increases the performance of the linter. Only files at paths matching at least one of the provided regexes will be checked. If not provided, all files within the current directory will be read recursively for each check, which is inefficient.
Here’s the recommended minimum example:
There’s 5 more parameters you can optionally set if needed:
excludeFilters
: Array ofRegex
objects to exclude from the file paths to check.violationLocation
: Specifies the position of the violation marker violations should be reported. Can be thelower
orupper
end of afullMatch
orcaptureGroup(index:)
.autoCorrectReplacement
: Replacement string which can reference any capture groups in theregex
.autoCorrectExamples
: Example structs withbefore
andafter
for autocorrection validation.repeatIfAutoCorrected
: Repeat check if at least one auto-correction was applied in last run. Defaults tofalse
.The
excludeFilters
can be used alternatively to theincludeFilters
or alongside them. If used alongside, exclusion will take precedence over inclusion.If
autoCorrectReplacement
is provided, AnyLint will automatically replace matches ofregex
with the given replacement string. Capture groups are supported, both in numbered style (([a-z]+)(\d+)
=>$1$2
) and named group style ((?<alpha>[a-z])(?<num>\d+)
=>$alpha$num
). When provided, we strongly recommend to also provideautoCorrectExamples
for validation. Like formatchingExamples
/nonMatchingExamples
the entire command will fail early if one of the examples doesn’t correct from thebefore
string to the expectedafter
string.Here’s a full example using all parameters at once:
Note that when
autoCorrectReplacement
produces a replacement string that exactly matches the matched string ofregex
, then no violation will be reported. This enables us to provide more genericregex
patterns that also match the correct string without actually reporting a violation for the correct one. For example, using the regexif\s*\(([^)]+)\)\s*\{
to check whitespaces around braces afterif
statement would report a violation for all of the following examples:The problem is that the last example actually is our expected formatting and should not violate. By providing an
autoCorrectReplacement
ofif ($1) {
, we can fix that as the replacement would be equal to the matched string, so no violation would be reported for the last example and all the others would be auto-corrected – just what we want. 🎉(The alternative would be to split the check to two separate ones, one fore checking the prefix and one the suffix whitespacing – not so beautiful as this blows up our
lint.swift
configuration file very quickly.)Skip file content checks
While the
includeFilters
andexcludeFilters
arguments in the config file can be used to skip checks on specified files, sometimes it’s necessary to make exceptions and specify that within the files themselves. For example this can become handy when there’s a check which works 99% of the time, but there might be the 1% of cases where the check is reporting false positives.For such cases, there are 2 ways to skip checks within the files themselves:
AnyLint.skipHere: <CheckInfo.ID>
: Will skip the specified check(s) on the same line and the next line.AnyLint.skipInFile: <All or CheckInfo.ID>
: Will skipAll
or specificed check(s) in the entire file.or
It is also possible to skip multiple checks at once in a line like so:
Check File Paths
The
checkFilePaths
method has all the same parameters like thecheckFileContents
method, so please read the above section to learn more about them. There’s only one difference and one additional parameter:autoCorrectReplacement
: Here, this will safely move the file using the path replacement.violateIfNoMatchesFound
: Will report a violation if no matches are found iftrue
. Default:false
As this method is about file paths and not file contents, the
autoCorrectReplacement
actually also fixes the paths, which corresponds to moving files from thebefore
state to theafter
state. Note that moving/renaming files here is done safely, which means that if a file already exists at the resulting path, the command will fail.By default,
checkFilePaths
will fail if the givenregex
matches a file. If you want to check for the existence of a file though, you can setviolateIfNoMatchesFound
totrue
instead, then the method will fail if it does not match any file.Custom Checks
AnyLint allows you to do any kind of lint checks (thus its name) as it gives you the full power of the Swift programming language and it’s packages ecosystem. The
customCheck
method needs to be used to profit from this flexibility. And it’s actually the simplest of the three methods, consisting of only two parameters:checkInfo
: Provides some general information on the lint check.customClosure
: Your custom logic which produces an array ofViolation
objects.Note that the
Violation
type just holds some additional information on the file, matched string, location in the file and applied autocorrection and that all these fields are optional. It is a simple struct used by the AnyLint reporter for more detailed output, no logic attached. The only required field is theCheckInfo
object which caused the violation.If you want to use regexes in your custom code, you can learn more about how you can match strings with a
Regex
object on the HandySwift docs (the project, the class was taken from) or read the code documentation comments.When using the
customCheck
, you might want to also include some Swift packages for easier file handling or running shell commands. You can do so by adding them at the top of the file like so:Xcode Build Script
If you are using AnyLint for a project in Xcode, you can configure a build script to run it on each build. In order to do this select your target, choose the
Build Phases
tab and click the + button on the top left corner of that pane. SelectNew Run Script Phase
and copy the following into the text box below theShell: /bin/sh
of your new run script phase:Next, make sure the AnyLint script runs before the steps
Compiling Sources
by moving it per drag & drop, for example right afterDependencies
. You probably also want to rename it to somethng likeAnyLint
.Regex Cheat Sheet
Refer to the Regex quick reference on rubular.com which all apply for Swift as well:
In Swift, there are some differences to regexes in Ruby (which rubular.com is based on) – take care when copying regexes:
/
) must be escaped (\/
), that’s not necessary in Swift.{
&}
) must be escaped (\{
&\}
), that’s not necessary in Ruby.Here are some advanced Regex features you might want to use or learn more about:
Back references can be used within regexes to match previous capture groups.
For example, you can make sure that the PR number and link match in
PR: [#100](https://github.com/FlineDev/AnyLint/pull/100)
by using a capture group ((\d+)
) and a back reference (\1
) like in:\[#(\d+)\]\(https://[^)]+/pull/\)
.Learn more
Negative & positive lookaheads & lookbehinds allow you to specify patterns with some limitations that will be excluded from the matched range. They are specified with
(?=PATTERN)
(positive lookahead),(?!PATTERN)
(negative lookahead),(?<=PATTERN)
(positive lookbehind) or(?<!PATTERN)
(negative lookbehind).For example, you could use the regex
- (?!None\.).*
to match any entry in aCHANGELOG.md
file except empty ones calledNone.
.Learn more
Specifically you can use a lookbehind to make sure that the reported line of a regex spanning multiple lines only reports on the exact line where the developer needs to make a change, instead of one line before. That works because the pattern matched by a lookbehind is not considered part of the matching range.
For example, consider a regex violating if there’s an empty line after an opening curly brace like so:
{\n\s*\n\s*\S
. This would match the lines offunc do() {\n\n return 5}
, but what you actually want is it to start matching on the empty newline like so:(?<={\n)\s*\n\s*\S
.See also #3
Donation
AnyLint was brought to you by Cihat Gündüz in his free time. If you want to thank me and support the development of this project, please make a small donation on PayPal. In case you also like my other open source contributions and articles, please consider motivating me by becoming a sponsor on GitHub or a patron on Patreon.
Thank you very much for any donation, it really helps out a lot! 💯
Contributing
Contributions are welcome. Feel free to open an issue on GitHub with your ideas or implement an idea yourself and post a pull request. If you want to contribute code, please try to follow the same syntax and semantic in your commit messages (see rationale here). Also, please make sure to add an entry to the
CHANGELOG.md
file which explains your change.License
This library is released under the MIT License. See LICENSE for details.