我在.h文件中有一个C ++ classe,如下所示:
#ifndef __GLWidget_h__
#define __GLWidget_h__
class PivotShape
{
// This is allowed
void do_something() { std::cout << "Doing something\n"; }
// This is not allowed
void do_something_else();
}
// This is not allowed
void PivotShape::do_something_else()
{
std::cout << "Doing something else\n";
}
#endif
如果我在类声明中添加方法,一切似乎都很好。但是如果我在类声明之外添加方法,我会得到如下错误:
/usr/share/qt4/bin/moc GLWidget.h > GLWidget_moc.cpp
/programs/gcc-4.6.3/installation/bin/g++ -W -Wall -g -c -I./ -I/usr/include/qt4 GLWidget_moc.cpp
/programs/gcc-4.6.3/installation/bin/g++ main.o GLState.o GLWidget.o MainWindow_moc.o GLWidget_moc.o -L/usr/lib/x86_64-linux-gnu -lQtGui -lQtOpenGL -lQtCore -lGLU -lGL -lm -ldl -o main
GLWidget.o: In function `std::iterator_traits<float const*>::iterator_category std::__iterator_category<float const*>(float const* const&)':
/home/<user>/<dir>/<dir>/<dir>/<dir>/<dir>/GLWidget.h:141: multiple definition of `PivotShape::do_someting_else()'
main.o:/home/<user>/<dir>/<dir>/<dir>/<dir>/<dir>/GLWidget.h:141: first defined here
我认为重复是由Make文件中的这个片段引起的。我认为.h文件正在转换为_moc.cpp文件,这允许多个包含:
# Define linker
LINKER = /programs/gcc-4.6.3/installation/bin/g++
MOCSRCS = $(QTHEADERS:.h=_moc.cpp)
# Define all object files to be the same as CPPSRCS but with all the .cpp
# suffixes replaced with .o
OBJ = $(CPPSRCS:.cpp=.o) $(MOCSRCS:.cpp=.o)
这是问题吗?如果是这样,我该如何解决?如果不是,那是怎么回事?
我认为在C ++中将类方法包含在类声明的主体中是违法的。如果这是合法的,那么它似乎是解决问题的简单方法。这合法吗?
编辑:
我忘了提到我已经发现将方法声明为inline
有效,但我想知道如何避免重复。
答案 0 :(得分:10)
你违反了一个定义规则;在标题中定义函数意味着在每个包含标题的翻译单元中都有一个定义,并且您通常只允许在程序中使用单个定义。
选项:
inline
添加到函数定义中,以放宽规则并允许多个定义;或另外,请勿__GLWidget_h__
使用reserved names。
答案 1 :(得分:2)