0

我创建了一个名为的自定义 rxcpp 运算符validateImplementation,它应该简单地采用通用的可观察流,对 进行一些验证,SimpleInterface然后根据特定条件继续或结束流(在我的情况下,条件whatsMyId

https://github.com/cipriancaba/rxcpp-examples/blob/master/src/SimpleOperators.cpp

template <class T> function<observable<T>(observable<T>)> SimpleOperators::validateImplementation(SimpleInterface component) {
  return [&](observable<T> $str) {
    return $str |
           filter([&](const T item) {
             if (component.whatsMyId() == "1") {
               return true;
             } else {
               return false;
             }
            }
           );
  };
}

但是,当尝试使用 中的validateImplementation方法时main.cpp,出现以下错误:

no matching member function for call to 'validateImplementation'

note: candidate template ignored: couldn't infer template argument 'T'

你能帮我理解我做错了什么吗?

4

1 回答 1

1

在 C++ 中,必须完全解析类型才能使用函数。此外,模板参数只能从参数推断,不能从返回类型推断。最后,带有模板参数的函数的定义在被调用(在头文件中)或为每个支持的类型(在 cpp 中)显式实例化时必须是可见的。

在这种情况下,我会避免显式实例化。这意味着有两种选择。

删除模板参数

function<observable<string>(observable<string>)> validateImplementation(SimpleInterface component);

将定义从 cpp 移动到标头并将 main.cpp 更改为明确的类型,因为它无法推断。

o->validateImplementation<string>(s1) |
于 2017-01-27T16:12:42.347 回答