3

テンプレート エイリアスを clang で動作させようとしていますが、リファレンス シートには動作すると書かれていますが、動作しません。

~~~~>$ cat template_alias.cpp 
#include <vector>

using namespace std;

template<typename T>
using DoubleVec = vector<vector<T>>;

int main() { return 0; }

~~~~>$ clang template_alias.cpp -o template_alias

template_alias.cpp:6:19: warning: alias declarations accepted as a C++0x extension [-Wc++0x-extensions]
using DoubleVec = vector<vector<T>>;
                  ^
template_alias.cpp:6:34: error: a space is required between consecutive right angle brackets (use '> >')
using DoubleVec = vector<vector<T>>;
                                 ^~
                                 > >
template_alias.cpp:6:1: error: cannot template a using declaration
using DoubleVec = vector<vector<T>>;
^
1 warning and 2 errors generated.

~~~~>$ clang -std=c++0x template_alias.cpp -o template_alias

template_alias.cpp:6:1: error: cannot template a using declaration
using DoubleVec = vector<vector<T>>;
^
1 error generated.

私はそれを間違っていますか?

4

1 に答える 1

7

テスト ケースと同様に、2 番目のコマンド (-std=c++0x を使用) は正しいです。テンプレート エイリアスをサポートする前のバージョンの clang を使用している可能性があります。これを確認するには、次のようにします。

#if __has_feature(cxx_alias_templates)

以下は、clang が使用する機能テスト マクロの完全なリストです。

http://clang.llvm.org/docs/LanguageExtensions.html#checking_upcoming_features

テンプレート エイリアスのサポートと非サポートの間の移行期間に対処するための、やや不愉快な方法の 1 つを次に示します。

#include <vector>

using namespace std;

#if __has_feature(cxx_alias_templates)

template<typename T>
using DoubleVec = vector<vector<T>>;

#else

template<typename T>
struct DoubleVec {
    typedef vector<vector<T> > type;
};

#endif

int main()
{
#if __has_feature(cxx_alias_templates)
    DoubleVec<int> v;
#else
    DoubleVec<int>::type v;
#endif
}
于 2011-10-09T15:37:25.957 に答える