1

C++ Actor Framework によって提供される例の 1 つからわずかに変更された次のコードで、コンパイラ エラーが発生します。エラーの説明は次のとおりです。

'void caf::intrusive_ptr_release(caf::ref_counted *)': cannot convert argument 1 from 'caf::typed_actor<caf::typed_mpi<caf::detail::type_list<plus_atom,int,int>,caf::detail::type_list<result_atom,int>,caf::detail::empty_type_list>,caf::typed_mpi<caf::detail::type_list<minus_atom,int,int>,caf::detail::type_list<result_atom,int>,caf::detail::empty_type_list>> ' to 'caf::ref_counted *'   include\caf\intrusive_ptr.hpp   70

ソース コードは次のとおりです (これも、C++ Actor Framework の例を変更したものです)。

#include "caf/all.hpp"

using namespace caf;

using plus_atom = atom_constant<atom("plus")>;
using minus_atom = atom_constant<atom("minus")>;
using result_atom = atom_constant<atom("result")>;

using calculator_type = typed_actor<replies_to<plus_atom, int, int>::with<result_atom, int>,
                                    replies_to<minus_atom, int, int>::with<result_atom, int>>;

calculator_type::behavior_type typed_calculator(calculator_type::pointer)
{
    return
    {
        [](plus_atom, int x, int y)
        {
            return std::make_tuple(result_atom::value, x + y);
        },
        [](minus_atom, int x, int y)
        {
            return std::make_tuple(result_atom::value, x - y);
        }
    };
}

int main()
{
    spawn_typed<calculator_type>(typed_calculator);
    shutdown();
}
4

1 に答える 1

0

テンプレート化された spawn_typed 呼び出しを使用するには、次の例のように実装クラスを参照する必要があります。

#include "caf/all.hpp"

using namespace caf;

using plus_atom = atom_constant<atom("plus")>;
using minus_atom = atom_constant<atom("minus")>;
using result_atom = atom_constant<atom("result")>;

using calculator_type = typed_actor<replies_to<plus_atom, int, int>::with<result_atom, int>,
                                    replies_to<minus_atom, int, int>::with<result_atom, int>>;

class typed_calculator_class : public calculator_type::base
{
protected:
    behavior_type make_behavior() override
    {
        return
        {
            [](plus_atom, int x, int y)
            {
                return std::make_tuple(result_atom::value, x + y);
            },
            [](minus_atom, int x, int y)
            {
                return std::make_tuple(result_atom::value, x - y);
            }
        };
    }
};

int main()
{
    spawn_typed<typed_calculator_class>();
    shutdown();
}

または、非クラス ベースの型付きアクターを使用するには、元のコードからテンプレート引数を省略します。

spawn_typed(typed_calculator);
于 2015-11-10T16:02:55.663 に答える