web-dev-qa-db-ja.com

C ++チェックステートメントが評価できるかどうかconstexpr

Constexprを評価できるかどうかを判断し、その結果をconstexprブール値として使用する方法はありますか?私の簡単な使用例は次のとおりです。

template <typename base>
class derived
{
    template<size_t size>
    void do_stuff() { (...) }

    void do_stuff(size_t size) { (...) }
public:
    void execute()
    {
        if constexpr(is_constexpr(base::get_data())
        {
            do_stuff<base::get_data()>();
        }
        else
        {
            do_stuff(base::get_data());
        }
    }
}

私のターゲットはC++ 2aです。

次のredditスレッドを見つけましたが、私はマクロの大ファンではありません。 https://www.reddit.com/r/cpp/comments/7c208c/is_constexpr_a_macro_that_check_if_an_expression/

25
Aart Stuurman

より一般的な別のソリューションを次に示します(毎回個別のテンプレートを定義せずに、任意の式に適用できます)。

このソリューションは、(1)C++ 17の時点でラムダ式をconstexprにすることができることを活用しています(2)キャプチャレスラムダのタイプは、C++ 20以降デフォルトで構築可能です。

つまり、trueを返すオーバーロードは、Lambda{}()がテンプレート引数内に出現できる場合にのみ選択され、ラムダ呼び出しが定数式である必要があるということです。

template<class Lambda, int=(Lambda{}(), 0)>
constexpr bool is_constexpr(Lambda) { return true; }
constexpr bool is_constexpr(...) { return false; }

template <typename base>
class derived
{
    // ...

    void execute()
    {
        if constexpr(is_constexpr([]{ base::get_data(); }))
            do_stuff<base::get_data()>();
        else
            do_stuff(base::get_data());
    }
}
24
cpplearner

正確にはあなたが尋ねたものではありません(私はget_value()静的メソッドに固有のカスタムタイプトレイトを開発しています...多分それを一般化することは可能ですが、現時点では方法がわかりません)。 SFINAEを使用して次のように作成できると仮定します

#include <iostream>
#include <type_traits>

template <typename T>
constexpr auto icee_helper (int)
   -> decltype( std::integral_constant<decltype(T::get_data()), T::get_data()>{},
                std::true_type{} );

template <typename>
constexpr auto icee_helper (long)
   -> std::false_type;

template <typename T>
using isConstExprEval = decltype(icee_helper<T>(0));

template <typename base>
struct derived
 {
   template <std::size_t I>
   void do_stuff()
    { std::cout << "constexpr case (" << I << ')' << std::endl; }

   void do_stuff (std::size_t i)
    { std::cout << "not constexpr case (" << i << ')' << std::endl; }

   void execute ()
    {
      if constexpr ( isConstExprEval<base>::value )
         do_stuff<base::get_data()>();
      else
         do_stuff(base::get_data());
    }
 };

struct foo
 { static constexpr std::size_t get_data () { return 1u; } };

struct bar
 { static std::size_t get_data () { return 2u; } };

int main ()
 { 
   derived<foo>{}.execute(); // print "constexpr case (1)"
   derived<bar>{}.execute(); // print "not constexpr case (2)"
 }
12
max66
template<auto> struct require_constant;
template<class T>
concept has_constexpr_data = requires { typename require_constant<T::get_data()>; };

これは基本的に std::ranges::split_view

7
cpplearner