This page contains various rules, which anyone working on OpenCOR should respect. These rules were taken (paraphrased, if not simply copied/pasted) from the Qt Coding Conventions document.
The most important rule of all: the KISS principle, i.e. Keep it simple, stupid! Always use a simple implementation in favour of a more complicated one. This eases maintenance a lot!
Write good C++ code: readable, well commented when necessary, and object-oriented.
Adapt the code to the structures already existing in OpenCOR or, in the case that you have a better idea, discuss it with the project manager before implementing it.
Take advantage of Qt. Do not re-invent the wheel.
The following guidelines exist to make the code faster, clearer, and/or to take advantage of the strong type checking in C++.
Declaration of variables should wait as long as possible. The rule is: do not declare it until you need it. In C++, there are a lot of user defined types, and these can very often be expensive to initialise.
Make the scope of a variable as small as possible.
Prefer pre-increment to post-increment whenever possible. Pre-increment has potential of being faster than post-increment. This rule applies to decrement too.
++i;
--j;
i++;
j--;
Try to minimise the evaluation of the same code, especially in loops:
for (Container::iterator iter = large.begin(), end = large.end(); iter != end; ++iter) {
...
}
for (Container::iterator iter = large.begin(); iter != large.end(); ++iter) {
...
}
You should use the range-based for
loop rather than the Qt foreach
loop or even the classical for
loop:
for (auto widget : container) {
doSomething(widget);
}
foreach (QWidget *widget, container) {
doSomething(widget);
}
for (Container::iterator iter = container.begin(), end = container.end(); iter != end; ++iter) {
doSomething(*iter);
}
Make the loop variable const
, if possible.
This might prevent unnecessary detaching of shared data.
for (const auto &name : someListOfNames) {
doSomething(name);
}
for (auto name : someListOfNames) {
doSomething(name);
}
Indentation: 4 spaces, no tabulations.
Naming rules:
Use descriptive, simple and short names.
Single character variable names are only okay for counters and temporaries where the purpose of the variable is obvious.
int width;
int height;
char *nameOfThis;
char *nameOfThat;
int a, b;
char *c, *d;
Class names and enums start with an upper-case letter while variables and functions start with a lower-case letter. Each consecutive word in a name starts with an upper-case letter.
class MainWindow : public QMainWindow
{
...
int mVariable;
...
void function();
...
}
class mainWindow : public QMainWindow
{
...
int Variable;
...
void Function();
...
}
Note: class variables start with a lower-case m
.
Parameters passed to a function start with a lower-case p
, but not local variables.
int main(int pArgC, char *pArgV[])
{
int someVariable;
...
}
int main(int argc, char *argv[])
{
int pSomeVariable;
...
}
Declarations:
Use this order for the access sections of your class: public
, protected
, and private
.
The public
section is of interest for every user of the class.
The private
section is only of interest for the implementors of the class.
Avoid declaring global objects in the declaration file of the class.
If the same variable is used for all objects, use a static
member.
Avoid declaring global or static variables.
Use only one declaration per line:
int width;
int height;
int width, height;
This is especially important when initialisation is done at the same time:
QString firstName = "Joe";
QString lastName = "Foo";
QString firstName = "Joe", lastName = "Foo";
Note: QString firstName = "Joe";
is formally calling a copy constructor on a temporary string constructed from a string literal and therefore has the potential of being more expensive than direct construction by QString firstName("joe")
.
However, the compiler is allowed to elide the copy (even if it has side effects), and modern compilers typically do so.
Given these equal costs, OpenCOR code favours the =
idiom as it is in line with the traditional C-style initialisation, and cannot be mistaken as a function declaration, and reduces the level of nested parantheses in more initialisations.
Pointers and references:
char *ptr = "flop";
char &c = *ptr;
char* ptr = "flop";
char & c = * ptr;
Also, we will have:
const char *ptr;
char const * ptr;
Use nullptr
for null pointer constants:
void *ptr = nullptr;
void *ptr = 0;
void *ptr = NULL;
void *ptr = '\0';
void *ptr = 42-7*6;
Whitespace:
Use blank lines to group statements together where suited.
Always use only one blank line.
Operator names and parentheses: do not use spaces between operator names and function names.
The ==
is part of the function name, and therefore, spaces make the declaration look like an expression:
operator==(type)
operator == (type)
Function names and parentheses: do not use spaces between function names and parentheses:
void mangle()
void mangle ()
Always use a single space after a keyword, and before a curly brace:
if (foo) {
}
if(foo){
}
For pointers or references, always use a single space before *
or &
, but never after.
int *var1;
int &var2;
int* var1;
int& var2;
Braces:
As a base rule, place the left curly brace on the same line as the start of the statement:
if (codec) {
}
if (codec)
{
}
Exception: function implementations and class declarations always have the left curly brace in the beginning of a line:
class Moo
{
};
class Moo {
};
void Moo::foo()
{
}
void Moo::foo() {
}
Use curly braces at all times:
if (address.isEmpty()) {
return false;
}
if (address.isEmpty())
return false;
for (int i = 0; i < 10; ++i) {
qDebug("%d", i);
}
for (int i = 0; i < 10; ++i)
qDebug("%d", i);
Use curly braces when the body of a conditional statement is empty:
while (cond) {
}
while (cond);
Parentheses: use parentheses to group expressions:
if ((cond1 && cond2) || cond3)
if (cond1 && cond2 || cond3)
(var1+var2) & var3
var1+var2 & var3
Line Breaks:
Keep lines shorter than 80 characters whenever possible.
Note: Qt Creator can be configured to display a right margin.
For this, select the Edit
| Preferences...
menu, then the Text Editor
section, and finally the Display
tab.
Configuration options can be found under the Text Wrapping
group box.
Insert line breaks if necessary.
Commas go at the end of a broken line.
Operators start at the beginning of a new line.
if ( longExpression
|| otherLongExpression
|| otherOtherLongExpression) {
}
if (longExpression ||
otherLongExpression ||
otherOtherLongExpression) {
}
Do not use exceptions, unless you know what you are doing.
Do not use RTTI (Run-Time Type Information, i.e. the typeinfo struct
, the dynamic_cast
or the typeid
operators, including throwing exceptions), unless you know what you are doing.
Use templates wisely, not just because you can.
Every QObject
subclass must have a Q_OBJECT
macro, even if it does not have signals or slots, if it is intended to be used with qobject_cast<>
.
If you create a new set of .cpp
/.h
files, then our copyright statement and a comment common to both files should be included at the beginning of those files (e.g., [OpenCOR]/src/mainwindow.cpp
and [OpenCOR]/src/mainwindow.h
).
Including headers:
Arrange headers in alphabetic order within a block:
#include <QCoreApplication>
#include <QMessageBox>
#include <QSettings>
#include <QSettings>
#include <QCoreApplication>
#include <QMessageBox>
Arrange includes in blocks of headers that are specific to OpenCOR, Qt, third-party libraries and C++. For example:
#include "coreguiutils.h"
#include "filemanager.h"
#include <QApplication>
#include <QMainWindow>
#include "qwt_mml_document.h"
#include "qwt_wheel.h"
#include <string>
#include <vector>
Prefer direct includes whenever possible:
#include <QFileInfo>
#include <QCore/QFileInfo>
Casting:
Avoid C casts, prefer C++ casts (static_cast
, const_cast
, reinterpret_cast
). Both reinterpret_cast
and C-style casts are dangerous, but at least reinterpret_cast
will not remove the const
modifier.
Do not use dynamic_cast
, use qobject_cast
for QObject
, or refactor your design, for example by introducing a type()
method (see QListWidgetItem
), unless you know what you are doing.
Compiler and platform-specific issues:
Be extremely careful when using the question mark operator. If the returned types are not identical, some compilers generate code that crashes at runtime (you will not even get a compiler warning):
QString str;
...
return condition?str:"nothing"; // Crash at runtime - QString vs const char *
Be extremely careful about alignment.
Whenever a pointer is cast such that the required alignment of the target is increased, the resulting code might crash at runtime on some architectures.
For example, if a const char *
is cast to a const int *
, it will crash on machines where integers have to be aligned at two-byte or four-byte boundaries.
Use a union to force the compiler to align variables correctly.
In the example below, you can be sure that all instances of AlignHelper
are aligned at integer-boundaries:
union AlignHelper
{
char c;
int i;
};
Anything that has a constructor or needs to run code to be initialised cannot be used as global object in library code since it is undefined when that constructor or code will be run (on first usage, on library load, before main()
or not at all).
Even if the execution time of the initialiser is defined for shared libraries, you will get into trouble when moving that code in a plugin or if the library is compiled statically:
// The default constructor needs to be run to initialize x
static const QString x;
// The constructor that takes a const char * has to be run
static const QString s = "Hello, World!";
// The call time of foo() is undefined and might not be called at all
static const int i = foo();
Things you can do:
// No constructor must be run, x is set at compile time
static const char x[] = "someText";
// y will be set at compile time
static int y = 7;
// s will be initialised statically, i.e. no code is run
static MyStruct s = {1, 2, 3};
// Pointers to objects are OK, no code needs to be run to initialise ptr
static QString *ptr = nullptr;
// Use Q_GLOBAL_STATIC to create static global objects instead
Q_STATIC_GLOBAL(QString, s)
...
void foo()
{
s()->append("moo");
}
Note #1: static objects in function scope are not a problem. The constructor will be run the first time the function is entered. The code is not re-entrant, though.
Note #2: using Qt 5 and C++11, it is now possible to (indirectly) have a static const QString
(see here for more information on QString
), thus making it possible for a variable to be both read-only and sharable.
static const auto s = QStringLiteral("Hello, World!");
static const QString s = "Hello, World!";
A char
is signed or unsigned, depending on the architecture. Use signed char
or uchar
if you explicitely want a signed or unsigned char.
The following code will break on PowerPC, for example:
// The condition is always true on platforms where the default is unsigned
if (c >= 0) {
...
}
Avoid 64-bit enum values. The AAPCS (Procedure Call Standard for the ARM Architecture) embedded ABI hard codes all enum values to a 32-bit integer.
Do not mix const
and non-const
iterators.
This will silently crash on broken compilers.
for (Container::const_iterator iter = c.constBegin(), end = c.constEnd(); iter != end; ++iter)
for (Container::const_iterator iter = c.begin(), Container::iterator end = c.end(); iter != end; ++iter)
To inherit from template or tool classes has the following potential pitfalls:
The destructors are not virtual, which can lead to memory leaks.
The symbols are not exported (and mostly inline), which can lead to symbol clashes.
For example, library A
has class Q_EXPORT X: public QList<QVariant> {};
and library B
has class Q_EXPORT Y: public QList<QVariant> {};
.
Suddenly, QList
symbols are exported from two libraries, which results in a clash.
Aesthetics:
Put the body of a function in a .cpp
file, not in its .h
file.
There is a reason for having both a .cpp
file and a .h
file.
Prefer enum
to define constants over static const int
or #define
.
Enumeration values will be replaced by the compiler at compile time, resulting in faster code.
Also, #define
is not namespace safe.
Do not use inline
functions.
It is probably better to rely on the compiler to optimise the code, if necessary, not to mention that, if badly used, inline
functions can result in slower code.
A good resource on the topic can be found here.
Divisions are costly, so replace them with multiplications wherever possible:
a = 0.5*b;
a = b/2.0;
Use a reference rather than a pointer to pass a variable to a function, if you want that variable to be changed:
void function(int &pVar)
{
pVar = 3;
}
void function(int *pVar)
{
*pVar = 3;
}
Use qIsNull()
to test floating point numbers:
qIsNull(a-b)
!qIsNull(a-b)
a == b
a != b
Use a constant reference to pass a variable to a function, if you do not intend to modify that variable:
void function(const QString &pVar)
{
...
}
void function(QString pVar)
{
...
}
unless it is a built-in type:
void function(int pVar)
{
...
}
void function(const int &pVar)
{
...
}