Local variable, scope and duration

Rule: Define variables in the smallest scope that they are used.

Rule: Avoid using nested variables with the same names as variables in an outer block.

Global variables

Rule: Avoid to use a same-named local variable as global variable

Local variables with the same name as a global variable hide the global variable inside the block that the local variable is declared in. However, the global scope operator :: can be used to tell the compiler you mean the global version instead of the local version.

By convention, many developers prefix global variable names with “g_” to indicate that they are global. This both helps identify global variables as well as avoids naming conflicts with local variables.

Internal and external variables

Define internal/external linkage global variables

Forward declaration for external linkage variables

Use extern keyword

RULE: Avoid use of non-const global variables at all if possible!

There is few good reasons to use non-const global variables. Because otherwise, you will never know why a global variable is changed only until you searched all occurrences of that variables among files reference it. At some cases, static variables inside block(local) could get some benefit of global variables, see next section.

Static duration

static has some different meanings depending on where it is used:

  1. When applied to a variable outside of a block, it defines that variable is with internal linkage. It means this variable is only visible in the file where it is defined;
  2. When applied to a variable inside a block, it allocates the memory in .data section at the first time and keep it even if block exits. It means, the following calls to this same block, it will refer to the same memory allocated in the first call. (NOTE: if a same-named variable is defined in different blocks, then they are different memories!)

Namespace

Rule: Don’t use the “using” keyword in the global scope, including header files!

The using keyword follows normal scope rules (just like variables) – if declared inside a block, it has block scope (and is only valid within that block). If declared outside a block, it has global scope, and affects the whole file from that point forward.

Using the using keyword judiciously can make your code neater and easier to read. Although the using keyword can be used outside of a function to help resolve every identifier in the file, this is highly discouraged, as it increases the chance of conflicting identifiers from multiple namespaces (and the global scope), which somewhat defeats the point of namespaces in the first place.

Note that putting a using statement outside of a block in a header means that it will end up in the global scope of every file that includes that header. This should definitely be avoided.

Multiple namespace blocks with the same name allowed

It’s legal to declare namespace blocks in multiple locations (even multiple times in the same file, if you can find a good reason for doing so). All declarations within the namespace block are considered part of the namespace.

Nested namespaces and namespace aliases

Namespaces can be nested inside other namespaces.

Because typing the fully qualified name of a variable or function inside a nested namespace can be painful, C++ allows you to create namespace aliases:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
namespace Foo
{
    namespace Goo
    {
        const int g_x = 5;
    }
}
 
namespace Boo = Foo::Goo; // Boo now refers to Foo::Goo
 
int main()
{
    std::cout << Boo::g_x; // This is really Foo::Goo::g_x
    return 0;
}

It’s worth noting that namespaces in C++ were not designed as a way to implement an information hierarchy – they were designed primarily as a mechanism for preventing naming collisions. As evidence of this, note that the entirety of the standard template library lives under the singular namespace std::. Some newer languages (such as C#) differ from C++ in this regard.

In general, you should avoid nesting namespaces if possible, and there’s few good reasons to nest them more than 2 levels deep.

Type conversion

There are two basic types of type conversion:

  1. implicit type conversion, where the compiler automatically transforms one fundamental data type into another;
  2. explicit type conversions, where the developer uses a casting operator to direct the conversion.

Implicit type conversion

Numeric promotion

Whenever a value from one type is converted into a value of a larger similar data type, this is called a numeric promotion. Inlcudes:

The important thing to remember about promotions is that they are always safe, and no data loss will result.

Numeric conversion

When we convert a value from a larger type to a similar smaller type, or between different types, this is called a numeric conversion.

Unlike promotions, which are always safe, conversions may or may not result in a loss of data. Because of this, any code that does an implicit conversion will often cause the compiler to issue a warning.

Evaluating arithmetic expressions

When evaluating expressions, the compiler breaks each expression down into individual subexpressions. The arithmetic operators require their operands to be of the same type. If operands of mixed types are used, the compiler will implicitly convert one operand to agree with the other using a process called usual arithmetic conversion. To do this, it uses the following rules:

The priority of operands is as follows:

Explicit type conversion (casting)

In C++, there are 5 different types of casts: C-style casts, static casts, const casts, dynamic casts, and reinterpret casts.

const casts and reinterpret casts should generally be avoided because they are only useful in rare cases and can be harmful if used incorrectly.

C-style cast

In standard C programming, casts are done via the () operator, with the name of the type to cast to inside. For example:

1
2
3
int i1 = 10;
int i2 = 3;
float f = (float)i1 / i2;

C++ will also let you use a C-style cast with a more function-call like syntax:

1
2
3
int i1 = 10;
int i2 = 3;
float f = float(i1) / i2;

Because C-style casts are not checked by the compiler at compile time, C-style casts can be inherently misused, because they will let you do things that may not make sense, such as getting rid of a const or changing a data type without changing the underlying representation (leading to garbage results).

Consequently, C-style casts should generally be avoided.

static_cast

Static_cast is best used to convert one fundamental type into another.

1
2
3
int i1 = 10;
int i2 = 3;
float f = static_cast<float>(i1) / i2;

The main advantage of static_cast is that it provides compile-time type checking, making it harder to make an inadvertent error. Static_cast is also (intentionally) less powerful than C-style casts, so you can’t inadvertently remove const or do other things you may not have intended to do.

std::string

Because strings are commonly used in programs, most modern languages include a built-in string data type. C++ includes one, not as part of the core language, but as part of the standard library.

String input and output

String input should use std::getline() against std::cin >> since operator >> only returns characters up to the first whitespace it encounters.

Don’t mix std::getline() and std::cin >> together, it will cause problems:

1
2
3
4
5
6
7
8
9
10
11
12
13
#include <iostream>    
#include <string>      
int main()
{
    using namespace std;
        
    string i;          
    cin >> i;          
    string s;
    getline(cin, s);   
    cout << "i = " << i << endl;
    cout << "s = " << s << endl;
}

You will get:

> ./a.out
abc
i = abc
s = 

This is because >> get “abc\n”, it will extract “abc” to the variable “i” and leave the “\n” in the input stream. Then when getline is called, it sees “\n” is already in the input stream and figures we must have entered empty string.

A good rule of thumb is that after reading a string with std::cin, remove the newline from the stream. This can be done using the following:

std::cin.ignore(32767, '\n');

Enumerated Type

Naming enums

cause enumerators are placed into the same namespace as the enumeration, an enumerator name can’t be used in multiple enumerations within the same namespace.

Consequently, it’s common to prefix enumerators with a standard prefix.

Scopred Enums

In classic enumerated type, it is allowed to compare two different enumerators defined in different enumerations since they are placed into the same namespace as the enumeration. It will sometimes cause no sense comparision since they belongs to different enumerations.

C++11 defines a new concept, the scoped enumeration, which makes enumerations both strongly typed and strongly scoped. To make an enum class, we use the keyword class after the enum keyword. Here’s an example:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
#include <iostream>
int main()
{
    enum class Color // "enum class" defines this as an scoped enumeration instead of a standard enumeration
    {
        RED, // RED is inside the scope of Color
        BLUE
    };
 
    enum class Fruit
    {
        BANANA, // BANANA is inside the scope of Fruit
        APPLE
    };
 
    Color color = Color::RED; // note: RED is not directly accessible any more, we have to use Color::RED
    Fruit fruit = Fruit::BANANA; // note: BANANA is not directly accessible any more, we have to use Fruit::BANANA
    
    if (color == fruit) // compile error here, as the compiler doesn't know how to compare different types Color and Fruit
        std::cout << "color and fruit are equal\n";
    else
        std::cout << "color and fruit are not equal\n";
 
    return 0;
}

NOTE:

  1. The strong typing rules means that each enum class is considered a unique type. This means that the compiler will not implicitly compare enumerators from different enumerations. If you try to do so, the compiler will throw an error, as shown in the example above

  2. You can still compare enumerators from within the same enum class (since they are of the same type)

  3. With enum classes, the compiler will no longer implicitly convert enumerator values to integers (if you try to print it, compiler will raise errors). If you have to, you can explicitly convert an enum class enumerator to an integer by using a static_cast to int

Structure

initializing structres

Initializing structs by assigning values member by member is a little cumbersome, so C++ supports a faster way to initialize structs using an initializer list. This allows you to initialize some or all the members of a struct at declaration time:

1
2
3
4
5
6
7
8
9
struct Employee
{
    short id;
    int age;
    double wage;
};
 
Employee joe = { 1, 32, 60000.0 }; // joe.id = 1, joe.age = 32, joe.wage = 60000.0
Employee frank = { 2, 28 }; // frank.id = 2, frank.age = 28, frank.wage = 0.0 (default initialization)

In C++11, we can also use uniform initialization:

1
2
Employee joe { 1, 32, 60000.0 }; // joe.id = 1, joe.age = 32, joe.wage = 60000.0
Employee frank { 2, 28 }; // frank.id = 2, frank.age = 28, frank.wage = 0.0 (default initialization)

If the initializer list does not contain an initializer for some elements, those elements are initialized to a default value (that generally corresponds to the zero state for that type). In the above example, we see that frank.wage gets default initialized to 0.0 because we did not specify an explicit initialization value for it.

Starting with C++11, it’s possible to give non-static struct members a default value:

1
2
3
4
5
6
7
8
9
10
11
12
13
struct Triangle
{
    double length = 1.0;
    double width = 1.0;
};
 
int main()
{
    Triangle x; // length = 1.0, width = 1.0
    x.length = 2.0;
 
    return 0;
}

Unfortunately, in C++11, the non-static member initialization syntax is incompatible with the initializer list and uniform initialization syntax, so you’ll have to decide which one to use. For structs, we recommend the uniform initialization syntax.

In C++14, this restriction was lifted and both can be used. If both are provided, the initializer list/uniform initialization syntax takes precedence.

Auto Keyword

Prior to C++11

Prior to C++11, the auto keyword was probably the least used keyword in C++, it was a way to explicitly specify that a variable should have automatic duration. However, since all variables in modern C++ default to automatic duration unless otherwise specified, the auto keyword was entirely obsolete.

Automatic type deduction in C++11

Starting with C++11, when initializing a variable, the auto keyword can be used in place of the variable type to tell the compiler to infer the variable’s type from the assignment’s type. This is called automatic type deduction.

For example:

1
2
auto d = 5.0; // 5.0 is a double literal, so d will be type double
auto i = 1 + 2; // 1 + 2 evaluates to an integer, so i will be type int

Note that this only works when initializing a variable upon creation. Variables created without initialization values can not use this feature (as C++ has no context from which to deduce the type).

Automatic type deduction for functions in C++14

In C++14, the auto keyword was extended to be able to auto-deduce a function’s return type. Consider:

1
2
3
4
auto add(int x, int y)
{
    return x + y;
}

Since x + y evaluates to an integer, the compiler will deduce this function should have a return type of int.

While this may seem neat, we recommend that this syntax be avoided for functions that return a fixed type. The return type of a function is of great use in helping to document a function. When a specific type isn’t specified, the user may not know what is expected.

Trailing return type syntax in C++11

C++11 also added the ability to use a trailing return syntax, where the return type is specified after the rest of the function prototype.

Consider the following function declaration:

1
int add(int x, int y);

In C++11, this could be equivalently written as:

1
auto add(int x, int y) -> int;

In this case, auto does not perform automatic type deduction – it is just part of the syntax to use a trailing return type.

Why would you want to use this?

One nice thing is that it makes all of your function names line up:

1
2
3
4
auto add(int x, int y) -> int;
auto divide(double x, double y) -> double;
void printSomething();
auto calculateThis(int x, double d) -> std::string;

But it is of more use when combined with some advanced C++ features, such as classes and the decltype keyword.