我有一个带有char数组的结构和一个用定义的String初始化数组的构造函数。
我想避免使用#define
,而是将C ++字符串传递给构造函数。但话说再说,char数组的大小在编译时是不可知的。
对此有什么好处?
#define STRING_ "myString"
struct myStruct {
int nCode;
char str1[sizeof(STRING_)];
myStruct ()
{
nLangCode = 0x0409;
strcpy(str1, STRING_ );
}
} ;
答案 0 :(得分:2)
如果您只知道运行时的大小,则无法将您的成员声明为数组,因为可变长度数组不是C ++功能。只需使用std::string
。
struct myStruct {
int nCode;
std::string str1;
myStruct () : str1(STRING_)
{
nLangCode = 0x0409;
}
} ;
通过这种方式,您不必担心复制构造函数,赋值运算符和析构函数 - 这也是错过其他答案的原因。
答案 1 :(得分:0)
您应该使用标准班级std::string
例如
#include <string>
struct myStruct {
int nLangCode;
std::string str1;
myStruct ( const char *s, int code ) : nLangCode( code ), str1( s )
{
}
} ;
否则您需要使用operator new
动态分配字符数组。在这种情况下,您还必须明确定义复制构造函数,析构函数和复制赋值运算符。
在这种情况下,构造函数可以采用以下方式
#include <cstring>
struct myStruct {
int nLangCode;
char *str;
myStruct ( const char *s, int code ) : nLangCode( code )
{
str = new char[std::strlen( s ) + 1];
std::strcpy( str, s );
}
// Other special functions...
} ;
答案 2 :(得分:0)
如果不需要保存字符串的副本并且您不需要修改字符串,那么首先不要使用数组,而只是使用像{这样的原始指针{1}}然后在构造函数中初始化char const * const str1;
,如
str1( STRING_ )
如果您不需要字符串的副本,但确实需要修改它,请将其直接存储在数组中,让编译器找出正确的大小:
#define _STRING "myString"
struct myStruct {
const char * const str1;
myStruct() : str1( _STRING ) { }
};
如果您确实需要副本并且确实需要修改字符串,请使用简单的#define _STRING "myString"
struct myStruct {
static char str1[];
myStruct() {}
};
const myStruct::str1[] = _STRING;
,如Luchian Grigore的答案所示。