c++初始化class成员变量依赖于其他成员变量
c++ initialize class member variable depends on other member variable
基本上,一个非静态成员 theta
由另一个 class 成员初始化但初始化良好。然后 valley_max
由 theta
初始化,如您所见。现在一切正常。然后我想初始化一个数组,其边界是valley_max
。首先,我得到了错误:
invalid use of non-static data member
然后我添加 static const int valley_max
如您所见。但是我得到了这样的错误:
array bound is not an integer constant before ']' token
我只是想知道我是否可以初始化一个数组,该数组的边界由一个成员变量初始化,而该成员变量由另一个成员变量初始化。
感谢您的帮助。
AP_Tmxk_VFH.cpp
AP_Tmxk_VFH::AP_Tmxk_VFH() :
l(5),
threshold(5),
safe_space(0.7),
detected_range(2.5),
theta(degrees(acos(1-sq(safe_space)/(2*sq(detected_range))))),
valley_max(round_float(180.0/theta)),
valley_count(0),
{
}
AP_Tmxk_VFH.h
class AP_Tmxk_VFH {
privte:
int l;
int threshold;
int safe_space;
int theta;
int detected_range;
static const int valley_max ;
struct{
bool inside_valley = false;
uint16_t up_bound = 0;
uint16_t down_bound = 0;
}valley[valley_max];
}
您的具体问题是由于 C++ 不支持可变长度数组。考虑改用 std::vector
或其他 C++ 标准库容器。
但是你还有其他问题(我认为这让你的问题很有趣):成员初始化的顺序是它们在 class 定义中出现的顺序, 不是它们在初始化中出现的顺序。
例如,在您的情况下 theta
在 detected_range
之前被初始化 ,并且由于后者在您使用它时未被初始化评估 theta
,您的代码的行为未定义!
在你的情况下,除非你需要成员是 const
,否则我会在构造函数主体中初始化那些未设置为文字的成员。
I just wondering if I can initialize the array whose bound initialized by a member variable which initialized by another member variables.
不,你不能。
你不能,因为这样的变量是
not an integer constant
就像错误信息所说的那样。成员变量的值在编译时是未知的——这与数组大小必须是编译时常量(即在编译时已知)的要求相矛盾。
解决方案:改用 std::vector
。 vector 的大小在编译时没有被锁定。
基本上,一个非静态成员 theta
由另一个 class 成员初始化但初始化良好。然后 valley_max
由 theta
初始化,如您所见。现在一切正常。然后我想初始化一个数组,其边界是valley_max
。首先,我得到了错误:
invalid use of non-static data member
然后我添加 static const int valley_max
如您所见。但是我得到了这样的错误:
array bound is not an integer constant before ']' token
我只是想知道我是否可以初始化一个数组,该数组的边界由一个成员变量初始化,而该成员变量由另一个成员变量初始化。
感谢您的帮助。
AP_Tmxk_VFH.cpp
AP_Tmxk_VFH::AP_Tmxk_VFH() :
l(5),
threshold(5),
safe_space(0.7),
detected_range(2.5),
theta(degrees(acos(1-sq(safe_space)/(2*sq(detected_range))))),
valley_max(round_float(180.0/theta)),
valley_count(0),
{
}
AP_Tmxk_VFH.h
class AP_Tmxk_VFH {
privte:
int l;
int threshold;
int safe_space;
int theta;
int detected_range;
static const int valley_max ;
struct{
bool inside_valley = false;
uint16_t up_bound = 0;
uint16_t down_bound = 0;
}valley[valley_max];
}
您的具体问题是由于 C++ 不支持可变长度数组。考虑改用 std::vector
或其他 C++ 标准库容器。
但是你还有其他问题(我认为这让你的问题很有趣):成员初始化的顺序是它们在 class 定义中出现的顺序, 不是它们在初始化中出现的顺序。
例如,在您的情况下 theta
在 detected_range
之前被初始化 ,并且由于后者在您使用它时未被初始化评估 theta
,您的代码的行为未定义!
在你的情况下,除非你需要成员是 const
,否则我会在构造函数主体中初始化那些未设置为文字的成员。
I just wondering if I can initialize the array whose bound initialized by a member variable which initialized by another member variables.
不,你不能。
你不能,因为这样的变量是
not an integer constant
就像错误信息所说的那样。成员变量的值在编译时是未知的——这与数组大小必须是编译时常量(即在编译时已知)的要求相矛盾。
解决方案:改用 std::vector
。 vector 的大小在编译时没有被锁定。