category oscprofessionals - Blogs - DocBlock coding standard for Magento Module development

DocBlock coding standard for Magento Module development

March 26, 2021 | 12 min read

1. QuickRead

This standard defines Magento requirements and conventions for adding inline code documentation, known as DocBlocks.
Some parts of the Magento code might not comply with this standard, but we are working to improve this.
Following these standards is optional for third-party Magento developers, but doing so helps to create consistent, clean, and easy-to-read inline documentation.
Use RFC 2119 to interpret the “MUST,” “MUST NOT,” “REQUIRED,” “SHALL,” “SHALL NOT,” “SHOULD,” “SHOULD NOT,” “RECOMMENDED,” “MAY,” and “OPTIONAL keywords.”

2. Scope of the standard

The goal of this standard is to unify usage of code DocBlocks for all files, not specific to a particular language.
The following is assumed by default:
  • Formatting according to the phpDocumentor standard
  • Requirements apply for all files regardless of programming language, but a DocBlock standard for the particular language may override it.

3. General principles

The documentation should follow two simple principles:
  • FBe as short as possible.
  • Include all necessary information without duplication.

Short documentation

The documentation should be as short as possible while including all necessary details.
Below are ways of improving code to help simplify documentation:
  • Make code self-explanatory.
  • Put all possible information in the names of classes, methods, and variables. (e.g. use $timeInSec instead of $time)
  • Break down a method into smaller methods with descriptive names. For example:
public function getPrice()
{
$price = 0;
$price += $this->getBasePrice();
$price -= $this->getDiscount();
return $price;
}
private function getBasePrice()
{
// calculate base price
}
private function getDiscount()
{
if (it’s discount time) {
return 10;
}
return 0;
}

Include all necessary details

  • Identify the details a developer needs to work with your code.
  • Ignore the implementation details (i.e. private methods/properties and method bodies) and focus on what the public interface signature provides. If possible, improve the interface to provide more information.
  • Add any remaining information that a developer may need to DocBlock.

4. Files

Each Magento source code file must have a DocBlock header with a short description of the file. After the short description, there can be a long description.
Both short and long descriptions (for file headers and herein) must be separated from other elements using one empty line (implied empty line in terms of DocBlock syntax, where any line within DocBlock starts from *.
If the description or short description happens to be the first one after the DocBlock opening tag (/**) or the last one before the closing tag (*/), it should not be separated with an empty line.
DocBlock Header in a PHP-file:
/**
* Short description…
*
* Long description
* Broken down into several lines
*
* License notice…
*/
DocBlock Header in an XML-file:
< !– /** * Short description… * * Long description * Broken down into several lines * * License notice… */ — >

License Notice and Copyright

This section is applicable to Magento core files only. Please follow it if you are a contributing developer.
Any file in the Magento source should have a header with license and copyright notice.
Exceptions are files with formats that do not support commenting.
License notice and copyright MUST be declared at the very beginning of the file. If the file contains a structural element (for example, a class), the description for the element should be declared as a separate DocBlock.
Use the following templates for the license notice and copyright blocks:
Template for PHP files:
<!–?php <br ?–> /**
* Copyright © Magento, Inc. All rights reserved.
* See COPYING.txt for license details.
*/namespace Magento\Framework\Api;/**
* Provides metadata about an attribute.
*
* @api
*/
interface MetadataObjectInterface
{

}
Template for XML Files:



Template for JS Files:



/**
* Copyright © Magento, Inc. All rights reserved.
* See COPYING.txt for license details.
*/

5. Code structural elements

A structural element is defined in phpDocumentor as part of the imperative source code, such as PHP or JavaScript, or procedural SQL. For example:
  • namespace
  • class
  • interface
  • function
  • property
  • method
If the source code file has one and only one standalone structural element, as may be required by language-specific coding standards, the file DocBlock is to be reused for this element.
Therefore, classes that are declared in dedicated files must have either no DocBlock or exactly one DocBlock, which refers to the class and file at the same time.
DocBlock for a Class:
/**
* Autoloader with class map capability
*
* …
*/
class Autoload
{
While declaring classes or functions, if there must be another file with source code included, the inclusion construct must not be before file header and it must not separate the element DocBlock from the element. There are two solutions possible:
  • Have the file header DocBlock separately, then inclusion construct, then a DocBlock for the element with duplicated short description.
  • Include it after declaring the element (it is possible in PHP and will not cause issues before execution).
DocBlock with Included Script File:
/**
* Magento integration Magento test framework (MTF) bootstrap
*
* …
*/
require __DIR__ . ‘/../bootstrap.php’;namespace Magento\Test;/**
* Magento integration Magento test framework (MTF) bootstrap
*/
class Bootstrap
{
DocBlock with Included Class File:
namespace Magento\Framework\Profiler\Adapter;
/**
* Profiler CSV adapter
*
* …
*/
class Csv extends \Magento\Framework\Profiler\AdapterAbstract
{
// …
public function setFile($file)
{
if (!isValidFile($file)) {
throw new \ArgumentException(‘A valid file name is expected.’);
}
// …
}
}
require_once __DIR__ . ‘/../../functions.php’;

Classes and interfaces

Classes and interfaces should have a short description with a human-readable description of the class. If the short description adds no additional information beyond what the type name already supplies, the short description must be omitted.

Good:

Handler for PHP errors/warnings/notices that converts them to exceptions. class ErrorHandler { … }

Bad:

Error Handler class ErrorHandler { … }
If possible, add use cases that suggest where developers can or cannot use the class.

Short name form

It is encouraged to use the short form of the name to encourage readability and consistency with the type hint. The only exception is in the Service/DTO classes due to tooling requirements.
Example of a Method DocBlock:
use Magento\Logger;
use Magento\Math\Random;
use Magento\Stdlib\DateTime as StdlibDateTime;/**
* @var Logger
*/
private $logger;/**
* Description of method here.
*
* @param Random $mathRandom
* @param StdlibDateTime $dateTime
* @param int $number
*/
private function doSomething(Random $mathRandom, StdlibDateTime $dateTime, $number)
{}

Class attributes

Class attributes must have a type declaration using @var tag.
Example of Class Attribute:
// …
namespace Magento;class Profiler
{
/**
* @var Profiler
*/
protected static $instance = null;

Functions and methods

In general, a typed method signature must be preferred over PHPDoc annotations whenever possible.
Functions and methods should have:
  • A short description that adds meaningful information beyond the method name.
  • If the purpose of the method is not obvious, a long description that explains the motivation behind the implementation. The comment must describe why the method is implemented and not how. For example:
    • If a workaround or hack is implemented, explain why it is necessary and include any other details necessary to understand the algorithm.
    • For non-obvious implementations where the implementation logic is complicated or does not correspond to the Technical Vision or other known best practices, including an explanation in the doc block’s description. An implementation is non-obvious if another developer has questions about it.
  • The declaration of all arguments (if any) using the @param tag, unless the argument type is indicated in the method signature.All @param annotations must include the appropriate argument type. If any argument requires a @param annotation, all arguments must be listed (all or none). @param annotations must be in the same order as the method arguments.
  • The declaration of the return type using the @return tag must only be added if the method return type signature does not supply all necessary information (see below for more information on return types).
  • A declaration of possible exceptions using the @throws tag, if the actual body of function triggers an exception. All occurrences of @throws in a DocBlock must be after @param and @return annotations.

Exceptions to these rules:

  • Testing methods in Unit tests may have doc blocks to describe the purpose of the test, such as referencing Github issues.
  • Test method annotations may include data providers and other testing annotations.

Things to include

  • An explanation of input arguments and return values if it is not obvious from their name and type.This is applicable in the following cases:
    • There is more than one possible input/output type.For example: @return Config|null. The DocBlock should explain what situations will return null.Another example: @param FileInterface|null. The DocBlock should explain what happens when the value of the parameter is null.Ideally, implementations such as these should be avoided:
    • The input/output type is a simple type and the format is not clear from the name.
    • The input/output is an array with a specific structure.
  • The intent of the method along with when or where it can be used.
  • If an exception is thrown by a method, explain the cause or situation.
  • If the input is confusing or complicated, add examples of the method’s usage in client code or examples of the argument.

Things to avoid

  • Copying the algorithm. The algorithm must be self-explanatory and understood by reviewing the code and unit tests.
  • Information that is out of date or has the potential to become out of date.
Example of a Method DocBlock:
/**
* Merge the config XML files
*
* @param array $configFiles
* @return void
* @throws \Magento\Exception if a non-existing or invalid XML file passed
*/
protected function merge($configFiles)
{
$domConfig = new \Magento\Config\Dom($this->_getInitialXml(), $this->_getIdAttributes());
foreach ($configFiles as $file) {
if (!file_exists($file)) {
throw new \Magento\Exception(“File does not exist: {$file}”);
}
$domConfig->merge(file_get_contents($file));
if (!$domConfig->validate($this->getSchemaFile(), $errors)) {
$message = “Invalid XML file: {$file}\n”;
/** @var libXMLError $error */
foreach ($errors as $error) {
$message .= “{$error->message} Line: {$error->line}\n”;
}
throw new \Magento\Exception($message);
}
}
$this->_dom = $domConfig->getDom();
}

Divergence in @throws tag

In general, use the @throws tag when the code uses throw:
Example of Throwing Exception Explicitly:
/**
* Set an arbitrary value to specified element
*
* @param string $elementId
* @param string $attribute
* @param int|string|float|bool|object|null $value
* @return self
* @throws \InvalidArgumentException
*/
public function setAttribute($elementId, $attribute, $value)
{
$this->_assertElementExists($elementId);
switch ($attribute) {
case self::PARENT: // break is intentionally omitted
case self::CHILDREN:
case self::GROUPS:
throw new \InvalidArgumentException(“Attribute ‘{$attribute}’ is reserved and cannot be set.”);
break;
default:
$this->_elements[$elementId][$attribute] = $value;
break;
}
return $this;
}
In this case, if an exception is thrown in a sub-routine, then @throws must not be used in the parent method.
However, if the only purpose of the referred sub-routine is to throw a specific exception – then @throws must be used in the parent method. For example:
Throwing Exception Implicitly:
/**
* Perform login process
*
* @param string $username
* @param string $password
* @return void
* @throws \Magento\Framework\Exception\AuthenticationException
*/
public function login($username, $password)
{
if (empty($username) || empty($password)) {
self::throwException(
__(
‘The account sign-in was incorrect or your account is disabled temporarily. ‘
. ‘Please wait and try again later.’
)
);
}try {
$this->_initCredentialStorage();
$this->getCredentialStorage()->login($username, $password);
if ($this->getCredentialStorage()->getId()) {
$this->getAuthStorage()->setUser($this->getCredentialStorage());
$this->getAuthStorage()->processLogin();$this->_eventManager->dispatch(
‘backend_auth_user_login_success’,[‘user’ => $this->getCredentialStorage()] );
}if (!$this->getAuthStorage()->getUser()) {
self::throwException(
__(
‘The account sign-in was incorrect or your account is disabled temporarily. ‘
. ‘Please wait and try again later.’
)
);
}
} catch (PluginAuthenticationException $e) {
$this->_eventManager->dispatch(
‘backend_auth_user_login_failed’,[‘user_name’ => $username, ‘exception’ => $e] );
throw $e;
} catch (\Magento\Framework\Exception\LocalizedException $e) {
$this->_eventManager->dispatch(
‘backend_auth_user_login_failed’,[‘user_name’ => $username, ‘exception’ => $e] );
self::throwException(
__(
$e->getMessage()? : ‘The account sign-in was incorrect or your account is disabled temporarily. ‘
. ‘Please wait and try again later.’
)
);
}
}

@return tag

In general, method return type signatures should be preferred over @return type annotations. If that is not possible due to ambiguous return types or backward compatibility constraints, the @return type annotation must be used. If there is no explicit return statement in a method or function or a return statement without a value, a void return type must be declared in the method signature. For example:
function setName(string $name): void
{
$this->name = $name;
}
If the method returns itself, the method signature return type must be self. Here is an example:
function withField(string $fieldName): self
{
$this->fields[] = $fieldName;
return $this;
}
If for backward compatibility reasons, no return type can be added to the method signature, a @return $this annotation must be used.

Constants

Constants may have a short description. If the short description adds no additional information beyond what the constant name already supplies, the short description must be omitted.
For example, a global constant:
/**
* Directory separator shorthand, intended to make code more readable.
*/
define(‘DS’, DIRECTORY_SEPARATOR);
Or constants in a class:
class Profiler
{
/**
* Separator literal to assemble timer identifier from timer names
*/
const NESTING_SEPARATOR = ‘->’;

DocBlock templates

A DocBlock template is a DocBlock that starts from /**#@+*/ and ends with /**#@-*/. Templates are no longer supported by PHPDocumentor. Therefore, they MUST NOT be used.
It is encouraged to replace existing DocBlock templates with regular DocBlock comments when the file is being modified.

6. Structure of documentation space

@author ,@category, @package, and @subpackage MUST NOT be used. Documentation is organized with the use of namespaces.

7. Other DocBlock tags

@inheritdoc tag

The @inheritdoc tag SHOULD NOT be used. If a child class method requires a long description to explain its purpose, it may use @inheritdoc to indicate the new description is intended as an addition to the parent method description. In general, such method overrides are a code smell and should be used as an incentive to make the code more self-documenting if possible.
DocBlock for the Interface:
/**
* Interface for mutable value object for integer values
*/
interface MutableInterface
{
/**
* Returns 0, if no value is available
*/
public function getVal(): int;/**
* Sets 0 in case a non-integer value is passed
*
* @param int|string|bool|float|null $value
*/
public function setVal($value): void;
}
DocBlock for the implementation:
/**
* Limited mutable value object for integer values
*/
class LimitedMutableClass implements MutableInterface
{
/**
* Returns integer value
*/
public function getVal(): int
{

}/**
* Sets 0 in case a non-integer value is passed
*
* @param int|string|bool|float|null $value
*/
public function setVal($value): void
{

}
}

@api tag

The @api tag indicates the code is part of the public API and is subject to the Magento Backward Compatibility Policy.
The @api tag can be applied to a constant, a method, or to the entire class/interface. If the @api tag is applied at the file level, then all methods within the file are part of the public API. You do not need to annotate each method individually.
See Semantic Versioning 2.0.0 for information about changing and updating code while maintaining backward compatibility.

@deprecated tag

A deprecated class or method is one that has been superseded and may cease to exist in the future. It will be retained to provide backward compatibility until the next major component release.
Use the @deprecated tag to indicate that an element is to be deprecated.
You must explain why you added @deprecated tag. You MUST use the @see tag with references to the new implementation when code is deprecated and there is a new alternative.
For example:
/**
* Get some object
*
* @deprecated Added to not break backward compatibility of the constructor signature
* by injecting the new dependency directly.
* The method can be removed in a future major release, when constructor signature can be changed
* @return SomeObjectInterface
*/
protected function getSomeObject()
{

}/**
* Set price
*
* @deprecated Non-scoped price is not supported anymore
* @see setScopedPrice()
* @return void
*/
public function setPrice($price)
{

}/**
* Set price for specified scope
*
* @return void
*/
public function setScopedPrice($price, $scopeType, $scopeId)
{

}

@var inline tag

For the purpose of automatic type hinting in an IDE, an inline notation of @var tag can be used wherever the IDE is unable to resolve variable type. This tag declares variables that will emerge in the following lines of code:
Inline Type Hinting:
/** @var libXMLError $error */
foreach ($errors as $error) {
Some IDEs understand a different notation, where the type is specified after variable name. This notation is also valid:
Inline Type Hinting Variation:
/** @var $error libXMLError */
foreach ($errors as $error) {

@see tag

Besides the normal way of using @see tags as recommended by phpDocumentor, it may be used as an addition to @var, when the @var is already used in this comment.
Specifically, this is possible when a PHP file is composed from multiple file includes. As a result, variables may contain objects of different types depending on context:
/**
* @var $this ClassOne
* @see ClassTwo
* @see FooInterface
*/

@method tag

The @method allows a class to know which ‘magic’ methods are callable.
Syntax:
@method [[static] return type] [name]([[type] [parameter]<, …>]) []
See PHP documentation for more information about the @method tag.
/**
* Image operations
*
* @method string getFile()
* @method string getLabel()
* @method string getPosition()
*/
class Image extends \Magento\Framework\Model\AbstractModel
{
//…..
}

@link tag

The @link tag indicates a custom relation between the associated Structural Elements and a website, identified by an absolute URI.
Syntax:
@link [URI] []

Other tags

Any other valid DocBlock tags may be specified, if the author deems it necessary, but only if they bring valuable non-obvious information.

8. Formatting conventions

Padding tags

If there are two or more tags together in one DocBlock, their values may be padded, so that they could be visually aligned.
/**
* …
*
* @param string $argument
* @return bool
* @link http://example.com
*/

Formatting consistency

In a given DocBlock, the formatting style must be consistent.
For example, padding for visual alignment can be done in two ways:
Correct – align everything:
/**
* …
*
* @param string $parentId
* @param string $childId
* @param int|null $position
* @return int
* @see _insertChild() for position explanation
*/
Also correct – do not align anything:
/**
* …
*
* @param string $parentId
* @param string $childId
* @param int|null $position
* @return int
* @see _insertChild() for position explanation
*/
public function reorderChild($parentId, $childId, $position
Incorrect – align only partially:
/**
* …
*
* @param string $parentId
* @param string $childId
* @param int|null $position
* @return int
* @see _insertChild() for position explanation
*/

Leave A Comment