我正在调用此功能
void Board::insertWord(const string& s, const Clue& clue,
bool recordLetters=true) {
...
}
这里
insertWord( newWord, curClue );
其中newWord
和curClue
分别是字符串和线索。我无法弄清楚为什么默认值不会用于第三个参数。
g++ -c -std=c++11 -Wall -g board.cpp -o board.o
board.cpp: In member function ‘void Board::processUntilValid()’:
board.cpp:78:38: error: no matching function for call to ‘Board::insertWord(std::string&, const Clue&)’
insertWord( newWord, curClue );
^
board.cpp:78:38: note: candidate is:
In file included from board.cpp:1:0:
board.h:42:10: note: void Board::insertWord(const string&, const Clue&, bool)
void insertWord(const string& s, const Clue& c, bool recordLetters);
^
board.h:42:10: note: candidate expects 3 arguments, 2 provided
我还没有能够重现这个问题。有什么想法吗?
答案 0 :(得分:2)
此:
void Board::insertWord(const string& s, const Clue& clue,
bool recordLetters=true) { /* ... */ }
...是Board::insertWord
的定义。在c ++中,在定义方法时不要设置默认参数,而是在声明它们时,所以你的代码应该是:
class Board {
// Declaration:
void insertWord(const string& s, const Clue& clue,
bool recordLetters = true);
};
// Definition:
void Board::insertWord(const string& s, const Clue& clue,
bool recordLetters) { /* ... */ } // No default argument
答案 1 :(得分:1)
默认参数属于声明(.h
),而不属于定义(.cpp
)。
答案 2 :(得分:0)
默认参数是函数的特定声明的属性,而不是函数本身的属性。每个调用者根据它所看到的函数的声明来评估默认参数。
完全有可能(如果不明智)有这样的设置:
<强> a.cpp 强>
void foo(int i = 42);
void a()
{
foo();
}
<强> b.cpp 强>
void foo(int i = -42);
void b()
{
foo();
}
<强>的main.cpp 强>
#include <iostream>
void a();
void b();
void foo(int i)
{
std::cout << i << '\n';
}
int main()
{
a();
b();
}
这个程序很乐意在一行上输出42
,在下一行输出-42
,同时完全定义良好且符合要求。
因此,在您的情况下,您必须确保调用者可以访问定义默认参数的声明。该声明恰好是您案例中的函数定义。如果它隐藏在.cpp文件中,您可能希望将默认参数定义移动到头文件中的函数声明中。