Ошибка компилятора c2131

Permalink

Cannot retrieve contributors at this time

description title ms.date f1_keywords helpviewer_keywords

Learn more about: Compiler Error C2131

Compiler Error C2131

02/28/2019

C2131

C2131

Compiler Error C2131

expression did not evaluate to a constant

An expression declared as const or constexpr didn’t evaluate to a constant at compile time. The compiler must be able to determine the value of the expression at the point it’s used.

Example

This example shows a way to cause error C2131, and how to fix it.

// c2131.cpp
// compile by using: cl /EHsc /W4 /c c2131.cpp

struct test
{
    static const int array_size; // To fix, init array_size here.
    int size_array[array_size];  // C2131
};

const int test::array_size = 42;
c2131.cpp
c2131.cpp(7): error C2131: expression did not evaluate to a constant
c2131.cpp(7): note: failure was caused by non-constant arguments or reference to a non-constant symbol
c2131.cpp(7): note: see usage of 'array_size'

See also

const
constexpr

// foo.hpp file 
class foo 
    { 
    public: 
      static const int nmConst; 
      int arr[nmConst]; // line 7 
    };  
// foo.cpp file 
    const int foo::nmConst= 5; 

Compiler VC 2015 return error:

1>foo.h(7): error C2131: expression did not evaluate to a constant
1> 1>foo.h(7): failure was caused by non-constant arguments or
reference to a non-constant symbol 1> 1>foo.h(7): note: see usage of
‘nmConst’

Why? nmConst is static constant with value defined in *.cpp file.

Raktim Biswas's user avatar

asked Nov 10, 2015 at 7:54

user3437441's user avatar

0

It’s possible to use static const int member as an array size, but you’ll have to define this member within class in your .hpp file like so:

class foo
{
public:

    static const int nmConst = 10;
    int arr[nmConst];

};

This will work.

P.S. About the logic behind it, I believe compiler wants to know size of the array member as soon as it encounters class declaration. If you leave static const int member undefined within the class, compiler will understand that you’re trying to define variable-length array and report an error (it won’t wait to see if you actually defined nmconst someplace).

answered Nov 10, 2015 at 8:07

dbajgoric's user avatar

dbajgoricdbajgoric

1,44711 silver badges17 bronze badges

0

eganator

71 / 51 / 8

Регистрация: 13.11.2017

Сообщений: 372

1

11.01.2022, 13:30. Показов 1753. Ответов 4

Метки нет (Все метки)


Студворк — интернет-сервис помощи студентам

Здравствуйте! В 16 строке переменные height и width не определены. Но мне нужно передать их подобным образом. Подскажите, пожалуйста, как это можно сделать правильно?

C++
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
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
#include <iostream>
#include <conio.h>
#include <string>
#include <windows.h>
using namespace std;
 
string encript(string message, int width) {
    int height;
    if (message.length() % width != 0) {
        height = message.length() / width + 1;
    }
    else {
        height = message.length() / width;
    }
 
    char table[height][width];
    int k;
 
    for (int i = 0; i < height; i++)
    {
        for (int j = 0; j < width; j++)
        {
            if (k < message.length())
            {
                table[i][j] = message[k];
                k++;
            }
            else table[i][j] = ' ';
        }
    }
 
    string code;
    for (int i = 0; i < width; i++)
    {
        for (int j = 0; j < height; j++)
        {
            code += table[j][i];
        }
    }
    return code;
}
 
int main() {
    SetConsoleCP(1251);
    SetConsoleOutputCP(1251);
 
    string text;
    cout << "Введите текст: ";
    getline(cin, text);
    int key;
    cout << "Ключ (ширина таблицы): ";
    cin >> key;
    cout << "Зашифрованный текст: ";
    encript(text, key);
 
    _getch();
    return 0;
}



0



Эксперт С++

8725 / 4305 / 958

Регистрация: 15.11.2014

Сообщений: 9,752

11.01.2022, 14:02

2

Цитата
Сообщение от eganator
Посмотреть сообщение

В 16 строке переменные height и width не определены.

это — неправда.
имена height и width становятся определенными в 7 и 8 строках.

твоя проблема заключается вовсе не в неопределенности имен.
она заключается вот в этом:

Цитата
Сообщение от eganator
Посмотреть сообщение

error C2131: выражение не определяется константой

переменные обязаны быть константами времени компиляции.
но они у тебя таковыми не являются.

Цитата
Сообщение от eganator
Посмотреть сообщение

как это можно сделать правильно?

можно заменить компилятор Visual Studio на gcc.
либо

никак

придется код переписывать.



1



71 / 51 / 8

Регистрация: 13.11.2017

Сообщений: 372

11.01.2022, 14:15

 [ТС]

3

hoggy, спасибо! Смена компилятора помогла, всё стало работать как надо.



0



7427 / 5021 / 2891

Регистрация: 18.12.2017

Сообщений: 15,694

11.01.2022, 15:20

4

Цитата
Сообщение от eganator
Посмотреть сообщение

как это можно сделать правильно?

замените статический массив (строка 16) на динамический



0



Эксперт С++

8725 / 4305 / 958

Регистрация: 15.11.2014

Сообщений: 9,752

11.01.2022, 15:46

5

Цитата
Сообщение от Yetty
Посмотреть сообщение

замените статический массив (строка 16) на динамический

у ТС в программе — автоматический массив.



0



IT_Exp

Эксперт

87844 / 49110 / 22898

Регистрация: 17.06.2006

Сообщений: 92,604

11.01.2022, 15:46

Помогаю со студенческими работами здесь

Error C2099: инициализация не является константой
proc_db.h

#ifndef PROC_DB
#define PROC_DB

FILE *fp;
int errors;

/*

Вывести значение логического выражения, заданного в виде строки S. Выражение определяется следующим образом («T» — True, «F» — False): <выражение> :
помогите пожалуйста решить задачку на рекурсию
Вывести значение логического выражения, заданного…

Вывести значение целочисленного выражения, заданного в виде строки S. Выражение определяется следующим образом
Вывести значение целочисленного выражения, заданного в виде строки S. Выражение определяется…

Вывести значение целочисленного выражения, заданного в виде строки S. Выражение определяется следующим образом (функция M воз-вращает максимальный из
Вывести значение целочисленного выражения, заданного в виде строки S. Выражение определяется…

Error C2057: требуется константное выражение
Добрый день!
Помогите разобраться с ошибками, все ругаются на одну строку int c_max_ind = -1, ans,…

Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:

5

// foo.hpp file
class foo
{
public:
static const int nmConst;
int arr[nmConst]; // line 7
};
// foo.cpp file
const int foo::nmConst= 5;

Ошибка возврата компилятора VC 2015:

1> foo.h (7): ошибка C2131: выражение не было константой
1> 1> foo.h (7): сбой был вызван непостоянными аргументами или
ссылка на непостоянный символ 1> 1> foo.h (7): примечание: см. использование
‘NmConst’

Зачем? nmConst — статическая константа со значением, определенным в файле * .cpp.

1

Решение

Можно использовать static const int member как размер массива, но вы должны будете определить этот член внутри класса в вашем файле .hpp следующим образом:

class foo
{
public:

static const int nmConst = 10;
int arr[nmConst];

};

Это будет работать

Постскриптум Что касается логики этого, я полагаю, что компилятор хочет знать размер члена массива, как только он встречает объявление класса. Если ты уйдешь static const int В классе не определен член, компилятор поймет, что вы пытаетесь определить массив переменной длины и сообщит об ошибке (он не будет ждать, если вы действительно определили nmconst где-то).

5

Другие решения

Других решений пока нет …



<The previous article in this series | The table of contents of this series | The next article in this series>


The error against using a class static ‘const’ field as an array size. The new (arguably) right way to define any class static integral field is here.


Topics



About:



C++







The table of contents of this article

  • Starting Context
  • Target Context
  • Main Body
  • 1: Meeting the «C2131: expression did not evaluate to a constant» Visual C++ Compile Error
  • 2: The Term, «constant», Is Sloppily Used There
  • 3: Why the Array Size Is Not Compile-Time Determined
  • 4: The New (Arguably) Right Way to Define Any Class Static Integral Field
  • 5: But Why Only Integral Fields? A Complaint

Starting Context

  • The reader has a basic knowledge on C++.


Target Context

  • The reader will know how to solve the «C2131: expression did not evaluate to a constant» Visual C++ compile error and more generally, the new (arguably) right way to define any class static integral field.


Main Body


1: Meeting the «C2131: expression did not evaluate to a constant» Visual C++ Compile Error


Hypothesizer 7

«C2131: expression did not evaluate to a constant»?



Well, I am trying to compile this piece of C++ code with Visual C++.



theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/TestConstantsGroup.hpp




@C++ Source Code

#ifndef __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_TestConstantsGroup_hpp__
	#define __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_TestConstantsGroup_hpp__
	
	namespace theBiasPlanet {
		namespace coreUtilitiesTests {
			namespace classStaticFieldTest1 {
				class TestConstantsGroup {
					public:
						static int const c_smallBufferSize;
				};
			}
		}
	}
#endif



theBiasPlanet/coreUtilitiesTests/staticVariablesInitializer/StaticVariablesInitializer.cpp




@C++ Source Code

#include "theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/TestConstantsGroup.hpp"

namespace theBiasPlanet {
	namespace coreUtilitiesTests {
		namespace classStaticFieldTest1 {
			int const TestConstantsGroup::c_smallBufferSize = 1024;
		}
	}
}



theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/Test1Test.hpp




@C++ Source Code

#ifndef __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_Test1Test_hpp__
	#define __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_Test1Test_hpp__
	
	namespace theBiasPlanet {
		namespace coreUtilitiesTests {
			namespace classStaticFieldTest1 {
				class Test1Test {
					public:
						static int main (int const & a_argumentsNumber, char const * const a_arguments []);
						static void test ();
				};
			}
		}
	}
#endif



theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/Test1Test.cpp




@C++ Source Code

#include "theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/Test1Test.hpp"
#include "theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/TestConstantsGroup.hpp"

namespace theBiasPlanet {
	namespace coreUtilitiesTests {
		namespace classStaticFieldTest1 {
			int Test1Test::main (int const & a_argumentsNumber, char const * const a_arguments []) {
				return 0;
			}
			
			void Test1Test::test () {
				char l_smallBuffer [TestConstantsGroup::c_smallBufferSize];
			}
		}
	}
}



«did not evaluate to a constant»? . . . While the error points to the size specification of the ‘l_smallBuffer’ array, ‘TestConstantsGroup::c_smallBufferSize’ is certainly constant, right?





2: The Term, «constant», Is Sloppily Used There


Hypothesizer 7

C++ is notorious for its sloppy terminology. «lvalue», etc., «move semantics», etc., and «static» are some examples.



There, in that error message, «constant» is sloppily used.



That error message seems to mean that the array size is not ‘compile-time determined’. Then, please say so.



Note that GCC does not report that error, because GCC does not require any array size to be compile-time determined.





3: Why the Array Size Is Not Compile-Time Determined


Hypothesizer 7

The reason why the array size is not compile-time determined is that any C++ source file is separately compiled.



‘Test1Test.cpp’ is compiled by itself, without ‘StaticVariablesInitializer.cpp’ (which determines the class static field value) being refered to. So, the compiler cannot know the value at compile-time.





4: The New (Arguably) Right Way to Define Any Class Static Integral Field


Hypothesizer 7

Then, what am I supposed to do?



The above way to define any class static field is something introduced in an old textbook I have. Rereading the book, in fact, I now have found that the book mentions the problem. The solution the book proposes is to use an ‘enum’ instead.



Well, I see, but I do not like it very much: it is not along the original purpose of ‘enum’, I think.



In fact, nowadays (I do not know exactly from when), the class static integral field can be declared and defined like this.



theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/TestConstantsGroup.hpp




@C++ Source Code

#ifndef __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_TestConstantsGroup_hpp__
	#define __theBiasPlanet_coreUtilitiesTests_classStaticFieldTest1_TestConstantsGroup_hpp__
	
	namespace theBiasPlanet {
		namespace coreUtilitiesTests {
			namespace classStaticFieldTest1 {
				class TestConstantsGroup {
					public:
						static int const c_smallBufferSize = 1024;
				};
			}
		}
	}
#endif



theBiasPlanet/coreUtilitiesTests/staticVariablesInitializer/StaticVariablesInitializer.cpp




@C++ Source Code

#include "theBiasPlanet/coreUtilitiesTests/classStaticFieldTest1/TestConstantsGroup.hpp"

namespace theBiasPlanet {
	namespace coreUtilitiesTests {
		namespace classStaticFieldTest1 {
			int const TestConstantsGroup::c_smallBufferSize;
		}
	}
}



Does that solve the problem? Yes: as the value is written in the header file, the array size is determined at the ‘Test1Test.cpp’ compile-time.



That is better than employing a dirty trick like using ‘enum’, or using a macro, more dirty.





5: But Why Only Integral Fields? A Complaint


Hypothesizer 7

But that way is allowed for only integral (which means not only ‘int’ but also ‘unsigned int’, ‘short’, ‘byte’, etc., but not ‘double’, ‘::std::string’, etc.) fields. Why? . . . I do not see the reason.



I complain because such a restriction causes unreasonable inconsistency in defining class static fields: sometimes, I can set the value in the header file, and at the other times, I have to set the value in the source file.



We should raise complaints on unreasonable specifications.






References




<The previous article in this series | The table of contents of this series | The next article in this series>


Понравилась статья? Поделить с друзьями:
  • Ошибка компилятора c2129
  • Ошибка компилятора c2109
  • Ошибка компилятора c2106
  • Ошибка компилятора c2102
  • Ошибка компилятора c2088