我想要一个类中的指针数组。 这是我试过的代码。但是我收到了一个错误。
class Msg{
public:
char *msg[2]={
"one",
"two",
"three"
};
//there are some other methods I want to write.....
};
void main(){
Msg msg;
// i want to print msg[] here using a for loop
}
但它没有编译并在类中显示错误,我也想知道如何访问作为类成员的指针数组。 如果我错了,请更正语法。
edit:[i want to do]
我有大约12条固定信息,根据情况显示,我设置了一个 枚举得到正确的索引。
enum{
size,
area,
volume,
//etc
};
class Msg
有一个函数putMsg(int index)
cout
当我传递枚举时需要msg。
如果我通过area
,它会输入一个msg,例如“你方程计算的面积是:”
有没有更好的方法来做这种类型的消息传递。
答案 0 :(得分:6)
试试这个:
class Msg{
public:
// Can not initialize objects in the declaration part.
// So just provide the declaration part.
static char const *msg[];
// Note: You had the completely wrong size for the array.
// Best to leave the size blank and let the compiler deduce it.
// Note: The type of a string literal is 'char const*`
// Note: I have made it static so there is only one copy.
// Since the strings are literals this should not affect usage
// But if you wanted one per class you need another technique.
//there are some other method i want to write.....
};
// Now we can provide a definition.
// Note: I still leave the size blank and let the compiler deduce the size.
char const* Msg::msg[]={
"one",
"two",
"three"
};
// Note: main() must return an int.
int main(){
Msg msg;
// i want to print msg[] here using a for loop
// The basic way
for(std::size_t loop = 0;loop < sizeof(Msg::msg)/sizeof(Msg::msg[0]); ++loop)
{
std::cout << Msg::msg[loop] << "\n";
}
// Same as above but using C++11
for(auto loop = std::begin(Msg::msg); loop != std::end(Msg::msg);++loop)
{
std::cout << *loop << "\n";
}
// using algorithms:
std::copy(std::begin(Msg::msg), std::end(Msg::msg), std::ostream_iterator<char *const>(std::cout, "\n"));
// Note: You don't actually need a return statement in main().
// If you don't explicitly provide one then 0 is returned.
}
答案 1 :(得分:2)
这与它是一个指针数组没什么关系(BTW不是一个特别好用的东西,考虑std::vector<std::string>
)但是你尝试初始化msg
的方式。这是一个(非静态)成员变量,因此您必须在类的构造函数中初始化它,而不是在它声明的位置。
class Msg{
public:
char *msg[3];
Msg()
: msg{ "one"
, "two"
, "three" }
{}
//there are some other method i want to write.....
};
答案 2 :(得分:0)
我怀疑但是我不能肯定地说(你没有发布实际错误)你得到“太多的初始化错误”。
将*msg[2]
更改为*msg[3]
。或者留下它BLANK。 []
或删除“三”。