Evgenii Legotckoi
June 5, 2017, 1:33 p.m.

C++ - Tutorial 003. Constants

Content

C =++ supports two notations of immutability:

  1. const - which implies that the value will not change. First of all, this is used to specify interfaces, for data that is passed to functions and methods so that they are not afraid that they will be changed. The compiler monitors the presence of the const qualifier;
  2. constexp - which involves calculating the constant at compile time. Used to store data in memory where they will not be damaged, and to improve performance.

For example:

  1. const int dmv = 17; // Constant with the name dmv
  2. int var = 17; // Var is not a constant
  3. constexpr double max1 = 1.4square(dmv); // OK, since square (17) is a constant expression
  4. constexpr double max2 = 1.4square(var); // Error, because var is not a constant
  5. const double max3 = 1.4square(var); // OK, because the expression can be evaluated in runtime
  6. double sum(const vector<double>&); // sum will not modify its arguments
  7. vector<double> v {1.2, 3.4, 4.5}; // v is not a constant
  8. const double s1 = sum(v); // OK, it will be calculated in runtime
  9. constexpr double s2 = sum(v); // Error, sum (v) is not a constant expression.

In order for the function to be used in a constant expression, that is, it was computed by the compiler, it is necessary to define it with the constexpr qualifier.

  1. constexpr double square(double x) { return xx; }

The constexpr function must be simple enough to compute by the compiler, and also return the computed value. Constexpr functions can be called by non-constants arguments in the context of which constant expressions are not required.

const

Objects with the const qualifier can not be changed, and must also be initialized.

  1. const int model = 90; // model is a constant
  2. const int v[] = { 1, 2, 3, 4 }; // v[i] is a constant
  3. const int x; // Error: value not initialized

Since objects with const qualifiers can not be changed, the following code will be incorrect:

  1. void f()
  2. {
  3. model = 200; // Error: model is a constant
  4. v[2] = 3; // Error: v[i] is a constant
  5. }

Note that const changes the type of the object, not an indication of how the variable should be assigned. const limits the way the object works.

  1. void g(const X p)
  2. {
  3. // Can not change p here
  4. }
  5.  
  6. void h()
  7. {
  8. X val; // But we can modify the value here
  9. g(&val);
  10. // ...
  11. }

When using a pointer, two objects are involved: the pointer itself and the object pointed to. A prefix declaration of a pointer with const makes the object constant, not a pointer. To declare const as the pointer itself, and not the object to which it points, you must place const after the pointer character. For example:

  1. void f1(char p)
  2. {
  3. char s[] = "Gorm";
  4.  
  5. const char pc = s; // Pointer to constant
  6. pc[3] = 'g'; // Error: the value of the object is a constant
  7. pc = p; // OK
  8.  
  9. char const cp = s; // Constant pointer
  10. cp[3] = 'a'; // OK
  11. cp = p; // Error: cp is a constant
  12.  
  13. const char const cpc = s; // Constant pointer to a constant object
  14. cpc[3] = 'a'; // Error: the object is a constant
  15. cpc = p; // Error: pointer is a constant
  16. }

The location of const relative to the base type is not important, since there is no data type const . Principle is the position of const relative to the symbol . Therefore, the following entries are possible:

  1. char const cp; // const pointer to char
  2. char const pc; // pointer to const char
  3. const char pc2; // pointer to const char

An object that is a constant when accessed through one pointer can be changed when accessed in other ways. This is especially useful for function arguments. Declaring a pointer argument as a const, a function is not allowed to change the object it points to. For example:

  1. const char strchr(const char p, char c);
  2. char strchr(char p, char c);

The first version is used for strings whose elements should not be changed by the function and returns a pointer to const that does not allow changing the result. The second version is used for mutable lines.

You can assign a non-constant variable address to a pointer to a constant, because it can not do any harm. However, you can not assign a constant address to a non-constant pointer, since this will change the value of the object. For example:

  1. void f4()
  2. {
  3. int a = 1;
  4. const int c = 2;
  5. const int p1 = &c; // OK
  6. const int p2 = &a; // OK
  7. int p3 = &c; // Error: initialization int* with const int*
  8. p3 = 7; // Attempt to change the value of c
  9. }

constexpr

A constant expression is an expression that is evaluated at compile time. Constant expressions can not use values and variables that are not known at compile time.

There are many reasons why someone might need a named constant, not a letter or value stored in a variable:

  1. Named constants simplify understanding and code support.
  2. A variable can be changed (so we must be more careful in our reasoning than with a constant).
  3. The language requires constant expressions for array sizes, case labels, and template value arguments.
  4. Embedded programmers like to put immutable data in a persistent storage device. Because read-only memory is cheaper than dynamic memory (in terms of cost and energy consumption) and often more numerous. In addition, the data in the permanent memory is protected from most system failures.
  5. If initialization is performed at compile time, there can not be any discrepancies in the multithreaded program.
  6. Performing compilation at the compilation stage improves program performance.

The value of constexpr is evaluated at compile time, and if it can not be computed, the compiler will generate an error.

  1. int x1 = 7;
  2. constexpr int x2 = 7;
  3. constexpr int x3 = x1; // Error: initializer is not a constant expression
  4. constexpr int x4 = x2; // OK
  5.  
  6. void f()
  7. {
  8. constexpr int y3 = x1; // Error: initializer is not a constant expression
  9. constexpr int y4 = x2; // OK
  10. // ...
  11. }

The possibilities of constant expressions are quite large, since it is possible to use integer data types, floating-point data, enums, and operators that do not change the values of variables (such as +,? And [] , but not = or ++ )

  1. constexpr int isqrt_helper(int sq, int d, int a)
  2. {
  3. return sq <= a ? isqrt_helper(sq+d,d+2,a) : d;
  4. }
  5.  
  6. constexpr int isqrt(int x)
  7. {
  8. return isqrt_helper(1,3,x)/2 1;
  9. }
  10.  
  11. constexpr int s1 = isqrt(9);
  12. constexpr int s2 = isqrt(1234);

Do you like it? Share on social networks!

BlinCT
  • June 5, 2017, 2:55 p.m.

Отличное описание и примеры!

Comments

Only authorized users can post comments.
Please, Log in or Sign up
  • Last comments
  • Evgenii Legotckoi
    March 9, 2025, 9:02 p.m.
    К сожалению, я этого подсказать не могу, поскольку у меня нет необходимости в обходе блокировок и т.д. Поэтому я и не задавался решением этой проблемы. Ну выглядит так, что вам действитель…
  • VP
    March 9, 2025, 4:14 p.m.
    Здравствуйте! Я устанавливал Qt6 из исходников а также Qt Creator по отдельности. Все компоненты, связанные с разработкой для Android, установлены. Кроме одного... Когда пытаюсь скомпилиров…
  • ИМ
    Nov. 22, 2024, 9:51 p.m.
    Добрый вечер Евгений! Я сделал себе авторизацию аналогичную вашей, все работает, кроме возврата к предидущей странице. Редеректит всегда на главную, хотя в логах сервера вижу запросы на правильн…
  • Evgenii Legotckoi
    Oct. 31, 2024, 11:37 p.m.
    Добрый день. Да, можно. Либо через такие же плагины, либо с постобработкой через python библиотеку Beautiful Soup
  • A
    Oct. 19, 2024, 5:19 p.m.
    Подскажите как это запустить? Я не шарю в программировании и кодинге. Скачал и установаил Qt, но куча ошибок выдается и не запустить. А очень надо fb3 переконвертировать в html