这是不允许的吗?有人可以解释为什么吗?
namespace Algorithms
{
int kthLargest(std::vector<int> const& nums, int k);
}
#include "Algorithms.h"
namespace
{
int kthLargest(std::vector<int> const& nums, int start, int end, int k)
{
<implementation>
}
} // end anonymous namespace
namespace Algorithms
{
int kthLargest(std::vector<int> const& nums, int k)
{
return kthLargest(nums, 0, nums.size() - 1, k);
}
} // end Algorithms namespace
我遇到的错误是:
> /usr/bin/c++ -I../lib/algorithms/inc -MD -MT
> lib/algorithms/CMakeFiles/algorithms.dir/src/Algorithms.o -MF
> lib/algorithms/CMakeFiles/algorithms.dir/src/Algorithms.o.d -o
> lib/algorithms/CMakeFiles/algorithms.dir/src/Algorithms.o -c
> ../lib/algorithms/src/Algorithms.cpp
> ../lib/algorithms/src/Algorithms.cpp: In function ‘int
> Algorithms::kthLargest(const std::vector<int>&, int)’:
> ../lib/algorithms/src/Algorithms.cpp:70:50: error: too many arguments
> to function ‘int Algorithms::kthLargest(const std::vector<int>&, int)’
> return kthLargest(nums, 0, nums.size() - 1, k);
答案 0 :(得分:4)
您的代码将导致递归调用。当在kthLargest
内部调用Algorithms::kthLargest
时,将在名称空间kthLargest
中找到名称Algorithms
,然后name lookup停止,没有其他作用域(例如全局名称空间)将进行检查。之后,由于参数不匹配,将执行重载解析并失败。
您可以将其更改为
namespace Algorithms
{
int kthLargest(std::vector<int> const& nums, int k)
{
// refer to the name in global namespace
return ::kthLargest(nums, 0, nums.size() - 1, k);
// ^^
}
}
或
namespace Algorithms
{
using ::kthLargest; // introduce names in global namespace
int kthLargest(std::vector<int> const& nums, int k)
{
return kthLargest(nums, 0, nums.size() - 1, k);
}
}