- 
                Notifications
    You must be signed in to change notification settings 
- Fork 0
CodeGuidelines
To keep the source consistent, readable, modifiable, and easy to merge, we use a fairly rigid coding style. All patches are expected to conform to this style, with the exception of third-party modules, or patches to existing files that are already using a different style.
MuseScore's C++ style and conventions are mostly based on the Qt code style and conventions, but there are some differences.
The guidelines for other languages are based on common practice in those languages, defaulting to a similar style to our C++ style when no consensus is available.
The style described here is valid for the master branch (and all branches derived from it) since MuseScore 4.0. The 3.x branch (and its derivatives) use the old coding style.
On the master branch, this style is enforced in pull requests by the codestyle CI check, which uses Uncrustify to format the code according to this config file, and gives an error if any style violations were detected.
You can run Uncrustify on your own machine to have your code formatted to this style automatically.
- 4 spaces are used for indentation
- Spaces, not tabs!
- All namespaces must be child to the global namespace mu
- Namespaces names must be lowercase so they can be easily distinguished from class names
 // Wrong
 namespace Cool {
     ...
 }
 // Correct
 namespace mu::cool {
     ...
 }- Header files have the extension .h, files implementation.cpp
- Each header and implementation file must have a license text at the top
- The header file must have a guard named MU_{MODULE}_{CLASSNAME}_H
- Only declaration should be in the header files, avoid placing the implementation in header files, except when necessary, such as function-template definitions.
- Important! Don't put the singletons implementation in the header file.
The class declaration should be in this order:
- licence
- guard
- includes
- system includes
- qt includes
- framework includes
- ioc include
- framework includes
- other modules includes
- current module includes
 
- current module includes
- current class interface
 
- forward declarations
- namespace
- class declaration
- Qt macro (Q_OBJECT, Q_PROPERTY, Q_ENUMS...)
- public methods (first constructor and destructor if they public)
- public slots
- signals
- protected
- private slots
- private methods
- private members
 // Correct
{LICENCE}
#pragma once
#include <string>
#include <QObject>
#include <QRect>
#include "ioc.h"
#include "global/isomeclass.h"
#include "ianotherclass.h"
#include "types.h"
namespace mu::cool {
class Rect : public QObject
{
    Q_OBJECT
public:
    explicit Rect(QObject* parent = nullptr);
    ~Rect();
    int width() const;
    int height() const;
    int square() const;
public slots:
    void setWidth(int w);
    void setHeight(int h);
signals:
    void squareChanged(int sq);
private:
    void updateSquare();
    QRect m_rect;
    int m_square = 0;
};
}
// Correct
{LICENCE}
#include "rect.h"
Rect::Rect(QObject* parent)
    : QObject(parent)
{
}
Rect::~Rect()
{
}
void Rect::updateSquare()
{
    int s = width() * height();
    if (s != m_square) {
        m_square = s;
        emit squareChanged(s);
    }
}
void Rect::setWidth(int w)
{
    m_rect.setWidth(w);
    updateSquare();
}
int Rect::width() const
{
    return m_rect.width();
}
void Rect::setHeight(int h)
{
    m_rect.setHeight(h);
    updateSquare();
}
int Rect::height() const
{
    return m_rect.height();
}
int Rect::square() const
{
    return m_square;
}
- If there is initialization in constructors, always put a colon on a new line
// Wrong
ClassName::ClassName(int arg) : Base(), m_param(arg) {}
ClassName::ClassName(int arg) : Base(), m_param(arg)
{}
ClassName::ClassName(int arg) :
    Base(), m_param(arg)
{
}
// Correct
ClassName::ClassName(int arg)
    : Base(), m_param(arg)
{  
}- Declare each variable on a separate line
- Avoid short or meaningless names (e.g. "a", "rbarr", "nughdeget")
- Single character variable names are only okay for counters and temporaries, where the purpose of the variable is obvious
- Wait when declaring a variable until it is needed
- For pointers or references, no space between the '*' or '&' and type (different from Qt)
- Always initialize the variable with the initial value.
- Use nullptr, rather than0, to initialize pointers.
 // Wrong
 int a, b;
 char *c, *d;
 const Type &val = ...
 void func(const Type &val);
 // Correct
 int height = 0;
 int width = 0;
 char* nameOfThis = nullptr;
 char* nameOfThat = nullptr;
 const Type& val = ...
 void foo(const Type& val);- Variables and functions start with a lower-case letter. Each consecutive word in a variable's name starts with an upper-case letter (camelCase)
- Constants all uppercase letters and underscore to separate words
- Avoid abbreviations
 // Wrong
 short Cntr;
 int panel_height = 0;
 char ITEM_DELIM = ' ';
 // Correct
 short counter = 0;
 int panelHeight = 0;
 const char ITEM_DELIMITER = ' ';- Classes and structures always start with an upper-case letter.
- Acronyms are camel-cased (e.g. XmlReader, not XMLReader).
- Data members of classes are named like ordinary nonmember variables, but with a prefix m_.
- Public members of struct (POD) are named like ordinary nonmember variables, with out any prefix.
 // Wrong
 class counter
 {
 ...
 private:
     int count;
 }
 class HTMLParser
 {
 ...
 private:
     char* _data;
 }
 // Correct
 class Counter
 {
 ...
 private:
     int m_count = 0;
 }
 class HtmlParser
 {
 ...
 private:
     char* m_data = nullptr;
 }- Use blank lines to group statements together where suited
- Always use only one blank line
- Always use a single space after a keyword and before a curly brace:
 // Wrong
 if(foo){
     ...
 }
 // Correct
 if (foo) {
     ...
 }- Surround binary operators with spaces
- Leave a space after each comma
- No space after a cast, avoid C-style casts when possible
 // Wrong
 char *blockOfMemory = (char* ) malloc(data.size());
 // Correct
 char* blockOfMemory = reinterpret_cast<char*>(malloc(data.size()));Use safer type conversion when possible:
// Wrong
Chord* chord = static_cast<Chord*>(e);
// Correct
Chord* chord = toChord(e);- Use attached braces: The opening brace goes on the same line as the start of the statement. If the closing brace is followed by another keyword, it goes into the same line as well:
 // Wrong
 if (codec)
 {
     ...
 }
 else
 {
     ...
 }
 if (codec) {
     ...
     }
 // Correct
 if (codec) {
     ...
 } else {
     ...
 }- Exception: Function implementations (but not lambdas) and class declarations always have the left brace on the start of a line:
 static void foo(int g)
 {
     ...
 }
 class Moo
 {
     ...
 };- Do not put multiple statements on one line
- If the body of the expression consists of one line, add braces anyway (different from Qt)
 // Wrong
 if (foo) bar();
 if (foo)
     bar();
 // Correct
 if (foo) {
     bar();
 }
- Do not put 'else' after jump statements:
 // Wrong
 if (thisOrThat)
     return;
 else
     somethingElse();
 // Correct
 if (thisOrThat) {
     return;
 }
 somethingElse();- Use parentheses to group expressions:
 // Wrong
 if (a && b || c)
 // Correct
 if ((a && b) || c)
 // Wrong
 a + b & c
 // Correct
 (a + b) & c- Keep lines shorter than 120 characters; wrap if necessary
- Commas go at the end of wrapped lines; operators start at the beginning of the new lines. An operator at the end of the line is easy to miss if the editor is too narrow.
 // Wrong
 if (longExpression +
     otherLongExpression +
     otherOtherLongExpression) {
 }
 // Correct
 if (longExpression
     + otherLongExpression
     + otherOtherLongExpression) {
 }- When strictly following a rule makes your code look bad, feel free to break it.
- If there is a dispute in any given code, create a pull request with the proposed changes to the style code.
In general, the same style as for C++
- Property names as well as C ++ variable names
- Private property must be a separate object
 // Wrong
 Item {
     property var cntr
     property var internal_data
     ...
 }
 // Correct
 Item {
     property var counter: 0
     QObject {
         id: prv
         property var data: null
     }
     ...
 }- The opening brace goes on the same line as the start of the statement (with no exceptions)
 // Wrong
 Rectangle
 {
     width: 40
     height: 20
     ...
 }
 function do_something()
 {
     ...
 }
 // Correct
 Rectangle {
     width: 40
     height: 20
     ...
 }
 function doSomeThing() {
     ...
 }- This is the order of properties in a QML item
Object {
    id: someID
    // newline here
    
    anchors.someProperty: ...
    anchors.another: ...
    // Or:
    Layout.someProperty: ...
    // newline here
    someRegularProperty: ...
    anotherOne: ...
    // newline here
    navigation.someProperty: ...
    // newline here
    onSomeSignal: {
        doSomething()
    }
    onSomeSignalWithParameter: function(param) {
        soSomethingWith(param)
    }
}//! TODO need to write like this
In general, a mix of our C++ style and Google's shell style, with some modifications.
#!/usr/bin/env bash
((${BASH_VERSION%%.*} >= 4)) || { echo >&2 "$0: Error: Please upgrade Bash."; exit 1; }
set -euxo pipefail          # omit 'x' in most scripts (it's mainly for debugging)
readonly FOO_BAR="Foo Bar"  # global shell constant
export BAR_BAZ="Bar Baz"    # environment variable
my_num=3                    # global shell variable
if (($# >= 1)); then
    # Remember to print messages on STDERR.
    echo >&2 "Do something"
    my_num=7                # modify the variable
fi
function print_something()
{
    local arg1="$1"     # local shell variable
    local -r arg2="$2"  # local shell constant
    shift 2
    # Prefer 'printf' to 'echo' when arguments are unknown.
    printf >&2 '%s\n' "${arg1}" "${arg2}" "$@"
}
print_something "one" "two" "three"Use PascalCase for class names and snake_case for everything else, including methods and variables within classes, i.e. FooBar.baz_qux().