我们具有以下便捷功能,可从 map 中获取值
或如果找不到键,则返回一个后备默认值。
template <class Collection> const typename Collection::value_type::second_type&
FindWithDefault(const Collection& collection,
const typename Collection::value_type::first_type& key,
const typename Collection::value_type::second_type& value) {
typename Collection::const_iterator it = collection.find(key);
if (it == collection.end()) {
return value;
}
return it->second;
}
该函数的问题在于它允许传递一个临时对象作为第三个参数,这将是一个错误。例如:
const string& foo = FindWithDefault(my_map, "");
是否有可能通过使用某种方式不允许将右值引用传递给第三个参数
std::is_rvalue_reference和静态断言?
最佳答案
添加此额外的过载应该可以正常工作(未经测试):
template <class Collection>
const typename Collection::value_type::second_type&
FindWithDefault(const Collection& collection,
const typename Collection::value_type::first_type& key,
const typename Collection::value_type::second_type&& value) = delete;
重载解析将为右值引用选择此重载,并且
= delete
使其成为编译时错误。或者,如果您要指定自定义消息,则可以template <class Collection>
const typename Collection::value_type::second_type&
FindWithDefault(const Collection& collection,
const typename Collection::value_type::first_type& key,
const typename Collection::value_type::second_type&& value) {
static_assert(
!std::is_same<Collection, Collection>::value, // always false
"No rvalue references allowed!");
}
使用
std::is_same
可以使static_assert
依赖于template参数,否则即使未调用重载也会导致编译错误。编辑:这是一个最小的完整示例:
void foo(char const&) { };
void foo(char const&&) = delete;
int main()
{
char c = 'c';
foo(c); // OK
foo('x'); // Compiler error
}
对于第二个
foo
的调用,MSVC在此给出以下错误:rval.cpp(8) : error C2280: 'void foo(const char &&)' : attempting to reference a deleted function
rval.cpp(2): See declaration of 'foo'
但是,第一个调用工作正常,如果您注释掉第二个调用,则程序将编译。
关于c++ - 禁止将右值引用传递给函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28739974/