对C ++来说很新。
这是我的用户定义的fmiNode类:(fmi.h)
class fmiNode
{
public:
fmiNode(std::string NodeName,int Address)
{
this->name = NodeName;
this->address = Address;
}
std::string GetName()
{
return this->name;
}
int GetAddress()
{
return this->address;
}
private:
std::string name;
int address;
};
这是我的主要方法(fmi.c)
int main (int argc, char *argv[])
{
fmiNode node1("NodeA",4);
fmiNode node2("NodeB",6);
fmiNode node3("NodeC",8);
fmiNode node4("NodeD",10);
while(1)
{
MainLoop();
}
}
如果我只实例化一个fmiNode对象,一切都很好。但是以下3个引发了警告:
warning: inlining failed in call to ‘fmiNode::fmiNode(std::string, int)’: call is unlikely and code size would grow [-Winline]
我在这里做错了什么。
编辑:
所以我应该像这样定义我的课程:?
class fmiNode
{
public:
fmiNode(std::string NodeName,int Address);
std::string GetName()
{
return this->name;
}
int GetAddress()
{
return this->address;
}
private:
std::string name;
int address;
};
fmiNode::fmiNode(std::string NodeName,int Address)
{
this->name = NodeName;
this->address = Address;
}
干杯, 里斯
答案 0 :(得分:5)
如果在类定义中定义了一个函数(在你的例子中是构造函数),那么结果与使用inline
关键字在类之外定义它的结果相同,符合c ++标准:
7.1.2.3在类定义中定义的函数是内联函数
所以编译器得到inline
提示,但认为将构造函数内联到main
是一个坏主意,因为警告消息中的原因,所以它会给你警告。
更新:是的,您应该在 EDIT 中定义类以避免此警告。更好的是,将定义放入.cpp文件中以避免多个定义错误。