在下面的代码中,我使用了std::remove_const
和std::remove_reference
,但在两种情况下,它们的顺序不同,结果不同:
#include <iostream>
#include <string>
#include <vector>
#include <iterator>
#include <type_traits>
using namespace std;
int main()
{
vector<string> ar = {"mnciitbhu"};
cout<<boolalpha;
cout<<"First case : "<<endl;
for(const auto& x : ar)
{
// Using std::remove_const and std::remove_reference
// at the same time
typedef typename std::remove_const<
typename std::remove_reference<decltype(x)>::type>::type TT;
cout<<std::is_same<std::string, TT>::value<<endl;
cout<<std::is_same<const std::string, TT>::value<<endl;
cout<<std::is_same<const std::string&, TT>::value<<endl;
}
cout<<endl;
cout<<"Second case : "<<endl;
for(const auto& x : ar)
{
// Same as above but the order of using std::remove_reference
// and std::remove_const changed
typedef typename std::remove_reference<
typename std::remove_const<decltype(x)>::type>::type TT;
cout<<std::is_same<std::string, TT>::value<<endl;
cout<<std::is_same<const std::string, TT>::value<<endl;
cout<<std::is_same<const std::string&, TT>::value<<endl;
}
return 0;
}
输出结果为:
First case :
true
false
false
Second case :
false
true
false
我的问题是为什么以不同的顺序使用std::remove_const
和std::remove_reference
会产生不同的结果?由于我删除了引用和const
- ness,结果是否应该相同?
答案 0 :(得分:16)
remove_const
只会删除top-level const
限定符(如果存在)。在const std::string&
中,const
不是顶级,因此应用remove_const
对其没有影响。
当您颠倒订单并首先应用remove_reference
时,结果类型为const string
;现在const
是顶级的,remove_const
的后续应用将删除const
限定符。