我理解使用std::string_view的动机;
它可以帮助避免在函数参数中进行不必要的分配。
例如:
以下程序将从std::string
字符串文字创建一个。
这会导致不希望的动态分配,因为我们只对观察字符感兴趣。
#include <iostream>
void* operator new(std::size_t n)
{
std::cout << "[allocating " << n << " bytes]\n";
return malloc(n);
}
void observe_string(std::string const& str){}
int main(){
observe_string("hello world"); //prints [allocating 36 bytes]
}
使用string_view
将解决问题:
#include <iostream>
#include <experimental/string_view>
void* operator new(std::size_t n)
{
std::cout << "[allocating " << n << " bytes]\n";
return malloc(n);
}
void observe_string(std::experimental::string_view const& str){
}
int main(){
observe_string("hello world"); //prints nothing
}
这给我留下了一个问题。
我什么时候会选择 std::string by const& 而不是 string_view 作为函数参数?
查看 的接口std::string_view
,看起来我可以替换所有std::string
通过的实例const&
。这有什么反例吗?是std::string_view
为了代替std::string const&
参数传递吗?