Stellarium  HEAD
Coding Style Conventions in Stellarium

The increasing number of contributors require that we clearly define coding rules and guidelines. Although for historical reasons the current code of Stellarium does not always comply to these rules, they should now be respected for any addition or modification of the code.

Settings for QtCreator IDE (prior version 10) you can get here (or TGZ archive for it).

Stylistic Conventions

  • Source code should use the ASCII character set. Characters such as 'è' or 'ö' are not portable when hard-coded. Gettext translated strings should be used for text using such characters.
  • Variable names and comments should be in English.
  • Class names are nouns, in mixed-case, with an initial upper-case letter and the first letter of each subsequent word capitalized (e.g. CoreFactory).
  • Method names are verbs or nouns in mixed-case, starting with a lower-case letter (e.g. update() or addElement()).
  • Names of methods that return a value should start with a suitable verb, such as getSize().
  • For methods, only names of Qt signals should be in passive voice (valueChanged()). Names of Qt slots should use active verbs to avoid confusion with signals:
    // BAD:
    void buttonBoomClicked(); // Causes an explosion.
    // BETTER:
    void handleButtonBoom(); // Connected to buttonBoom::clicked().
    // EVEN BETTER:
    void explode(); // Connected to buttonBoom::clicked().
    The only exception is names of slots that use Qt's automatic connections to controls in .ui files. (See QMetaObject::connectSlotsByName().)
  • The names of local variables should be in mixed case, starting with a lower-case letter (e.g. packetSize). This also applies to the formal parameters of methods. Do not use names starting with underscore.
  • The names of macro or static const should be all upper-case words, separated by underscore:
    #define MIN_WIDTH 3
    static const QString VERSION = "0.10.1";
  • Indentation should be done with tabs, not spaces. Tab size is 8 characters.
  • When wrapping lines from long function calls, where the wrapped line does not start at the same level of indentation as the start of the function call, tab up to the start of the function call, and then use spaces to the opening parenthesis.
     [--tab-][--tab-][--tab-]someFunction(param, ...
     [--tab-][--tab-][--tab-][  spaces   ]moreparams, ...);
    This method will handle different tab widths gracefully.
  • Use the following layout for braces:
    void MyClass::myMethod(int x)
    {
        if (x>10)
        {
            cout << "You won." << endl;
        }
    }
  • Use blank lines as follows:
    • 1 between methods, before (block or single line) comment
    • 1 between logical sections of a method
    • 2 between sections of a source file
  • enums should follow the Qt conventions. i.e. CamelCase with First letter capitalization for both enum type and enum values. Document with doxygen. The //!< tag can be used to add descriptions on the same line as an enum value, e.g.
    //! @enum EnumName Here is a description of the enum
    enum EnumName
    {
        EnumValueOne,  //!< Some doxygen description of EnumValueOne
        EnumValueTwo,  //!< Some doxygen description of EnumValueTwo
        EnumValueThree //!< Some doxygen description of EnumValueThree
    };
    
  • You can use the astyle program to format your code according to these conventions. Use the following options:
     astyle --style=ansi -tU source.cpp
    
    Note that this command will replace the file source.cpp with the re-formatted one, and create a backup of the original with the .orig suffix. Also note that the -U option (used to un-pad parenthesis) may not be available in older versions of astyle.

File Names

The extensions are .hpp/.cpp for C++ headers/code, .h/.c for C headers/code. C++ files should have the same name and case than the class they contain. For example class StelFontMgr should be declared in file StelFontMgr.hpp and implemented in StelFontMgr.cpp.

Doxygen Comments

Stellarium source code should be documented with Doxygen. From Doxygen webpage:

"Doxygen is a documentation system for C++, C, Java, [...] It can generate an on-line documentation browser (in HTML) and/or an off-line reference manual (in LaTeX) from a set of documented source files. [...] The documentation is extracted directly from the sources, which makes it much easier to keep the documentation consistent with the source code. [...] You can also visualize the relations between the various elements by means of include dependency graphs, inheritance diagrams, and collaboration diagrams, which are all generated automatically.

All public and protected classes and methods from Stellarium should be fully documented in the headers (.hpp).

There are different ways to comment C++ code with Doxygen, in Stellarium use the following for headers files:

 //! Find and return the list of at most maxNbItem objects auto-completing the passed object I18n name.
 //! @param objPrefix the case insensitive first letters of the searched object.
 //! @param maxNbItem the maximum number of returned object names.
 //! @return a vector of matching object name by order of relevance, or an empty vector if nothing match.
 QList<QString> listMatchingObjectsI18n(const QString& objPrefix, unsigned int maxNbItem=5) const;

Brief descriptions are single line only, and stop at the first full stop (period). Any subsequent sentences which occur before @param or a similar tag are considered to be part of a detailed description.

For methods definitions in .cpp files, a simpler comment for each method is sufficient:

// Find and return the list of at most maxNbItem objects auto-completing the
// passed object I18n name.
QList<QString> listMatchingObjectsI18n(const QString& objPrefix, unsigned int maxNbItem=5) const
{
etc..

C/C++ Code

Use C++ replacement for C functions and Qt replacements for C++ functions/STL wherever possible.

  • Use QString instead of std::string or char *
  • Use QIODevice instead of C file management with fopen()
  • Pass objects as references when needed instead of using pointers.
  • Include standard headers the C++ way, it is more portable:
    #include <stdio.h> // Bad
    #include <cstdio> // Good
    #include <QString> // Good
  • Use Qt containers instead of STL ones. They are easier to use, allow for the foreach keyword. Only if speed is really critical, use STL containers such as std::vector or std::map, they are extremely efficient. Documentation is there.
  • Avoid public global functions and variables. Encapsulate them in classes or namespaces as static members/variables.
  • Avoid using C macros, use static const variables instead. It is safer because it is type safe.
    #define RADIUS 12 // Bad
    static const int RADIUS = 12; // Good
  • Use stdc++ math functions instead of C ones. They're more portable and are also overridden for float, thus may be faster.
    double cosLat = cos(lat); // Bad
    double cosLat = std::cos(lat); // Good

Translatable Strings and Console Output

Translatable strings are translated using the StelTranslator class, which is a C++ wrapper around gettext. A string literal can be marked for translation in with three different macros, q_(), qc_() or N_() , and you need to pick one for the appropriate purpose:

  • The q_() macro takes a string in English and returns the translation as a QString using the current global language. This also allows calling q_() with a QString parameter to return a translation.
  • The qc_() macro is similar previous - he takes a two parameters - string in English and context of the string, and returns the translation as a QString using the current global language. This also allows calling qc_() with a two QString parameters to return a translation.
  • When a string literal needs to be marked for translation without returning a translation, use the N_() macro. It returns the original string.

Several guidelines:

  • Translatable text in sources or data files should be written in English, encoded in ASCII or UTF-8 if needed.
  • Translatable strings should be modified only if really necessary. Any modification to one of them means that all the translators for all the languages will have to re-translate the new string. This also means that new strings should be chosen carefully, to avoid the need to modify them later.
  • Do not concatenate strings, use QString::arg() instead. Concatenated strings are very hard (or even impossible) to translate.
    text << q_("Distance: ") << distance << q_("AU"); // Bad
    text = q_("Distance: %1AU").arg(distance); // Good
  • Translatable text should obey English typographic conventions. For example, there should be no space before the colon:
    QString myTranslatedText(q_("Distance of the planet :")); // Bad
    QString myTranslatedText(q_("Distance of the planet:")); // Good
  • In general no translated text should be output on the console because there are problems when string and wstring are output on the same console. This means that you should never use wcout, wcerr or wprintf(). Console output should be used for information, errors and warnings which are not required by the user in nominal use.
  • Errors and warnings should be output in the stderr file, not stdout. [OBSOLETE? We use qDebug() and qWarning() now.]
    std::cout << "Error while opening file " << qPrintable(myFileName) << "." << std::endl; // Bad
    std::cerr << "Error while opening file " << qPrintable(myFileName) << "." << std::endl; // Good

Further technical notes and tips:

  • Important: When using Qt format strings, if a letter follows a digit immediately, xgettext might erroneously mark the extracted string as a C format string. Depending on the actual translation, this might cause errors when uploading the message catalog to Rosetta, or when compiling it to binary format. To prevent this, add an xgettext:no-c-format comment to the line preceding the format string:
    // xgettext:no-c-format
    text = q_("Distance: %1AU").arg(distance);
  • You can add clarifying remarks for the translators by adding a special comment before the line marking the string. They will be automatically extracted and visible in the .po files and in the web interface:
    // TRANSLATORS: Message displayed when an error occurs.
    QString errorMessage(q_("Loading failed."));
  • User-visible strings in Qt .ui files (used for GUI windows) are marked for translation, unless the "translate" flag is unchecked. Note that these strings are actually extracted from the files generated by the .ui file compiler (uic) during compilation, and not from the .ui files themselves, so translation comments in the .ui files will be ignored.
  • When creating a .ui file with a new QWidget, Qt Designer/Qt Creator sets the widget's windowTitle property to "Form", which then appears in translation templates and puzzles translators. It needs to be manually reset to an empty string.
  • Stellarium also supports gettext contexts for the cases when identical English strings are used in different places with different meanings and therefore need to have different translations. Contexts are short strings used to indicate the difference both to the program and the people making the translations.
    • In .ui files, for every property that holds a user-visible string, there's a "disambiguation" sub-property that can be used to indicate the context. It will be extracted together with the message (see above).
    • The qc_() macro can be used in the cases when context needs to be handled in the code itself. It is analogous to the q_() macro, but with two parameters - the second parameter is the context string.