In order to preserve the consistent development of the OTRS project, we have set up guidelines regarding style for the different programming languages.
TAB: We use 4 spaces. Examples for braces:
if ($Condition) { Foo(); } else { Bar(); } while ($Condition == 1) { Foo(); }
To gain more readability, we use spaces between keywords and opening parenthesis.
if ()... for ()...
If there is just one single variable, the parenthesis enclose the variable with no spaces inside.
if ($Condition) { ... } # instead of if ( $Condition ) { ... }
If the condition is not just one single variable, we use spaces between the parenthesis and the condition. And there is still the space between the keyword (e.g. if) and the opening parens.
if ( $Condition && $ABC ) { ... }
Note that for Perl builtin functions, we do not use parentheses:
chomp $Variable;
Attach the following header to every source file. Source files are saved in UTF-8 charset.
# -- # (file name) - a short description what it does # Copyright (C) 2001-2018 OTRS AG, https://otrs.com/ # -- # This software comes with ABSOLUTELY NO WARRANTY. For details, see # the enclosed file COPYING for license information (GPL). If you # did not receive this file, see https://www.gnu.org/licenses/gpl-3.0.txt. # --
Executable files (*.pl) have a special header.
#!/usr/bin/perl # -- # (file name) - a short description what it does # Copyright (C) 2001-2018 OTRS AG, https://otrs.com/ # -- # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see https://www.gnu.org/licenses/gpl-3.0.txt. # --
Conditions can be quite complex and there can be "chained" conditions (linked with logical 'or' or 'and' operations). When coding for OTRS, you have to be aware of several situations.
Perl Best Practices says, that high precedence operators ('&&' and '||') shouldn't mixed up with low precedence operators ('and' and 'or'). To avoid confusion, we always use the high precedence operators.
if ( $Condition1 && $Condition2 ) { ... } # instead of if ( $Condition and $Condition2 ) { ... }
This means that you have to be aware of traps. Sometimes you need to use parenthesis to make clear what you want.
If you have long conditions (line is longer than 120 characters over all), you have to break it in several lines. And the start of the conditions is in a new line ( not in the line of the 'if').
if ( $Condition1 && $Condition2 ) { ... } # instead of if ( $Condition1 && $Condition2 ) { ... }
Also note, that the right parenthesis is in a line on its own and the left curly bracket is also in a new line an with the same indentation as the 'if'. The operators are at the beginning of a new line! The subsequent examples show how to do it...
if ( $XMLHash[0]->{otrs_stats}[1]{StatType}[1]{Content} && $XMLHash[0]->{otrs_stats}[1]{StatType}[1]{Content} eq 'static' ) { ... } if ( $TemplateName eq 'AgentTicketCustomer' ) { ... } if ( ( $Param{Section} eq 'Xaxis' || $Param{Section} eq 'All' ) && $StatData{StatType} eq 'dynamic' ) { ... } if ( $Self->{TimeObject}->TimeStamp2SystemTime( String => $Cell->{TimeStop} ) > $Self->{TimeObject}->TimeStamp2SystemTime( String => $ValueSeries{$Row}{$TimeStop} ) || $Self->{TimeObject}->TimeStamp2SystemTime( String => $Cell->{TimeStart} ) < $Self->{TimeObject}->TimeStamp2SystemTime( String => $ValueSeries{$Row}{$TimeStart} ) ) { ... }
Generally we use "postfix if" statements to reduce the number of levels. But we don't use it for multiline statments and is only allowed when involves return statements in functions or to end a loop or to go next iteration.
Ok:
next ITEM if !$ItemId;
Not ok:
return $Self->{LogObject}->Log( Priority => 'error', Message => 'ItemID needed!', ) if !$ItemId;
This is less maintainable than
if( !$ItemId ) { $Self->{LogObject}->Log( ... ); return; }
Ok:
for my $Needed (1..10) { next if $Needed == 5; last if $Needed == 9; }
Not ok:
my $Var = 1 if $Something == 'Yes';
Some builtin subroutines of Perl may not be used in every place:
Don't use "die" and "exit" in .pm-files.
Don't use the "Dumper" function in released files.
Don't use "print" in .pm files.
Don't use "require", use Main::Require() instead.
Use the functions of the TimeObject instead of the builtin functions like time(), localtime() etc.
For regular expressions we always use the m// operator with curly braces as delimiters. We also use the modifiers x, m and s. The x modifiers allows you to comment your regex and use spaces to "group" logical groups.
$Date =~ m{ \A \d{4} - \d{2} - \d{2} \z }xms $Date =~ m{ \A # beginning of the string \d{4} - # year \d{2} - # month [^\n] # everything but newline #.. }xms;
As the space no longer has a special meaning, you have to use a single character class to match a single space ( [ ]). If you want to match any whitespace you can use \s.
In the regex, the dot ('.') includes the newline (whereas in regex without s modifier the dot means 'everything but newline'). If you want to match anything but newline, you have to use the negated single character class ([^\n]).
$Text =~ m{ Test [ ] # there must be a space between 'Test' and 'Regex' Regex }xms;
Names and comments are written in English. Variables, objects and methods must be descriptive nouns or noun phrases with the first letter set upper case (CamelCase).
Names should be as descriptive as possible. A reader should be able to say what is meant by a name without digging too deep into the code. E.g. use $ConfigItemID instead of $ID.
e. g. @TicktIDs or $Output or StateSet()
If you have several variables, you can declare them in on line if the "belong together":
my ($Minute, $Hour, $Year);
and break it into seperate lines otherwise:
my $Minute; my $ID;
Do not set to "undef" or '' in the declaration as this might hide mistakes in code.
my $Variable = undef; #is the same as my $Variable;
You can set a variable to '' if you want to concatenate strings:
my $SqlStatement = ''; for my $Part ( @Parts ) { $SqlStatement .= $Part; }
Otherwise you would get an "uninitialized" warning.
To fetch the parameters passed to subroutines, OTRS normally uses the hash %Param (not %Params). This leads to more readable code as every time we use %Param in the subroutine code we know it is the parameter hash passed to the subroutine.
Just in some exceptions a regular list of parameters should be used. So we want to avoid something like this:
sub TestSub { my ( $Self, $Param1, $Param2 ) = @_; }
We want to use this instead:
sub TestSub { my ( $Self, %Param ) = @_; }
This has several advantages: We do not have to change the code in the subroutine when a new parameter should be passed, and calling a function with named parameters is much more readable.
If a function call requires more than one named parameter, split them into multiple lines:
$Self->{LogObject}->Log( Priority => 'error', Message => "Need $Needed!", );
instead of:
$Self->{LogObject}->Log( Priority => 'error', Message => "Need $Needed!", );
Subroutines have to have a return statement. The explicit return statement is preferred over the implicit way (result of last statement in subroutine) as this clarifies what the subroutine returns.
sub TestSub { ... return; # return undef, but not the result of the last statement }
Explicit return values means that you should not have a return statement followed by a subroutine call.
return $Self->{DBObject}->Do( ... );
The following example is better as this says explicitly what is returned. With the example above the reader doesn't know what the return value is as he might not know what Do() returns.
return if !$Self->{DBObject}->Do( ... ); return 1;
If you assign the result of a subroutine to a variable, a "good" variable name indicates what was returned:
my $SuccessfulInsert = $Self->{DBObject}->Do( ... ); return $SuccessfulInsert;
use strict and use warnings have to be the first two "use"s in a module. This is correct:
package Kernel::System::ITSMConfigItem::History; use strict; use warnings; use Kernel::System::User; use Kernel::System::Time;
This is wrong:
package Kernel::System::ITSMConfigItem::History; use Kernel::System::User; use Kernel::System::Time; use strict; use warnings;
In OTRS many objects are available. But you should not use every object in every file to keep the frontend/backend separation.
Don't use the LayoutObject in core modules (Kernel/System).
Don't use the ParamObject in core modules (Kernel/System).
Don't use the DBObject in frontend modules (Kernel/Modules).
Subroutines should always be documented. The documentation contains a general description about what the subroutine does, a sample subroutine call and what the subroutine returns. It should be in this order. A sample documentation looks like this:
=item LastTimeObjectChanged() calculates the last time the object was changed. It returns a hash reference with information about the object and the time. my $Info = $Object->LastTimeObjectChanged( Param => 'Value', ); This returns something like: my $Info = { ConfigItemID => 1234, HistoryType => 'foo', LastTimeChanged => '08.10.2009', }; =cut
You can copy and paste a Data::Dumper output for the return values.
In general, you should try to write your code as readable and self-explaining as possible. Don't write a comment to explain what obvious code does, this is unneccessary duplication. Good comments should explain WHY there is some code, possible side effects and anything that might be special or unusually complicated about the code.
There are two special kinds of comments.
Example 1 - comment for a longer block of code
# -----------------------------------# # here is the start of a special area # -----------------------------------#
Example 2 - comment for customizing standard OTRS files
# --- customizing for some project
If there is no chance for changing the SQL statement, it should be used in the Prepare function. The reason for this is, that the SQL statement and the bind parameters are closer to each other.
The SQL statement should be written as one nicely indented string without concatenation like this:
return if !$Self->{DBObject}->Prepare( SQL => ' SELECT art.id FROM article art, article_sender_type ast WHERE art.ticket_id = ? AND art.article_sender_type_id = ast.id AND ast.name = ? ORDER BY art.id', Bind => [ \$Param{TicketID}, \$Param{SenderType} ], );
This is easy to read and modify, and the whitespace can be handled well by our supported DBMSs. For auto-generated SQL code (like in TicketSearch), this indentation is not neccessary.
Whenever you use database functions you should handle errors. If anything goes wrong, return from subroutine:
return if !$Self->{DBObject}->Prepare( ... );
Use Limit => 1 if you expect just one row to be returned.
$Self->{DBObject}->Prepare( SQL => 'SELECT id FROM users WHERE username = ?', Bind => [ \$Username ], Limit => 1, );
All JavaScript is loaded in all browsers (no browser hacks in the template files). The code is responsible to decide if it has to skip or execute certain parts of itself only in certain browsers.
Directory structure inside the js/
folder:
* js * thirdparty # thirdparty libs always have the version number inside the directory * ckeditor-3.0.1 * jquery-1.3.2 * Core.Agent.* # stuff specific to the agent interface * Core.Customer.* # customer interface * Core.* # common API
Variable names should be CamelCase, just like in Perl.
Variables that hold a jQuery object should start with $
, for example: $Tooltip
.
Single line comments are done with //
.
Longer comments are done with /* ... */
If you comment out parts of your JavaScript code, only use //
because /* .. */
can cause problems with Regular Expressions in the code.
Always use $.bind()
instead of the event-shorthand methods of jQuery for better
readability (wrong: $SomeObject.click(...)
, right: $SomeObject.bind('click', ...
).
Do not use $.live()
!
We had severe performance issues with $.live()
in correlation with mouse events.
Until it can be verified that $.live()
works with other event types without problems.
If you $.bind()
events, make sure to $.unbind()
them beforehand,
to make sure that events will not be bound twice, should the code be executed another time.
Minimum resolution is 1024x768px.
The layout is liquid, which means that if the screen is wider, the space will be used.
Absolute size measurements should be specified in px to have a consistent look on many platforms and browsers.
Documentation is made with CSSDOC (see CSS files for examples). All logical blocks should have a CSSDOC comment.
We follow the Object Oriented CSS approach. In essence, this means that the layout is achieved by combining different generic building blocks to realize a particular design.
Wherever possible, module specific design should not be used. Therefore we also do not work with IDs on the body element, for example, if it can be avoided.
All definitions have a {
in the same line as the selector, all rules are defined in one row per rule,
the definition ends with a row with a single }
in it. See the following example:
#Selector { width: 10px; height: 20px; padding: 4px; }
Between :
and the rule value, there is a space
Every rule has an indent of 4 spaces.
If multiple selectors are specified, separate them with comma and put each one on an own line:
#Selector1, #Selector2, #Selector3 { width: 10px; }
If rules are combinable, combine them (e.g. combine background-position
, background-image
, ... into background
).
Rules should be in a logical order within a definition (all color specific rule together, all positioning rules together, ...).
All IDs and Names are written in CamelCase notation:
<div class="NavigationBar" id="AdminMenu"></div>