development

함수의 존재를 확인하기 위해 템플릿을 작성할 수 있습니까?

big-blog 2020. 2. 16. 20:45
반응형

함수의 존재를 확인하기 위해 템플릿을 작성할 수 있습니까?


특정 멤버 함수가 클래스에 정의되어 있는지 여부에 따라 동작을 변경하는 템플릿을 작성할 수 있습니까?

다음은 내가 쓰고 싶은 간단한 예입니다.

template<class T>
std::string optionalToString(T* obj)
{
    if (FUNCTION_EXISTS(T->toString))
        return obj->toString();
    else
        return "toString not defined";
}

경우에 따라서, class TtoString()정의하고 그것을 사용; 그렇지 않으면 그렇지 않습니다. 내가 모르는 마법의 부분은 "FUNCTION_EXISTS"부분입니다.


예, SFINAE를 사용하면 주어진 클래스가 특정 메소드를 제공하는지 확인할 수 있습니다. 작동 코드는 다음과 같습니다.

#include <iostream>

struct Hello
{
    int helloworld() { return 0; }
};

struct Generic {};    

// SFINAE test
template <typename T>
class has_helloworld
{
    typedef char one;
    struct two { char x[2]; };

    template <typename C> static one test( typeof(&C::helloworld) ) ;
    template <typename C> static two test(...);    

public:
    enum { value = sizeof(test<T>(0)) == sizeof(char) };
};

int main(int argc, char *argv[])
{
    std::cout << has_helloworld<Hello>::value << std::endl;
    std::cout << has_helloworld<Generic>::value << std::endl;
    return 0;
}

방금 Linux 및 gcc 4.1 / 4.3으로 테스트했습니다. 다른 컴파일러를 실행하는 다른 플랫폼으로 이식 가능한지 모르겠습니다.


이 질문은 오래되었지만 C ++ 11에서는 SFINAE에 다시 의존하여 함수 존재 여부 (또는 실제로 유형이 아닌 멤버의 존재 여부)를 확인하는 새로운 방법이 있습니다.

template<class T>
auto serialize_imp(std::ostream& os, T const& obj, int)
    -> decltype(os << obj, void())
{
  os << obj;
}

template<class T>
auto serialize_imp(std::ostream& os, T const& obj, long)
    -> decltype(obj.stream(os), void())
{
  obj.stream(os);
}

template<class T>
auto serialize(std::ostream& os, T const& obj)
    -> decltype(serialize_imp(os, obj, 0), void())
{
  serialize_imp(os, obj, 0);
}

이제 몇 가지 설명을하겠습니다. 먼저, SFINAE 표현식을 사용 serialize(_imp)하여 내부의 첫 번째 표현식 decltype이 유효하지 않은 경우 (일명 함수가 존재하지 않는 경우) 과부하 해결 에서 함수 를 제외합니다 .

void()모든 함수의 반환 형식을 만드는 데 사용됩니다 void.

0인수는 선호하는 데 사용됩니다 os << obj모두 (문자 그대로 사용할 수있는 경우 과부하를 0유형 인 int과 상기 제 1 과부하로 더 나은 일치).


이제 함수가 존재하는지 확인하는 특성을 원할 것입니다. 운 좋게도 작성하기 쉽습니다. 그러나 원하는 함수 이름마다 특성을 직접 작성해야합니다 .

#include <type_traits>

template<class>
struct sfinae_true : std::true_type{};

namespace detail{
  template<class T, class A0>
  static auto test_stream(int)
      -> sfinae_true<decltype(std::declval<T>().stream(std::declval<A0>()))>;
  template<class, class A0>
  static auto test_stream(long) -> std::false_type;
} // detail::

template<class T, class Arg>
struct has_stream : decltype(detail::test_stream<T, Arg>(0)){};

라이브 예.

그리고 설명에. 먼저 sfinae_true도우미 유형이며 기본적으로 writing과 동일합니다 decltype(void(std::declval<T>().stream(a0)), std::true_type{}). 장점은 단순히 더 짧다는 것입니다.
다음에, struct has_stream : decltype(...)하나의 상속 std::true_type또는 std::false_type결국은 여부에 따라 decltype체크가 test_stream실패하거나하지.
마지막으로, std::declval구성 할 수있는 방법을 알 필요없이 전달하는 모든 유형의 "값"을 제공합니다. 이 예와 같은 평가되지 않은 상황 안에서만 가능 유의 decltype, sizeof등.


참고 decltype필요로 필요하지 않습니다 sizeof(모든 평가되지 않은 컨텍스트)이 향상되었다. 그것은 단지의 decltype이미 유형을 제공하며, 같은 단지 청소기입니다. 다음 sizeof은 과부하 중 하나의 버전입니다.

template<class T>
void serialize_imp(std::ostream& os, T const& obj, int,
    int(*)[sizeof((os << obj),0)] = 0)
{
  os << obj;
}

intlong매개 변수는 같은 이유로 여전히 있습니다. 배열 포인터는 사용될 수있는 컨텍스트를 제공하는 sizeof데 사용됩니다.


C ++를 사용하면 SFINAE 를 사용할 수 있습니다 (C ++ 11 기능을 사용하면 거의 임의의 표현식에서 확장 SFINAE를 지원하기 때문에 더 간단합니다. 아래는 일반적인 C ++ 03 컴파일러에서 작동하도록 제작되었습니다).

#define HAS_MEM_FUNC(func, name)                                        \
    template<typename T, typename Sign>                                 \
    struct name {                                                       \
        typedef char yes[1];                                            \
        typedef char no [2];                                            \
        template <typename U, U> struct type_check;                     \
        template <typename _1> static yes &chk(type_check<Sign, &_1::func > *); \
        template <typename   > static no  &chk(...);                    \
        static bool const value = sizeof(chk<T>(0)) == sizeof(yes);     \
    }

위의 템플릿과 매크로는 템플릿을 인스턴스화하여 멤버 함수 포인터 유형과 실제 멤버 함수 포인터를 제공합니다. 유형이 맞지 않으면 SFINAE는 템플릿을 무시합니다. 이와 같은 사용법 :

HAS_MEM_FUNC(toString, has_to_string);

template<typename T> void
doSomething() {
   if(has_to_string<T, std::string(T::*)()>::value) {
      ...
   } else {
      ...
   }
}

그러나 toStringif 분기에서 해당 함수를 호출 할 수는 없습니다 . 컴파일러는 두 가지 모두에서 유효성을 검사하므로 함수가 존재하지 않는 경우 실패합니다. 한 가지 방법은 SFINAE를 다시 한 번 사용하는 것입니다 (enable_if도 부스트에서 얻을 수 있음).

template<bool C, typename T = void>
struct enable_if {
  typedef T type;
};

template<typename T>
struct enable_if<false, T> { };

HAS_MEM_FUNC(toString, has_to_string);

template<typename T> 
typename enable_if<has_to_string<T, 
                   std::string(T::*)()>::value, std::string>::type
doSomething(T * t) {
   /* something when T has toString ... */
   return t->toString();
}

template<typename T> 
typename enable_if<!has_to_string<T, 
                   std::string(T::*)()>::value, std::string>::type
doSomething(T * t) {
   /* something when T doesnt have toString ... */
   return "T::toString() does not exist.";
}

재미있게 사용하십시오. 그것의 장점은 오버로드 된 멤버 함수와 const 멤버 함수에서도 작동한다는 것입니다 ( std::string(T::*)() const멤버 함수 포인터 유형으로 사용하십시오!).


C ++ 20- requires표현식

C ++ 20 에는 함수의 존재 여부를 확인하는 기본 제공 방법 인 requires표현식 과 같은 다양한 도구와 개념 이 있습니다. 그것들을 사용하면 optionalToString다음과 같이 함수를 다시 작성할 수 있습니다.

template<class T>
std::string optionalToString(T* obj)
{
    constexpr bool has_toString = requires(const T& t) {
        t.toString();
    };

    if constexpr (has_toString)
        return obj->toString();
    else
        return "toString not defined";
}

Pre-C ++ 20-감지 툴킷

N4502 는 문제를 다소 우아한 방식으로 해결할 수있는 C ++ 17 표준 라이브러리에 포함시키기위한 탐지 조치를 제안합니다. 또한 라이브러리 기본 TS v2에도 적용되었습니다. std::is_detected유형 또는 기능 감지 메타 기능을 쉽게 작성하는 데 사용할 수있는 일부 메타 기능을 소개 합니다. 사용 방법은 다음과 같습니다.

template<typename T>
using toString_t = decltype( std::declval<T&>().toString() );

template<typename T>
constexpr bool has_toString = std::is_detected_v<toString_t, T>;

위의 예제는 테스트되지 않았습니다. 탐지 툴킷은 아직 표준 라이브러리에서 사용할 수 없지만 제안에는 실제로 필요한 경우 쉽게 복사 할 수있는 전체 구현이 포함되어 있습니다. C ++ 17 기능으로 훌륭하게 재생됩니다 if constexpr.

template<class T>
std::string optionalToString(T* obj)
{
    if constexpr (has_toString<T>)
        return obj->toString();
    else
        return "toString not defined";
}

부스트 하나

Boost.Hana는 분명히이 특정 예제를 기반으로하며 설명서에 C ++ 14에 대한 솔루션을 제공하므로 직접 인용하겠습니다.

[...] Hana는 is_validC ++ 14 일반 람다와 결합하여 같은 것을 훨씬 더 깔끔하게 구현할 수 있는 기능을 제공합니다 .

auto has_toString = hana::is_valid([](auto&& obj) -> decltype(obj.toString()) { });

이것은 has_toString주어진 표현식이 우리가 전달한 인수에 유효한지 여부를 반환 하는 함수 객체 남깁니다 . 결과는로 반환 IntegralConstant되므로 함수 결과는 어쨌든 유형으로 표시되므로 constexpr-ness는 문제가되지 않습니다. 이제는 덜 장황한 것 (하나의 라이너입니다!) 외에도 의도가 훨씬 명확합니다. 다른 이점은 has_toString고차 알고리즘에 전달 될 수 있고 함수 범위에서 정의 될 수 있다는 점입니다. 따라서 구현 세부 사항으로 네임 스페이스 범위를 오염시킬 필요가 없습니다.

부스트 .TTI

또 다른 다소 관용적 툴킷은 이러한 검사를 수행하는 - 비록 덜 우아 -이다 Boost.TTI 부스트 1.54.0에 도입은. 예를 들어, 매크로를 사용해야합니다 BOOST_TTI_HAS_MEMBER_FUNCTION. 사용 방법은 다음과 같습니다.

#include <boost/tti/has_member_function.hpp>

// Generate the metafunction
BOOST_TTI_HAS_MEMBER_FUNCTION(toString)

// Check whether T has a member function toString
// which takes no parameter and returns a std::string
constexpr bool foo = has_member_function_toString<T, std::string>::value;

그런 bool다음를 사용하여 SFINAE 검사를 작성할 수 있습니다 .

설명

매크로 는 확인 된 유형을 첫 번째 템플리트 매개 변수로 BOOST_TTI_HAS_MEMBER_FUNCTION사용하는 메타 has_member_function_toString함수를 생성합니다. 두 번째 템플릿 매개 변수는 멤버 함수의 반환 형식에 해당하며 다음 매개 변수는 함수 매개 변수의 형식에 해당합니다. 멤버 는 클래스 에 멤버 함수가 있는지를 value포함 합니다 .trueTstd::string toString()

또는 has_member_function_toString멤버 함수 포인터를 템플릿 매개 변수로 사용할 수 있습니다. 따라서, 대체 가능 has_member_function_toString<T, std::string>::value하여 has_member_function_toString<std::string T::* ()>::value.


이 질문은 2 살이지만 감히 답변을 추가하겠습니다. 바라건대 이전의 확실한 해결책을 분명히하기를 바랍니다. 나는 Nicola Bonelli와 Johannes Schaub의 매우 유용한 답변을 가져 와서 IMHO, 더 읽기 쉽고 명확하며 typeof확장이 필요없는 솔루션으로 병합했습니다 .

template <class Type>
class TypeHasToString
{
    // This type won't compile if the second template parameter isn't of type T,
    // so I can put a function pointer type in the first parameter and the function
    // itself in the second thus checking that the function has a specific signature.
    template <typename T, T> struct TypeCheck;

    typedef char Yes;
    typedef long No;

    // A helper struct to hold the declaration of the function pointer.
    // Change it if the function signature changes.
    template <typename T> struct ToString
    {
        typedef void (T::*fptr)();
    };

    template <typename T> static Yes HasToString(TypeCheck< typename ToString<T>::fptr, &T::toString >*);
    template <typename T> static No  HasToString(...);

public:
    static bool const value = (sizeof(HasToString<Type>(0)) == sizeof(Yes));
};

gcc 4.1.2로 확인했습니다. 크레딧은 주로 Nicola Bonelli와 Johannes Schaub에게 전달되므로 내 답변이 도움이된다면 투표하십시오. :)


C ++ 11을위한 간단한 솔루션 :

template<class T>
auto optionalToString(T* obj)
 -> decltype(  obj->toString()  )
{
    return     obj->toString();
}
auto optionalToString(...) -> string
{
    return "toString not defined";
}

3 년 후 업데이트 : (테스트되지 않음). 존재를 테스트하기 위해 이것이 효과가 있다고 생각합니다.

template<class T>
constexpr auto test_has_toString_method(T* obj)
 -> decltype(  obj->toString() , std::true_type{} )
{
    return     obj->toString();
}
constexpr auto test_has_toString_method(...) -> std::false_type
{
    return "toString not defined";
}

이것이 바로 유형 특성입니다. 불행히도, 그것들은 수동으로 정의되어야합니다. 귀하의 경우 다음을 상상하십시오.

template <typename T>
struct response_trait {
    static bool const has_tostring = false;
};

template <>
struct response_trait<your_type_with_tostring> {
    static bool const has_tostring = true;
}

글쎄,이 질문에는 이미 많은 답변 목록이 있지만 Morwenn의 의견을 강조하고 싶습니다 .C ++ 17에 대한 제안이 훨씬 간단합니다. 자세한 내용은 N4502 를 참조하십시오. 그러나 독립된 예로 다음을 고려하십시오.

이 부분은 일정한 부분이므로 헤더에 넣으십시오.

// See http://www.open-std.org/jtc1/sc22/wg21/docs/papers/2015/n4502.pdf.
template <typename...>
using void_t = void;

// Primary template handles all types not supporting the operation.
template <typename, template <typename> class, typename = void_t<>>
struct detect : std::false_type {};

// Specialization recognizes/validates only types supporting the archetype.
template <typename T, template <typename> class Op>
struct detect<T, Op, void_t<Op<T>>> : std::true_type {};

그런 다음 원하는 부분 (유형, 멤버 유형, 함수, 멤버 함수 등)을 지정하는 변수 부분이 있습니다. OP의 경우 :

template <typename T>
using toString_t = decltype(std::declval<T>().toString());

template <typename T>
using has_toString = detect<T, toString_t>;

N4502 에서 가져온 다음 예제 는보다 정교한 프로브를 보여줍니다.

// Archetypal expression for assignment operation.
template <typename T>
using assign_t = decltype(std::declval<T&>() = std::declval<T const &>())

// Trait corresponding to that archetype.
template <typename T>
using is_assignable = detect<T, assign_t>;

위에서 설명한 다른 구현들과 비교할 때, 이것은 상당히 간단합니다. 줄어든 툴 세트 ( void_tdetect) 만으로도 털이 많은 매크로가 필요하지 않습니다. 또한 이전 접근법보다 훨씬 더 효율적 (컴파일 타임 및 컴파일러 메모리 소비) 인 것으로보고되었습니다 ( N4502 참조 ).

다음은 실제 예 입니다. Clang에서는 잘 작동하지만 불행히도 5.1 이전의 GCC 버전은 C ++ 11 표준에 대한 다른 해석을 void_t수행하여 예상대로 작동하지 않았습니다. Yakk 이미 제공 한 해결 방법 : 다음과 같은 정의를 사용 void_t( 하지만 반환 형식으로 매개 변수 목록의 작품 void_t을 ) :

#if __GNUC__ < 5 && ! defined __clang__
// https://stackoverflow.com/a/28967049/1353549
template <typename...>
struct voider
{
  using type = void;
};
template <typename...Ts>
using void_t = typename voider<Ts...>::type;
#else
template <typename...>
using void_t = void;
#endif

다음은 일부 사용법 스 니펫입니다. *이 모든 것에 대한 용기는 더 먼

x주어진 수업에서 회원 확인하십시오 . var, func, class, union 또는 enum 일 수 있습니다.

CREATE_MEMBER_CHECK(x);
bool has_x = has_member_x<class_to_check_for_x>::value;

멤버 기능 확인 void x():

//Func signature MUST have T as template variable here... simpler this way :\
CREATE_MEMBER_FUNC_SIG_CHECK(x, void (T::*)(), void__x);
bool has_func_sig_void__x = has_member_func_void__x<class_to_check_for_x>::value;

멤버 변수 확인 x:

CREATE_MEMBER_VAR_CHECK(x);
bool has_var_x = has_member_var_x<class_to_check_for_x>::value;

회원 등급 확인 x:

CREATE_MEMBER_CLASS_CHECK(x);
bool has_class_x = has_member_class_x<class_to_check_for_x>::value;

조합원 확인 x:

CREATE_MEMBER_UNION_CHECK(x);
bool has_union_x = has_member_union_x<class_to_check_for_x>::value;

회원 열거 확인 x:

CREATE_MEMBER_ENUM_CHECK(x);
bool has_enum_x = has_member_enum_x<class_to_check_for_x>::value;

x서명에 관계없이 멤버 기능을 확인하십시오 .

CREATE_MEMBER_CHECK(x);
CREATE_MEMBER_VAR_CHECK(x);
CREATE_MEMBER_CLASS_CHECK(x);
CREATE_MEMBER_UNION_CHECK(x);
CREATE_MEMBER_ENUM_CHECK(x);
CREATE_MEMBER_FUNC_CHECK(x);
bool has_any_func_x = has_member_func_x<class_to_check_for_x>::value;

또는

CREATE_MEMBER_CHECKS(x);  //Just stamps out the same macro calls as above.
bool has_any_func_x = has_member_func_x<class_to_check_for_x>::value;

세부 사항 및 핵심 :

/*
    - Multiple inheritance forces ambiguity of member names.
    - SFINAE is used to make aliases to member names.
    - Expression SFINAE is used in just one generic has_member that can accept
      any alias we pass it.
*/

//Variadic to force ambiguity of class members.  C++11 and up.
template <typename... Args> struct ambiguate : public Args... {};

//Non-variadic version of the line above.
//template <typename A, typename B> struct ambiguate : public A, public B {};

template<typename A, typename = void>
struct got_type : std::false_type {};

template<typename A>
struct got_type<A> : std::true_type {
    typedef A type;
};

template<typename T, T>
struct sig_check : std::true_type {};

template<typename Alias, typename AmbiguitySeed>
struct has_member {
    template<typename C> static char ((&f(decltype(&C::value))))[1];
    template<typename C> static char ((&f(...)))[2];

    //Make sure the member name is consistently spelled the same.
    static_assert(
        (sizeof(f<AmbiguitySeed>(0)) == 1)
        , "Member name specified in AmbiguitySeed is different from member name specified in Alias, or wrong Alias/AmbiguitySeed has been specified."
    );

    static bool const value = sizeof(f<Alias>(0)) == 2;
};

매크로 (El Diablo!) :

CREATE_MEMBER_CHECK :

//Check for any member with given name, whether var, func, class, union, enum.
#define CREATE_MEMBER_CHECK(member)                                         \
                                                                            \
template<typename T, typename = std::true_type>                             \
struct Alias_##member;                                                      \
                                                                            \
template<typename T>                                                        \
struct Alias_##member <                                                     \
    T, std::integral_constant<bool, got_type<decltype(&T::member)>::value>  \
> { static const decltype(&T::member) value; };                             \
                                                                            \
struct AmbiguitySeed_##member { char member; };                             \
                                                                            \
template<typename T>                                                        \
struct has_member_##member {                                                \
    static const bool value                                                 \
        = has_member<                                                       \
            Alias_##member<ambiguate<T, AmbiguitySeed_##member>>            \
            , Alias_##member<AmbiguitySeed_##member>                        \
        >::value                                                            \
    ;                                                                       \
}

CREATE_MEMBER_VAR_CHECK :

//Check for member variable with given name.
#define CREATE_MEMBER_VAR_CHECK(var_name)                                   \
                                                                            \
template<typename T, typename = std::true_type>                             \
struct has_member_var_##var_name : std::false_type {};                      \
                                                                            \
template<typename T>                                                        \
struct has_member_var_##var_name<                                           \
    T                                                                       \
    , std::integral_constant<                                               \
        bool                                                                \
        , !std::is_member_function_pointer<decltype(&T::var_name)>::value   \
    >                                                                       \
> : std::true_type {}

CREATE_MEMBER_FUNC_SIG_CHECK :

//Check for member function with given name AND signature.
#define CREATE_MEMBER_FUNC_SIG_CHECK(func_name, func_sig, templ_postfix)    \
                                                                            \
template<typename T, typename = std::true_type>                             \
struct has_member_func_##templ_postfix : std::false_type {};                \
                                                                            \
template<typename T>                                                        \
struct has_member_func_##templ_postfix<                                     \
    T, std::integral_constant<                                              \
        bool                                                                \
        , sig_check<func_sig, &T::func_name>::value                         \
    >                                                                       \
> : std::true_type {}

CREATE_MEMBER_CLASS_CHECK :

//Check for member class with given name.
#define CREATE_MEMBER_CLASS_CHECK(class_name)               \
                                                            \
template<typename T, typename = std::true_type>             \
struct has_member_class_##class_name : std::false_type {};  \
                                                            \
template<typename T>                                        \
struct has_member_class_##class_name<                       \
    T                                                       \
    , std::integral_constant<                               \
        bool                                                \
        , std::is_class<                                    \
            typename got_type<typename T::class_name>::type \
        >::value                                            \
    >                                                       \
> : std::true_type {}

CREATE_MEMBER_UNION_CHECK :

//Check for member union with given name.
#define CREATE_MEMBER_UNION_CHECK(union_name)               \
                                                            \
template<typename T, typename = std::true_type>             \
struct has_member_union_##union_name : std::false_type {};  \
                                                            \
template<typename T>                                        \
struct has_member_union_##union_name<                       \
    T                                                       \
    , std::integral_constant<                               \
        bool                                                \
        , std::is_union<                                    \
            typename got_type<typename T::union_name>::type \
        >::value                                            \
    >                                                       \
> : std::true_type {}

CREATE_MEMBER_ENUM_CHECK :

//Check for member enum with given name.
#define CREATE_MEMBER_ENUM_CHECK(enum_name)                 \
                                                            \
template<typename T, typename = std::true_type>             \
struct has_member_enum_##enum_name : std::false_type {};    \
                                                            \
template<typename T>                                        \
struct has_member_enum_##enum_name<                         \
    T                                                       \
    , std::integral_constant<                               \
        bool                                                \
        , std::is_enum<                                     \
            typename got_type<typename T::enum_name>::type  \
        >::value                                            \
    >                                                       \
> : std::true_type {}

CREATE_MEMBER_FUNC_CHECK :

//Check for function with given name, any signature.
#define CREATE_MEMBER_FUNC_CHECK(func)          \
template<typename T>                            \
struct has_member_func_##func {                 \
    static const bool value                     \
        = has_member_##func<T>::value           \
        && !has_member_var_##func<T>::value     \
        && !has_member_class_##func<T>::value   \
        && !has_member_union_##func<T>::value   \
        && !has_member_enum_##func<T>::value    \
    ;                                           \
}

CREATE_MEMBER_CHECKS :

//Create all the checks for one member.  Does NOT include func sig checks.
#define CREATE_MEMBER_CHECKS(member)    \
CREATE_MEMBER_CHECK(member);            \
CREATE_MEMBER_VAR_CHECK(member);        \
CREATE_MEMBER_CLASS_CHECK(member);      \
CREATE_MEMBER_UNION_CHECK(member);      \
CREATE_MEMBER_ENUM_CHECK(member);       \
CREATE_MEMBER_FUNC_CHECK(member)

"만약 X를한다면 컴파일 하시겠습니까?"라는 일반적인 문제에 대한 C ++ 11 솔루션입니다.

template<class> struct type_sink { typedef void type; }; // consumes a type, and makes it `void`
template<class T> using type_sink_t = typename type_sink<T>::type;
template<class T, class=void> struct has_to_string : std::false_type {}; \
template<class T> struct has_to_string<
  T,
  type_sink_t< decltype( std::declval<T>().toString() ) >
>: std::true_type {};

형질 has_to_string되도록 has_to_string<T>::valuetrue경우에만, T방법 갖는 .toString이러한 상황에서 0 인자로 호출 될 수있다.

다음으로 태그 디스패치를 ​​사용합니다.

namespace details {
  template<class T>
  std::string optionalToString_helper(T* obj, std::true_type /*has_to_string*/) {
    return obj->toString();
  }
  template<class T>
  std::string optionalToString_helper(T* obj, std::false_type /*has_to_string*/) {
    return "toString not defined";
  }
}
template<class T>
std::string optionalToString(T* obj) {
  return details::optionalToString_helper( obj, has_to_string<T>{} );
}

복잡한 SFINAE 표현보다 유지 관리가 쉬운 경향이 있습니다.

이러한 특성을 많이 사용하면 매크로로 이러한 특성을 작성할 수 있지만 상대적으로 단순하므로 (각각 몇 줄씩) 가치가 없습니다.

#define MAKE_CODE_TRAIT( TRAIT_NAME, ... ) \
template<class T, class=void> struct TRAIT_NAME : std::false_type {}; \
template<class T> struct TRAIT_NAME< T, type_sink_t< decltype( __VA_ARGS__ ) > >: std::true_type {};

위의 작업은 매크로를 만드는 것 MAKE_CODE_TRAIT입니다. 원하는 특성의 이름과 type을 테스트 할 수있는 코드를 전달합니다 T. 그러므로:

MAKE_CODE_TRAIT( has_to_string, std::declval<T>().toString() )

위의 특성 클래스를 만듭니다.

따로, 위의 기술은 MS가 "표현 SFINAE"라고 부르는 것의 일부이며, 2013 년 컴파일러는 상당히 실패합니다.

C ++ 1y에서는 다음과 같은 구문이 가능합니다.

template<class T>
std::string optionalToString(T* obj) {
  return compiled_if< has_to_string >(*obj, [&](auto&& obj) {
    return obj.toString();
  }) *compiled_else ([&]{ 
    return "toString not defined";
  });
}

많은 C ++ 기능을 악용하는 인라인 컴파일 조건부 분기입니다. 코드 인라인의 이점은 비용이 가치가 없지만 (어떻게 작동하는지 이해하지 못하는 사람) 옆에는 가치가 없지만 위의 솔루션의 존재는 흥미로울 수 있기 때문에 그렇게 할 가치가 없습니다.


이제 이것은 멋진 작은 퍼즐 이었습니다 -좋은 질문입니다!

다음은 비표준 연산자 에 의존하지 않는 Nicola Bonelli 솔루션의 대안 typeof입니다.

불행히도 GCC (MinGW) 3.4.5 또는 Digital Mars 8.42n에서는 작동하지 않지만 모든 버전의 MSVC (VC6 포함) 및 Comeau C ++에서는 작동합니다.

더 긴 주석 블록에는 작동 방식 (또는 작동 예정)에 대한 세부 정보가 있습니다. 그것이 말하듯이, 어떤 행동이 표준을 준수하는지 잘 모르겠습니다. 이에 대한 논평을 환영합니다.


업데이트-2008 년 11 월 7 일 :

이 코드는 문법적으로 정확하지만, 행동이 MSVC와 꼬모 C ++ 쇼 (덕분에 표준 따르지 않는 것 같습니다 레온 Timmermanslitb을 올바른 방향으로 날을 가리키는 경우). C ++ 03 표준은 다음과 같이 말합니다.

14.6.2 종속 이름 [temp.dep]

단락 3

클래스 템플릿 또는 클래스 템플릿의 멤버 정의에서 클래스 템플릿의 기본 클래스가 템플릿 매개 변수에 의존하는 경우 클래스의 정의 시점에서 정규화되지 않은 이름을 찾는 동안 기본 클래스 범위가 검사되지 않습니다. 템플릿 또는 멤버 또는 클래스 템플릿 또는 멤버의 인스턴스화 중.

따라서 MSVC 또는 Comeau 가 템플릿을 인스턴스화 할 때 콜 사이트에서 이름 조회를 수행 하는 toString()멤버 기능을 고려하면 잘못된 것입니다 (실제로이 경우 내가 찾은 동작 임에도 불구하고).TdoToString()

GCC와 Digital Mars의 동작은 올바른 것으로 보입니다. 두 경우 모두 비 멤버 toString()함수가 호출에 바인딩됩니다.

쥐-나는 영리한 해결책을 찾았을 것이라고 생각했지만 대신 몇 가지 컴파일러 버그를 발견했습니다 ...


#include <iostream>
#include <string>

struct Hello
{
    std::string toString() {
        return "Hello";
    }
};

struct Generic {};


// the following namespace keeps the toString() method out of
//  most everything - except the other stuff in this
//  compilation unit

namespace {
    std::string toString()
    {
        return "toString not defined";
    }

    template <typename T>
    class optionalToStringImpl : public T
    {
    public:
        std::string doToString() {

            // in theory, the name lookup for this call to 
            //  toString() should find the toString() in 
            //  the base class T if one exists, but if one 
            //  doesn't exist in the base class, it'll 
            //  find the free toString() function in 
            //  the private namespace.
            //
            // This theory works for MSVC (all versions
            //  from VC6 to VC9) and Comeau C++, but
            //  does not work with MinGW 3.4.5 or 
            //  Digital Mars 8.42n
            //
            // I'm honestly not sure what the standard says 
            //  is the correct behavior here - it's sort 
            //  of like ADL (Argument Dependent Lookup - 
            //  also known as Koenig Lookup) but without
            //  arguments (except the implied "this" pointer)

            return toString();
        }
    };
}

template <typename T>
std::string optionalToString(T & obj)
{
    // ugly, hacky cast...
    optionalToStringImpl<T>* temp = reinterpret_cast<optionalToStringImpl<T>*>( &obj);

    return temp->doToString();
}



int
main(int argc, char *argv[])
{
    Hello helloObj;
    Generic genericObj;

    std::cout << optionalToString( helloObj) << std::endl;
    std::cout << optionalToString( genericObj) << std::endl;
    return 0;
}

litb에서 제시 한 표준 C ++ 솔루션은 메소드가 기본 클래스에서 정의되면 예상대로 작동하지 않습니다.

이 상황을 처리하는 솔루션은 다음을 참조하십시오.

러시아어 : http://www.rsdn.ru/forum/message/2759773.1.aspx

Roman.Perepelitsa의 영어 번역 : http://groups.google.com/group/comp.lang.c++.moderated/tree/browse_frm/thread/4f7c7a96f9afbe44/c95a7b4c645e449f?pli=1

정말 영리합니다. 그러나이 솔루션의 한 가지 문제점은 테스트중인 유형이 기본 클래스 (예 : 기본 유형)로 사용할 수없는 유형 인 경우 컴파일러 오류를 발생시키는 것입니다.

Visual Studio에서 인수가없는 메소드로 작업하는 경우 인수 주위에 여분의 여분 () 쌍을 삽입하여 sizeof 표현식에서 deduce ()해야합니다.


MSVC에는 __if_exists 및 __if_not_exists 키워드 ( Doc )가 있습니다. Nicola의 SFINAE 접근 방식과 함께 OP와 같은 GCC 및 MSVC 검사를 만들 수있었습니다.

업데이트 : 소스는 여기 에서 찾을 수 있습니다


위의 솔루션과 달리 상속 된 멤버 함수를 확인하는 다른 스레드에서 이에 대한 답변을 작성했습니다.

상속 된 멤버 함수를 확인하기위한 SFINAE

해당 솔루션의 일부 예는 다음과 같습니다.

예 1 :

다음 서명이있는 회원을 확인 중입니다. T::const_iterator begin() const

template<class T> struct has_const_begin
{
    typedef char (&Yes)[1];
    typedef char (&No)[2];

    template<class U> 
    static Yes test(U const * data, 
                    typename std::enable_if<std::is_same<
                             typename U::const_iterator, 
                             decltype(data->begin())
                    >::value>::type * = 0);
    static No test(...);
    static const bool value = sizeof(Yes) == sizeof(has_const_begin::test((typename std::remove_reference<T>::type*)0));
};

메소드의 일관성을 확인하고 기본 유형에서도 작동합니다. ( has_const_begin<int>::value즉, 거짓이며 컴파일 타임 오류가 발생하지 않습니다.)

실시 예 2

이제 서명을 찾고 있습니다 : void foo(MyClass&, unsigned)

template<class T> struct has_foo
{
    typedef char (&Yes)[1];
    typedef char (&No)[2];

    template<class U>
    static Yes test(U * data, MyClass* arg1 = 0,
                    typename std::enable_if<std::is_void<
                             decltype(data->foo(*arg1, 1u))
                    >::value>::type * = 0);
    static No test(...);
    static const bool value = sizeof(Yes) == sizeof(has_foo::test((typename std::remove_reference<T>::type*)0));
};

MyClass가 기본적으로 구성 가능하거나 특별한 개념을 만족시킬 필요는 없습니다. 이 기술은 템플릿 멤버와도 작동합니다.

이에 대한 의견을 간절히 기다리고 있습니다.


https://stackoverflow.com/a/264088/2712152 에서 제공하는 솔루션을 좀 더 일반적인 것으로 수정했습니다. 또한 새로운 C ++ 11 기능을 사용하지 않기 때문에 이전 컴파일러에서 사용할 수 있으며 msvc에서도 작동해야합니다. 그러나 컴파일러는 가변형 매크로를 사용하므로 C99가이를 사용할 수 있도록해야합니다.

다음 매크로를 사용하여 특정 클래스에 특정 typedef가 있는지 여부를 확인할 수 있습니다.

/** 
 * @class      : HAS_TYPEDEF
 * @brief      : This macro will be used to check if a class has a particular
 * typedef or not.
 * @param typedef_name : Name of Typedef
 * @param name  : Name of struct which is going to be run the test for
 * the given particular typedef specified in typedef_name
 */
#define HAS_TYPEDEF(typedef_name, name)                           \
   template <typename T>                                          \
   struct name {                                                  \
      typedef char yes[1];                                        \
      typedef char no[2];                                         \
      template <typename U>                                       \
      struct type_check;                                          \
      template <typename _1>                                      \
      static yes& chk(type_check<typename _1::typedef_name>*);    \
      template <typename>                                         \
      static no& chk(...);                                        \
      static bool const value = sizeof(chk<T>(0)) == sizeof(yes); \
   }

다음 매크로를 사용하여 특정 클래스에 특정 멤버 함수가 있는지 또는 주어진 수의 인수가 없는지 여부를 확인할 수 있습니다.

/** 
 * @class      : HAS_MEM_FUNC
 * @brief      : This macro will be used to check if a class has a particular
 * member function implemented in the public section or not. 
 * @param func : Name of Member Function
 * @param name : Name of struct which is going to be run the test for
 * the given particular member function name specified in func
 * @param return_type: Return type of the member function
 * @param ellipsis(...) : Since this is macro should provide test case for every
 * possible member function we use variadic macros to cover all possibilities
 */
#define HAS_MEM_FUNC(func, name, return_type, ...)                \
   template <typename T>                                          \
   struct name {                                                  \
      typedef return_type (T::*Sign)(__VA_ARGS__);                \
      typedef char yes[1];                                        \
      typedef char no[2];                                         \
      template <typename U, U>                                    \
      struct type_check;                                          \
      template <typename _1>                                      \
      static yes& chk(type_check<Sign, &_1::func>*);              \
      template <typename>                                         \
      static no& chk(...);                                        \
      static bool const value = sizeof(chk<T>(0)) == sizeof(yes); \
   }

위의 두 매크로를 사용하여 has_typedef 및 has_mem_func에 대한 검사를 다음과 같이 수행 할 수 있습니다.

class A {
public:
  typedef int check;
  void check_function() {}
};

class B {
public:
  void hello(int a, double b) {}
  void hello() {}
};

HAS_MEM_FUNC(check_function, has_check_function, void, void);
HAS_MEM_FUNC(hello, hello_check, void, int, double);
HAS_MEM_FUNC(hello, hello_void_check, void, void);
HAS_TYPEDEF(check, has_typedef_check);

int main() {
  std::cout << "Check Function A:" << has_check_function<A>::value << std::endl;
  std::cout << "Check Function B:" << has_check_function<B>::value << std::endl;
  std::cout << "Hello Function A:" << hello_check<A>::value << std::endl;
  std::cout << "Hello Function B:" << hello_check<B>::value << std::endl;
  std::cout << "Hello void Function A:" << hello_void_check<A>::value << std::endl;
  std::cout << "Hello void Function B:" << hello_void_check<B>::value << std::endl;
  std::cout << "Check Typedef A:" << has_typedef_check<A>::value << std::endl;
  std::cout << "Check Typedef B:" << has_typedef_check<B>::value << std::endl;
}

Has_foo개념 점검 을 작성하여 SFINAE 및 템플리트 부분 특수화를 사용하는 예 :

#include <type_traits>
struct A{};

struct B{ int foo(int a, int b);};

struct C{void foo(int a, int b);};

struct D{int foo();};

struct E: public B{};

// available in C++17 onwards as part of <type_traits>
template<typename...>
using void_t = void;

template<typename T, typename = void> struct Has_foo: std::false_type{};

template<typename T> 
struct Has_foo<T, void_t<
    std::enable_if_t<
        std::is_same<
            int, 
            decltype(std::declval<T>().foo((int)0, (int)0))
        >::value
    >
>>: std::true_type{};


static_assert(not Has_foo<A>::value, "A does not have a foo");
static_assert(Has_foo<B>::value, "B has a foo");
static_assert(not Has_foo<C>::value, "C has a foo with the wrong return. ");
static_assert(not Has_foo<D>::value, "D has a foo with the wrong arguments. ");
static_assert(Has_foo<E>::value, "E has a foo since it inherits from B");

이상한 사람은 내가이 사이트에서 한 번 본 다음의 멋진 트릭을 제안하지 않았습니다.

template <class T>
struct has_foo
{
    struct S { void foo(...); };
    struct derived : S, T {};

    template <typename V, V> struct W {};

    template <typename X>
    char (&test(W<void (X::*)(), &X::foo> *))[1];

    template <typename>
    char (&test(...))[2];

    static const bool value = sizeof(test<derived>(0)) == 1;
};

T가 클래스인지 확인해야합니다. foo 조회의 모호성은 대체 실패 인 것으로 보입니다. 나는 그것이 표준인지 확실하지 않은 gcc에서 작동하게했다.


유형에 따라 일부 "기능"이 지원되는지 확인하는 데 사용할 수있는 일반 템플리트 :

#include <type_traits>

template <template <typename> class TypeChecker, typename Type>
struct is_supported
{
    // these structs are used to recognize which version
    // of the two functions was chosen during overload resolution
    struct supported {};
    struct not_supported {};

    // this overload of chk will be ignored by SFINAE principle
    // if TypeChecker<Type_> is invalid type
    template <typename Type_>
    static supported chk(typename std::decay<TypeChecker<Type_>>::type *);

    // ellipsis has the lowest conversion rank, so this overload will be
    // chosen during overload resolution only if the template overload above is ignored
    template <typename Type_>
    static not_supported chk(...);

    // if the template overload of chk is chosen during
    // overload resolution then the feature is supported
    // if the ellipses overload is chosen the the feature is not supported
    static constexpr bool value = std::is_same<decltype(chk<Type>(nullptr)),supported>::value;
};

foo서명과 호환 되는 메소드가 있는지 확인하는 템플리트double(const char*)

// if T doesn't have foo method with the signature that allows to compile the bellow
// expression then instantiating this template is Substitution Failure (SF)
// which Is Not An Error (INAE) if this happens during overload resolution
template <typename T>
using has_foo = decltype(double(std::declval<T>().foo(std::declval<const char*>())));

// types that support has_foo
struct struct1 { double foo(const char*); };            // exact signature match
struct struct2 { int    foo(const std::string &str); }; // compatible signature
struct struct3 { float  foo(...); };                    // compatible ellipsis signature
struct struct4 { template <typename T>
                 int    foo(T t); };                    // compatible template signature

// types that do not support has_foo
struct struct5 { void        foo(const char*); }; // returns void
struct struct6 { std::string foo(const char*); }; // std::string can't be converted to double
struct struct7 { double      foo(      int *); }; // const char* can't be converted to int*
struct struct8 { double      bar(const char*); }; // there is no foo method

int main()
{
    std::cout << std::boolalpha;

    std::cout << is_supported<has_foo, int    >::value << std::endl; // false
    std::cout << is_supported<has_foo, double >::value << std::endl; // false

    std::cout << is_supported<has_foo, struct1>::value << std::endl; // true
    std::cout << is_supported<has_foo, struct2>::value << std::endl; // true
    std::cout << is_supported<has_foo, struct3>::value << std::endl; // true
    std::cout << is_supported<has_foo, struct4>::value << std::endl; // true

    std::cout << is_supported<has_foo, struct5>::value << std::endl; // false
    std::cout << is_supported<has_foo, struct6>::value << std::endl; // false
    std::cout << is_supported<has_foo, struct7>::value << std::endl; // false
    std::cout << is_supported<has_foo, struct8>::value << std::endl; // false

    return 0;
}

http://coliru.stacked-crooked.com/a/83c6a631ed42cea4


여기에는 많은 답변이 있지만 최신 c ++ 기능 (c ++ 98 기능 만 사용)을 사용하지 않고 실제 메서드 확인 순서 를 수행하는 버전을 찾지 못했습니다 .
참고 :이 버전은 vc ++ 2013, g ++ 5.2.0 및 온라인 컴파일러에서 테스트되어 작동합니다.

그래서 sizeof () 만 사용하는 버전을 생각해 냈습니다.

template<typename T> T declval(void);

struct fake_void { };
template<typename T> T &operator,(T &,fake_void);
template<typename T> T const &operator,(T const &,fake_void);
template<typename T> T volatile &operator,(T volatile &,fake_void);
template<typename T> T const volatile &operator,(T const volatile &,fake_void);

struct yes { char v[1]; };
struct no  { char v[2]; };
template<bool> struct yes_no:yes{};
template<> struct yes_no<false>:no{};

template<typename T>
struct has_awesome_member {
 template<typename U> static yes_no<(sizeof((
   declval<U>().awesome_member(),fake_void()
  ))!=0)> check(int);
 template<typename> static no check(...);
 enum{value=sizeof(check<T>(0)) == sizeof(yes)};
};


struct foo { int awesome_member(void); };
struct bar { };
struct foo_void { void awesome_member(void); };
struct wrong_params { void awesome_member(int); };

static_assert(has_awesome_member<foo>::value,"");
static_assert(!has_awesome_member<bar>::value,"");
static_assert(has_awesome_member<foo_void>::value,"");
static_assert(!has_awesome_member<wrong_params>::value,"");

라이브 데모 (확장 된 리턴 유형 확인 및 vc ++ 2010 해결 방법 포함) : http://cpp.sh/5b2vs

내가 직접 생각해 낸 소스는 없습니다.

g ++ 컴파일러에서 라이브 데모를 실행할 때 배열 크기 0이 허용됩니다. 이는 사용 된 static_assert가 실패하더라도 컴파일러 오류를 트리거하지 않음을 의미합니다.
일반적으로 사용되는 해결 방법은 매크로의 'typedef'를 'extern'으로 바꾸는 것입니다.


이 솔루션은 어떻습니까?

#include <type_traits>

template <typename U, typename = void> struct hasToString : std::false_type { };

template <typename U>
struct hasToString<U,
  typename std::enable_if<bool(sizeof(&U::toString))>::type
> : std::true_type { };

다음은 템플릿 멤버 함수를 포함하여 기본 인수가있는 임의의 arity로 가능한 모든 멤버 함수 오버로드를 처리하는 내 버전입니다. 주어진 arg 유형으로 멤버 함수 호출시 (1) 유효하거나 (2) 모호하거나 (3) 실행 불가능한 3 가지 상호 배타적 시나리오를 구분합니다. 사용법 예 :

#include <string>
#include <vector>

HAS_MEM(bar)
HAS_MEM_FUN_CALL(bar)

struct test
{
   void bar(int);
   void bar(double);
   void bar(int,double);

   template < typename T >
   typename std::enable_if< not std::is_integral<T>::value >::type
   bar(const T&, int=0){}

   template < typename T >
   typename std::enable_if< std::is_integral<T>::value >::type
   bar(const std::vector<T>&, T*){}

   template < typename T >
   int bar(const std::string&, int){}
};

이제 다음과 같이 사용할 수 있습니다.

int main(int argc, const char * argv[])
{
   static_assert( has_mem_bar<test>::value , "");

   static_assert( has_valid_mem_fun_call_bar<test(char const*,long)>::value , "");
   static_assert( has_valid_mem_fun_call_bar<test(std::string&,long)>::value , "");

   static_assert( has_valid_mem_fun_call_bar<test(std::vector<int>, int*)>::value , "");
   static_assert( has_no_viable_mem_fun_call_bar<test(std::vector<double>, double*)>::value , "");

   static_assert( has_valid_mem_fun_call_bar<test(int)>::value , "");
   static_assert( std::is_same<void,result_of_mem_fun_call_bar<test(int)>::type>::value , "");

   static_assert( has_valid_mem_fun_call_bar<test(int,double)>::value , "");
   static_assert( not has_valid_mem_fun_call_bar<test(int,double,int)>::value , "");

   static_assert( not has_ambiguous_mem_fun_call_bar<test(double)>::value , "");
   static_assert( has_ambiguous_mem_fun_call_bar<test(unsigned)>::value , "");

   static_assert( has_viable_mem_fun_call_bar<test(unsigned)>::value , "");
   static_assert( has_viable_mem_fun_call_bar<test(int)>::value , "");

   static_assert( has_no_viable_mem_fun_call_bar<test(void)>::value , "");

   return 0;
}

다음은 c ++ 11로 작성된 코드이지만, 약간의 조정을 통해 확장명이있는 비 c ++ 11 (예 : gcc)로 쉽게 이식 할 수 있습니다. HAS_MEM 매크로를 자신의 것으로 바꿀 수 있습니다.

#pragma once

#if __cplusplus >= 201103

#include <utility>
#include <type_traits>

#define HAS_MEM(mem)                                                                                     \
                                                                                                     \
template < typename T >                                                                               \
struct has_mem_##mem                                                                                  \
{                                                                                                     \
  struct yes {};                                                                                     \
  struct no  {};                                                                                     \
                                                                                                     \
  struct ambiguate_seed { char mem; };                                                               \
  template < typename U > struct ambiguate : U, ambiguate_seed {};                                   \
                                                                                                     \
  template < typename U, typename = decltype(&U::mem) > static constexpr no  test(int);              \
  template < typename                                 > static constexpr yes test(...);              \
                                                                                                     \
  static bool constexpr value = std::is_same<decltype(test< ambiguate<T> >(0)),yes>::value ;         \
  typedef std::integral_constant<bool,value>    type;                                                \
};


#define HAS_MEM_FUN_CALL(memfun)                                                                         \
                                                                                                     \
template < typename Signature >                                                                       \
struct has_valid_mem_fun_call_##memfun;                                                               \
                                                                                                     \
template < typename T, typename... Args >                                                             \
struct has_valid_mem_fun_call_##memfun< T(Args...) >                                                  \
{                                                                                                     \
  struct yes {};                                                                                     \
  struct no  {};                                                                                     \
                                                                                                     \
  template < typename U, bool = has_mem_##memfun<U>::value >                                         \
  struct impl                                                                                        \
  {                                                                                                  \
     template < typename V, typename = decltype(std::declval<V>().memfun(std::declval<Args>()...)) > \
     struct test_result { using type = yes; };                                                       \
                                                                                                     \
     template < typename V > static constexpr typename test_result<V>::type test(int);               \
     template < typename   > static constexpr                            no test(...);               \
                                                                                                     \
     static constexpr bool value = std::is_same<decltype(test<U>(0)),yes>::value;                    \
     using type = std::integral_constant<bool, value>;                                               \
  };                                                                                                 \
                                                                                                     \
  template < typename U >                                                                            \
  struct impl<U,false> : std::false_type {};                                                         \
                                                                                                     \
  static constexpr bool value = impl<T>::value;                                                      \
  using type = std::integral_constant<bool, value>;                                                  \
};                                                                                                    \
                                                                                                     \
template < typename Signature >                                                                       \
struct has_ambiguous_mem_fun_call_##memfun;                                                           \
                                                                                                     \
template < typename T, typename... Args >                                                             \
struct has_ambiguous_mem_fun_call_##memfun< T(Args...) >                                              \
{                                                                                                     \
  struct ambiguate_seed { void memfun(...); };                                                       \
                                                                                                     \
  template < class U, bool = has_mem_##memfun<U>::value >                                            \
  struct ambiguate : U, ambiguate_seed                                                               \
  {                                                                                                  \
    using ambiguate_seed::memfun;                                                                    \
    using U::memfun;                                                                                 \
  };                                                                                                 \
                                                                                                     \
  template < class U >                                                                               \
  struct ambiguate<U,false> : ambiguate_seed {};                                                     \
                                                                                                     \
  static constexpr bool value = not has_valid_mem_fun_call_##memfun< ambiguate<T>(Args...) >::value; \
  using type = std::integral_constant<bool, value>;                                                  \
};                                                                                                    \
                                                                                                     \
template < typename Signature >                                                                       \
struct has_viable_mem_fun_call_##memfun;                                                              \
                                                                                                     \
template < typename T, typename... Args >                                                             \
struct has_viable_mem_fun_call_##memfun< T(Args...) >                                                 \
{                                                                                                     \
  static constexpr bool value = has_valid_mem_fun_call_##memfun<T(Args...)>::value                   \
                             or has_ambiguous_mem_fun_call_##memfun<T(Args...)>::value;              \
  using type = std::integral_constant<bool, value>;                                                  \
};                                                                                                    \
                                                                                                     \
template < typename Signature >                                                                       \
struct has_no_viable_mem_fun_call_##memfun;                                                           \
                                                                                                     \
template < typename T, typename... Args >                                                             \
struct has_no_viable_mem_fun_call_##memfun < T(Args...) >                                             \
{                                                                                                     \
  static constexpr bool value = not has_viable_mem_fun_call_##memfun<T(Args...)>::value;             \
  using type = std::integral_constant<bool, value>;                                                  \
};                                                                                                    \
                                                                                                     \
template < typename Signature >                                                                       \
struct result_of_mem_fun_call_##memfun;                                                               \
                                                                                                     \
template < typename T, typename... Args >                                                             \
struct result_of_mem_fun_call_##memfun< T(Args...) >                                                  \
{                                                                                                     \
  using type = decltype(std::declval<T>().memfun(std::declval<Args>()...));                          \
};

#endif


C ++ 14의 모든 메타 프로그래밍을 건너 뛸 수 있으며 Fit 라이브러리 fit::conditional에서 다음을 사용하여 작성할 수 있습니다.

template<class T>
std::string optionalToString(T* x)
{
    return fit::conditional(
        [](auto* obj) -> decltype(obj->toString()) { return obj->toString(); },
        [](auto*) { return "toString not defined"; }
    )(x);
}

람다에서 직접 함수를 만들 수도 있습니다.

FIT_STATIC_LAMBDA_FUNCTION(optionalToString) = fit::conditional(
    [](auto* obj) -> decltype(obj->toString(), std::string()) { return obj->toString(); },
    [](auto*) -> std::string { return "toString not defined"; }
);

그러나 일반 람다를 지원하지 않는 컴파일러를 사용하는 경우 별도의 함수 객체를 작성해야합니다.

struct withToString
{
    template<class T>
    auto operator()(T* obj) const -> decltype(obj->toString(), std::string())
    {
        return obj->toString();
    }
};

struct withoutToString
{
    template<class T>
    std::string operator()(T*) const
    {
        return "toString not defined";
    }
};

FIT_STATIC_FUNCTION(optionalToString) = fit::conditional(
    withToString(),
    withoutToString()
);

다음은 작업 코드의 예입니다.

template<typename T>
using toStringFn = decltype(std::declval<const T>().toString());

template <class T, toStringFn<T>* = nullptr>
std::string optionalToString(const T* obj, int)
{
    return obj->toString();
}

template <class T>
std::string optionalToString(const T* obj, long)
{
    return "toString not defined";
}

int main()
{
    A* a;
    B* b;

    std::cout << optionalToString(a, 0) << std::endl; // This is A
    std::cout << optionalToString(b, 0) << std::endl; // toString not defined
}

toStringFn<T>* = nullptr호출 할 때받는 int함수보다 우선 순위가있는 추가 인수를받는 함수를 활성화합니다 .long0

true함수가 구현되면 반환 하는 함수에 대해 동일한 원칙을 사용할 수 있습니다 .

template <typename T>
constexpr bool toStringExists(long)
{
    return false;
}

template <typename T, toStringFn<T>* = nullptr>
constexpr bool toStringExists(int)
{
    return true;
}


int main()
{
    A* a;
    B* b;

    std::cout << toStringExists<A>(0) << std::endl; // true
    std::cout << toStringExists<B>(0) << std::endl; // false
}

비슷한 문제가있었습니다.

소수의 기본 클래스에서 파생 될 수있는 템플릿 클래스로, 일부는 특정 멤버가 있고 다른 클래스는 그렇지 않습니다.

나는 "typeof"(Nicola Bonelli 's) 답변과 비슷하게 해결했지만 decltype을 사용하여 MSVS에서 올바르게 컴파일되고 실행됩니다.

#include <iostream>
#include <string>

struct Generic {};    
struct HasMember 
{
  HasMember() : _a(1) {};
  int _a;
};    

// SFINAE test
template <typename T>
class S : public T
{
public:
  std::string foo (std::string b)
  {
    return foo2<T>(b,0);
  }

protected:
  template <typename T> std::string foo2 (std::string b, decltype (T::_a))
  {
    return b + std::to_string(T::_a);
  }
  template <typename T> std::string foo2 (std::string b, ...)
  {
    return b + "No";
  }
};

int main(int argc, char *argv[])
{
  S<HasMember> d1;
  S<Generic> d2;

  std::cout << d1.foo("HasMember: ") << std::endl;
  std::cout << d2.foo("Generic: ") << std::endl;
  return 0;
}

template<class T>
auto optionalToString(T* obj)
->decltype( obj->toString(), std::string() )
{
     return obj->toString();
}

template<class T>
auto optionalToString(T* obj)
->decltype( std::string() )
{
     throw "Error!";
}

참고 URL : https://stackoverflow.com/questions/257288/is-it-possible-to-write-a-template-to-check-for-a-functions-existence



반응형