Slevomat Coding Standard for PHP_CodeSniffer provides sniffs that fall into three categories:
- Functional - improving the safety and behaviour of code
- Cleaning - detecting dead code
- Formatting - rules for consistent code looks
- Functional - improving the safety and behaviour of code
- Cleaning - detecting dead code
- Formatting - rules for consistent code looks
🚧 = Sniff check can be suppressed locally
- Checks for missing property types in phpDoc
@var
. - Checks for missing typehints in case they can be declared natively. If the phpDoc contains something that can be written as a native PHP 7.0, 7.1 or 7.2 typehint, this sniff reports that.
- Checks for missing
@return
and/or native return typehint in case the method body containsreturn
with a value. - Checks for useless doc comments. If the native method declaration contains everything and the phpDoc does not add anything useful, it's reported as useless and can optionally be automatically removed with
phpcbf
. - Some phpDocs might still be useful even if they do not add any typehint information. They can contain textual descriptions of code elements and also some meaningful annotations like
@expectException
or@dataProvider
. - Forces to specify what's in traversable types like
array
,iterable
and\Traversable
.
Sniff provides the following settings:
- DEPRECATED
enableObjectTypeHint
: enforces to transform@param object
or@return object
into nativeobject
typehint. It's on by default if you're on PHP 7.2+ traversableTypeHints
: enforces which typehints must have specified contained type. E. g. if you set this to\Doctrine\Common\Collections\Collection
, then\Doctrine\Common\Collections\Collection
must always be supplied with the contained type:\Doctrine\Common\Collections\Collection|Foo[]
.allAnnotationsAreUseful
: phpDoc is useful if it contain any annotation.enableEachParameterAndReturnInspection
: enables inspection and fixing of@param
and@return
annotations separately. Useful when you only want to document parameters or return values that could not be expressed natively (i.e. member types ofarray
orTraversable
).
This sniff can cause an error if you're overriding or implementing a parent method which does not have typehints. In such cases add @phpcsSuppress SlevomatCodingStandard.TypeHints.TypeHintDeclaration.MissingParameterTypeHint
annotation to the method to have this sniff skip it.
Reports useless @var
annotation (or whole documentation comment) for constants because the type of constant is always clear.
In PHP 7.0, a Throwable
interface was added that allows catching and handling errors in more cases than Exception
previously allowed. So, if the catch statement contained Exception
on PHP 5.x, it means it should probably be rewritten to reference Throwable
on PHP 7.x. This sniff enforces that.
Enforces having declare(strict_types = 1)
at the top of each PHP file. Allows configuring how many newlines should be between the <?php
opening tag and the declare
statement.
Sniff provides the following settings:
newlinesCountBetweenOpenTagAndDeclare
: allows to set 0 to N newlines to be between<?php
anddeclare
newlinesCountAfterDeclare
: allows to set 0 to N newlines to be betweendeclare
and next statementspacesCountAroundEqualsSign
: allows to set number of required spaces around the=
operator
Disallows implicit array creation.
Disallows late static binding for constants.
Reports useless late static binding.
Disallows assignments in if
, elseif
and do-while
loop conditions:
if ($file = findFile($path)) {
}
Assignment in while
loop condition is specifically allowed because it's commonly used.
This is a great addition to already existing SlevomatCodingStandard.ControlStructures.DisallowYodaComparison
because it prevents the danger of assigning something by mistake instead of using comparison operator like ===
.
Disallows use of continue
without integer operand in switch
because it emits a warning in PHP 7.3 and higher.
Disallows use of empty()
.
Requires use of null coalesce operator when possible.
Requires use of early exit.
Sniff provides the following settings:
ignoreStandaloneIfInScope
: ignoresif
that is standalone in scope, like this:
foreach ($values as $value) {
if ($value) {
doSomething();
}
}
Reports closures not using $this
that are not declared static
.
Disallows using loose ==
and !=
comparison operators. Use ===
and !==
instead, they are much more secure and predictable.
Disallows using ++
and --
operators.
Reports ++
and --
operators not used standalone.
Requires using combined assignment operators, eg +=
, .=
etc.
Although PHP_CodeSniffer is not suitable for static analysis because it is limited to analysing one file at a time, it is possible to use it to perform certain checks. UnusedPrivateElementsSniff
checks for unused methods, unused or write-only properties in a class and unused private constants. Reported unused elements are safe to remove.
This is very useful during refactoring to clean up dead code and injected dependencies.
Sniff provides the following settings:
alwaysUsedPropertiesAnnotations
: mark certain properties as always used, for example the ones with@ORM\Column
alwaysUsedPropertiesSuffixes
: mark properties with name ending with a certain string to be always marked as used
Looks for unused inherited variables passed to closure via use
.
Looks for unused parameters.
Looks for useless parameter default value.
Looks for unused imports from other namespaces.
Sniff provides the following settings:
searchAnnotations
(defaults tofalse
): enables searching for class names in annotations.ignoredAnnotationNames
: case sensitive list of annotation names that the sniff should ignore (only the name is ignored, annotation content is still searched). Useful for name collisions like@testCase
annotation andTestCase
class.ignoredAnnotations
: case sensitive list of annotation names that the sniff ignore completely (both name and content are ignored). Useful for name collisions like@group Cache
annotation andCache
class.
Prohibits uses from the same namespace:
namespace Foo;
use Foo\Bar;
Looks for use
alias that is same as unqualified name.
Disallows references.
Requires assertion via assert
instead of inline documentation comments.
Requires nowdoc syntax instead of heredoc when possible.
Looks for useless parentheses.
Sniff provides the following settings:
ignoreComplexTernaryConditions
(defaults tofalse
): ignores complex ternary conditions - condition must contain&&
,||
etc or end of line.
PHP optimizes some internal functions into special opcodes on VM level. Such optimization results in much faster execution compared to calling standard function. This only works when these functions are not invoked with argument unpacking (...
).
The list of these functions varies across PHP versions, but is the same as functions that must be referenced by their global name (either by \
prefix or using use function
), not a fallback name inside namespaced code.
Looks for useless semicolons.
Looks for duplicate assignments to a variable.
Looks for unused variables.
Sniff provides the following settings:
ignoreUnusedValuesWhenOnlyKeysAreUsedInForeach
(defaults tofalse
): ignore unused$value
in foreach when only$key
is used
foreach ($values as $key => $value) {
echo $key;
}
Looks for useless variables.
This sniff finds unreachable catch blocks:
try {
doStuff();
} catch (\Throwable $e) {
log($e);
} catch (\InvalidArgumentException $e) {
// unreachable!
}
Commas after last element in an array make adding a new element easier and result in a cleaner versioning diff.
This sniff enforces trailing commas in multi-line arrays and requires short array syntax []
.
Reports use of __CLASS__
, get_parent_class()
, get_called_class()
, get_class()
and get_class($this)
.
Class names should be referenced via ::class
constant when possible.
Reports use of superfluous prefix or suffix "Abstract" for abstract classes.
Reports use of superfluous prefix or suffix "Interface" for interfaces.
Reports use of superfluous suffix "Exception" for exceptions.
Reports use of superfluous suffix "Trait" for traits.
Prohibits multiple traits separated by commas in one use
statement.
Enforces configurable number of lines before first use
, after last use
and between two use
statements.
Sniff provides the following settings:
linesCountBeforeFirstUse
: allows to configure the number of lines before firstuse
.linesCountBetweenUses
: allows to configure the number of lines between twouse
statements.linesCountAfterLastUse
: allows to configure the number of lines after lastuse
.linesCountAfterLastUseWhenLastInClass
: allows to configure the number of lines after lastuse
when theuse
is the last statement in the class.
Enforces configurable number of lines around block control structures (if, foreach, ...).
Sniff provides the following settings:
linesCountBeforeControlStructure
: allows to configure the number of lines before control structure.linesCountBeforeFirstControlStructure
: allows to configure the number of lines before first control structure.linesCountAfterControlStructure
: allows to configure the number of lines after control structure.linesCountAfterLastControlStructure
: allows to configure the number of lines after last control structure.tokensToCheck
: allows to narrow the list of checked tokens.
For example, with the following setting, only if
and switch
tokens are checked.
<rule ref="SlevomatCodingStandard.ControlStructures.BlockControlStructureSpacing">
<properties>
<property name="tokensToCheck" type="array">
<element value="T_IF"/>
<element value="T_SWITCH"/>
</property>
</properties>
</rule>
Enforces configurable number of lines around jump statements (continue, return, ...).
Sniff provides the following settings:
allowSingleLineYieldStacking
: whether or not to allow multiple yield/yield from statements in a row without blank lines.linesCountBeforeControlStructure
: allows to configure the number of lines before jump statement.linesCountBeforeFirstControlStructure
: allows to configure the number of lines before first jump statement.linesCountAfterControlStructure
: allows to configure the number of lines after jump statement.linesCountAfterLastControlStructure
: allows to configure the number of lines after last jump statement.tokensToCheck
: allows to narrow the list of checked tokens.
For example, with the following setting, only continue
and break
tokens are checked.
<rule ref="SlevomatCodingStandard.ControlStructures.JumpStatementsSpacing">
<properties>
<property name="tokensToCheck" type="array">
<element value="T_CONTINUE"/>
<element value="T_BREAK"/>
</property>
</properties>
</rule>
LanguageConstructWithParenthesesSniff
checks and fixes language construct used with parentheses.
Requires new
with parentheses.
Reports new
with useless parentheses.
Disallows short ternary operator ?:
.
Sniff provides the following settings:
fixable
: the sniff is fixable by default, however in strict code it makes sense to forbid this weakly typed form of ternary altogether, you can disable fixability with this option.
Ternary operator has to be reformatted to more lines when the line length exceeds the given limit.
Sniff provides the following settings:
lineLengthLimit
(defaults to0
)
Requires short ternary operator ?:
when possible.
Requires ternary operator when possible.
Sniff provides the following settings:
ignoreMultiLine
(defaults tofalse
): ignores multiLine statements.
Yoda conditions decrease code comprehensibility and readability by switching operands around comparison operators forcing the reader to read the code in an unnatural way.
DisallowYodaComparisonSniff
looks for and fixes such comparisons not only in if
statements but in the whole code.
However, if you prefer Yoda conditions, you can use RequireYodaComparisonSniff
.
Commas after the last parameter in function or method call make adding a new parameter easier and result in a cleaner versioning diff.
This sniff enforces trailing commas in multi-line calls.
Checks whether uses at the top of a file are alphabetically sorted. Follows natural sorting and takes edge cases with special symbols into consideration. The following code snippet is an example of correctly sorted uses:
use LogableTrait;
use LogAware;
use LogFactory;
use LoggerInterface;
use LogLevel;
use LogStandard;
Sniff provides the following settings:
psr12Compatible
(defaults totrue
): sets the required order toclasses
,functions
andconstants
.false
sets the required order toclasses
,constants
andfunctions
.caseSensitive
: compare namespaces case sensitively, which makes this order correct:
use LogAware;
use LogFactory;
use LogLevel;
use LogStandard;
use LogableTrait;
use LoggerInterface;
Requires only one namespace in a file.
Enforces one space after namespace
, disallows content between namespace name and semicolon and disallows use of bracketed syntax.
Enforces configurable number of lines before and after namespace
.
Sniff provides the following settings:
linesCountBeforeNamespace
: allows to configure the number of lines beforenamespace
.linesCountAfterNamespace
: allows to configure the number of lines afternamespace
.
Enforces configurable number of lines before first use
, after last use
and between two different types of use
(eg. between use function
and use const
). Also enforces zero number of lines between same types of use
.
Sniff provides the following settings:
linesCountBeforeFirstUse
: allows to configure the number of lines before firstuse
.linesCountBetweenUseTypes
: allows to configure the number of lines between two different types ofuse
.linesCountAfterLastUse
: allows to configure the number of lines after lastuse
.
Enforces configurable number of spaces after reference.
Sniff provides the following settings:
spacesCountAfterReference
: the number of spaces after&
.
Enforces configurable number of spaces after the ...
operator.
Sniff provides the following settings:
spacesCountAfterOperator
: the number of spaces after the...
operator.
Disallows usage of array type hint syntax (eg. int[]
, bool[][]
) in phpDocs in favour of generic type hint syntax (eg. array<int>
, array<array<bool>>
).
Sniff provides the following settings:
traversableTypeHints
: helps fixer detect traversable type hints so\Traversable|int[]
can be converted to\Traversable<int>
.
Disallows usage of "mixed" type hint in phpDocs.
Enforces using shorthand scalar typehint variants in phpDocs: int
instead of integer
and bool
instead of boolean
. This is for consistency with native scalar typehints which also allow shorthand variants only.
Enforces null
type hint on last position in annotations.
Enforces using short form of list syntax, [...]
instead of list(...)
.
Enforces using shorthand cast operators, forbids use of unset and binary cast operators: (bool)
instead of (boolean)
, (int)
instead of (integer)
, (float)
instead of (double)
or (real)
. (binary)
and (unset)
are forbidden.
For projects not following the PSR-0 or PSR-4 autoloading standards, this sniff checks whether a namespace and a name of a class/interface/trait follows agreed-on way to organize code into directories and files.
Other than enforcing that the type name must match the name of the file it's contained in, this sniff is very configurable. Consider the following sample configuration:
<rule ref="SlevomatCodingStandard.Files.TypeNameMatchesFileName">
<properties>
<property name="rootNamespaces" type="array">
<element key="app/ui" value="Slevomat\UI"/>
<element key="app" value="Slevomat"/>
<element key="build/SlevomatSniffs/Sniffs" value="SlevomatSniffs\Sniffs"/>
<element key="tests/ui" value="Slevomat\UI"/>
<element key="tests" value="Slevomat"/>
</property>
<property name="skipDirs" type="array">
<element value="components"/>
<element value="forms"/>
<element value="model"/>
<element value="models"/>
<element value="services"/>
<element value="stubs"/>
<element value="data"/>
<element value="new"/>
</property>
<property name="ignoredNamespaces" type="array">
<element value="Slevomat\Services"/>
</property>
</properties>
</rule>
Sniff provides the following settings:
rootNamespaces
property expects configuration similar to PSR-4 - project directories mapped to certain namespaces.skipDirs
are not taken into consideration when comparing a path to a namespace. For example, with the above settings, file at pathapp/services/Product/Product.php
is expected to containSlevomat\Product\Product
, notSlevomat\services\Product\Product
.extensions
: allow different file extensions. Default isphp
.ignoredNamespaces
: sniff is not performed on these namespaces.
In PHP 7.1+ it's possible to declare visibility of class constants. In a similar vein to optional declaration of visibility for properties and methods which is actually required in sane coding standards, this sniff also requires declaring visibility for all class constants.
Sniff provides the following settings:
fixable
: the sniff is not fixable by default because we think it's better to decide about each constant one by one however you can enable fixability with this option.
const FOO = 1; // visibility missing!
public const BAR = 2; // correct
Enforces consistent formatting of return typehints, like this:
function foo(): ?int
Sniff provides the following settings:
spacesCountBeforeColon
: the number of spaces expected between closing brace and colon.
Checks whether the nullablity ?
symbol is present before each nullable and optional parameter (which are marked as = null
):
function foo(
int $foo = null, // ? missing
?int $bar = null // correct
) {
}
- Checks that there's a single space between a typehint and a parameter name:
Foo $foo
- Checks that there's no whitespace between a nullability symbol and a typehint:
?Foo
Group use declarations are ugly, make diffs ugly and this sniff prohibits them.
Enforces fully qualified type references after configurable set of language keywords.
For example, with the following setting, extended or implemented type must always be referenced with a fully qualified name:
<rule ref="SlevomatCodingStandard.Namespaces.FullyQualifiedClassNameAfterKeyword">
<properties>
<property name="keywordsToCheck" type="array">
<element value="T_EXTENDS"/>
<element value="T_IMPLEMENTS"/>
</property>
</properties>
</rule>
This sniff reduces confusion in the following code snippet:
try {
$this->foo();
} catch (Exception $e) {
// Is this the general exception all exceptions must extend from? Or Exception from the current namespace?
}
All references to types named Exception
or ending with Exception
must be referenced via a fully qualified name:
try {
$this->foo();
} catch (\FooCurrentNamespace\Exception $e) {
} catch (\Exception $e) {
}
Sniff provides the following settings:
- Exceptions with different names can be configured in
specialExceptionNames
property. - If your codebase uses classes that look like exceptions (because they have
Exception
orError
suffixes) but aren't, you can add them toignoredNames
property and the sniff won't enforce them to be fully qualified. Classes withError
suffix has to be added to ignored only if they are in the root namespace (likeLibXMLError
).
All references to global constants must be referenced via a fully qualified name.
Sniff provides the following settings:
exclude
: list of global constants that are allowed not to be referenced via FQN.
All references to global functions must be referenced via a fully qualified name.
Sniff provides the following settings:
exclude
: list of global functions that are allowed not to be referenced via FQN.
Prohibits multiple uses separated by commas:
use Foo, Bar;
Sniff provides the following settings:
searchAnnotations
(defaults tofalse
): enables searching for mentions in annotations.namespacesRequiredToUse
: if not set, all namespaces are required to be used. When set, only mentioned namespaces are required to be used. Useful in tandem with UseOnlyWhitelistedNamespaces sniff.fullyQualifiedKeywords
: allows fully qualified names after certain keywords. Useful in tandem with FullyQualifiedClassNameAfterKeyword sniff.allowFullyQualifiedExceptions
,specialExceptionNames
&ignoredNames
: allows fully qualified exceptions. Useful in tandem with FullyQualifiedExceptions sniff.allowFullyQualifiedNameForCollidingClasses
: allow fully qualified name for a class with a colliding use statement.allowFullyQualifiedNameForCollidingFunctions
: allow fully qualified name for a function with a colliding use statement.allowFullyQualifiedNameForCollidingConstants
: allow fully qualified name for a constant with a colliding use statement.allowFullyQualifiedGlobalClasses
: allows using fully qualified classes from global space (i.e.\DateTimeImmutable
).allowFullyQualifiedGlobalFunctions
: allows using fully qualified functions from global space (i.e.\phpversion()
).allowFullyQualifiedGlobalConstants
: allows using fully qualified constants from global space (i.e.\PHP_VERSION
).allowFallbackGlobalFunctions
: allows using global functions via fallback name withoutuse
(i.e.phpversion()
).allowFallbackGlobalConstants
: allows using global constants via fallback name withoutuse
(i.e.PHP_VERSION
).allowPartialUses
: allows using and referencing whole namespaces:
Disallows uses of other than configured namespaces.
Sniff provides the following settings:
namespacesRequiredToUse
: namespaces in this array are the only ones allowed to be used. E. g. root project namespace.allowUseFromRootNamespace
: also allow using top-level namespace:
use DateTimeImmutable;
Disallows leading backslash in use statement:
use \Foo\Bar;
Enforces one configurable number of lines after opening class/interface/trait brace and one empty line before the closing brace.
Sniff provides the following settings:
linesCountAfterOpeningBrace
: allows to configure the number of lines after opening brace.linesCountBeforeClosingBrace
: allows to configure the number of lines before closing brace.
Enforces fully qualified names of classes and interfaces in phpDocs - in annotations. This results in unambiguous phpDocs.
Reports forbidden annotations. No annotations are forbidden by default, the configuration is completely up to the user. It's recommended to forbid obsolete and inappropriate annotations like:
@author
,@created
,@version
: we have version control systems.@package
: we have namespaces.@copyright
,@license
: it's not necessary to repeat licensing information in each file.@throws
: it's not possible to enforce this annotation and the information can become outdated.
Sniff provides the following settings:
forbiddenAnnotations
: allows to configure which annotations are forbidden to be used.
Reports forbidden comments in descriptions. Nothing is forbidden by default, the configuration is completely up to the user. It's recommended to forbid generated or inappropriate messages like:
Constructor.
Created by PhpStorm.
Sniff provides the following settings:
forbiddenCommentPatterns
: allows to configure which comments are forbidden to be used. This is an array of regular expressions (PCRE) with delimiters.
Enforces configurable number of lines before first content (description or annotation), after last content (description or annotation),
between description and annotations, between two different annotations types (eg. between @param
and @return
).
Sniff provides the following settings:
linesCountBeforeFirstContent
: allows to configure the number of lines before first content (description or annotation).linesCountBetweenDescriptionAndAnnotations
: allows to configure the number of lines between description and annotations.linesCountBetweenDifferentAnnotationsTypes
: allows to configure the number of lines between two different annotations types.linesCountBetweenAnnotationsGroups
: allows to configure the number of lines between annotations groups.linesCountAfterLastContent
: allows to configure the number of lines after last content (description or annotation).annotationsGroups
: allows to configurure order of annotations groups and even order of annotations in every group. Supports prefixes, eg.@ORM\
.
<rule ref="SlevomatCodingStandard.Commenting.DocCommentSpacing">
<properties>
<property name="annotationsGroups" type="array">
<element value="
@ORM\,
"/>
<element value="
@var,
@param,
@return,
"/>
</property>
</properties>
</rule>
If annotationsGroups
is set, linesCountBetweenDifferentAnnotationsTypes
is ignored and linesCountBetweenAnnotationsGroups
is applied.
If annotationsGroups
is not set, linesCountBetweenAnnotationsGroups
is ignored and linesCountBetweenDifferentAnnotationsTypes
is applied.
Annotations not in any group are placed to automatically created last group.
Reports empty comments.
Reports invalid inline phpDocs with @var
.
Requires comments with single-line content to be written as one-liners.
Requires comments with single-line content to be written as multi-liners.
Reports documentation comments containing only {@inheritDoc}
annotation because inheritance is automatic and it's not needed to use a special annotation for it.
Reports useless conditions where both branches return true
or false
.
Sniff provides the following settings:
assumeAllConditionExpressionsAreAlreadyBoolean
(defaults tofalse
).
Reports useless ternary operator where both branches return true
or false
.
Sniff provides the following settings:
assumeAllConditionExpressionsAreAlreadyBoolean
(defaults tofalse
).
The recommended way to install Slevomat Coding Standard is through Composer.
{
"require-dev": {
"slevomat/coding-standard": "~5.0"
}
}
It's also recommended to install jakub-onderka/php-parallel-lint which checks source code for syntax errors. Sniffs count on the processed code to be syntactically valid (no parse errors), otherwise they can behave unexpectedly. It is advised to run PHP-Parallel-Lint
in your build tool before running PHP_CodeSniffer
and exiting the build process early if PHP-Parallel-Lint
fails.
You can choose one of two ways to run only selected sniffs from the standard on your codebase:
Mention Slevomat Coding Standard in your project's ruleset.xml
:
<?xml version="1.0"?>
<ruleset name="AcmeProject">
<rule ref="vendor/slevomat/coding-standard/SlevomatCodingStandard/ruleset.xml"><!-- relative path to your ruleset.xml -->
<!-- sniffs to exclude -->
</rule>
</ruleset>
When running phpcs
on the command line, use the --sniffs
option to list all the sniffs you want to use separated by a comma:
vendor/bin/phpcs --standard=ruleset.xml \
--sniffs=SlevomatCodingStandard.ControlStructures.DisallowYodaComparison,SlevomatCodingStandard.Namespaces.AlphabeticallySortedUses \
--extensions=php --encoding=utf-8 --tab-width=4 -sp src tests
Or write your own ruleset.xml by referencing the selected sniffs. This is a sample ruleset.xml:
<?xml version="1.0"?>
<ruleset name="AcmeProject">
<config name="installed_paths" value="../../slevomat/coding-standard"/><!-- relative path from PHPCS source location -->
<rule ref="SlevomatCodingStandard.Arrays.TrailingArrayComma"/>
<!-- other sniffs to include -->
</ruleset>
Then run the phpcs
executable the usual way:
vendor/bin/phpcs --standard=ruleset.xml --extensions=php --tab-width=4 -sp src tests
^
or ~
version constraint in composer.json
). We regularly add new sniffs even in minor versions meaning your code won't most likely comply with new minor versions of the package.
If you want to use the whole coding standard, besides requiring slevomat/coding-standard
in composer.json, require also Consistence Coding Standard:
{
"require-dev": {
"consistence/coding-standard": "~2.0"
}
}
Then mention both standards in ruleset.xml
:
<?xml version="1.0"?>
<ruleset name="AcmeProject">
<rule ref="vendor/consistence/coding-standard/Consistence/ruleset.xml" />
<rule ref="vendor/slevomat/coding-standard/SlevomatCodingStandard/ruleset.xml" />
<!-- additional settings -->
</ruleset>
To check your code base for violations, run PHP-Parallel-Lint
and PHP_CodeSniffer
from the command line:
vendor/bin/parallel-lint src tests
vendor/bin/phpcs --standard=ruleset.xml --extensions=php --tab-width=4 -sp src tests
Sniffs in this standard marked by the 🔧 symbol support automatic fixing of coding standard violations. To fix your code automatically, run phpcbf instead of phpcs:
vendor/bin/phpcbf --standard=ruleset.xml --extensions=php --tab-width=4 -sp src tests
Always remember to back up your code before performing automatic fixes and check the results with your own eyes as the automatic fixer can sometimes produce unwanted results.
Selected sniffs in this standard marked by the 🚧 symbol can be suppressed for a specific piece of code using an annotation. Consider the following example:
/**
* @param int $max
*/
public function createProgressBar($max = 0): ProgressBar
{
}
The parameter $max
could have a native int
scalar typehint. But because the method in the parent class does not have this typehint, so this one cannot have it either. PHP_CodeSniffer shows a following error:
----------------------------------------------------------------------
FOUND 1 ERROR AFFECTING 1 LINE
----------------------------------------------------------------------
67 | ERROR | [x] Method ErrorsConsoleStyle::createProgressBar()
| | does not have parameter type hint for its parameter $max
| | but it should be possible to add it based on @param
| | annotation "int".
| | (SlevomatCodingStandard.TypeHints.TypeHintDeclaration.MissingParameterTypeHint)
If we want to suppress this error instead of fixing it, we can take the error code (SlevomatCodingStandard.TypeHints.TypeHintDeclaration.MissingParameterTypeHint
) and use it with a @phpcsSuppress
annotation like this:
/**
* @phpcsSuppress SlevomatCodingStandard.TypeHints.TypeHintDeclaration.MissingParameterTypeHint
* @param int $max
*/
public function createProgressBar($max = 0): ProgressBar
{
}
To make this repository work on your machine, clone it and run these two commands in the root directory of the repository:
composer install
bin/phing
After writing some code and editing or adding unit tests, run phing again to check that everything is OK:
bin/phing
We are always looking forward for your bugreports, feature requests and pull requests. Thank you.
This project adheres to a Contributor Code of Conduct. By participating in this project and its community, you are expected to uphold this code.