我在调用专用模板函数时遇到问题。
我的代码是这样的:
namespace{
struct Y {};
}
template<>
bool pcl::visualization::PCLVisualizer::addPointCloud<Y>(const typename pcl::PointCloud< Y >::ConstPtr &cloud, const std::string &id, int viewport);
,主叫地点是:
pcl::PointCloud<Y>::Ptr cloud(new pcl::PointCloud<Y>);
visualizer->addPointCloud(cloud, "cloud", 0);
我得到的错误是
'bool pcl::visualization::PCLVisualizer::addPointCloud(const boost::shared_ptr<T> &,const std::string &,int)' : cannot convert parameter 1 from 'boost::shared_ptr<T>' to 'const boost::shared_ptr<T> &'
以下是库中的一些声明和typedef:
typedef boost::shared_ptr<PointCloud<PointT> > Ptr;
typedef boost::shared_ptr<const PointCloud<PointT> > ConstPtr;
template <typename PointT> bool pcl::visualization::PCLVisualizer::addPointCloud(
const typename pcl::PointCloud<PointT>::ConstPtr &cloud,
const std::string &id, int viewport
)
我尝试使用boost::shared_ptr<const pcl::PointCloud<Y> > cloud;
,但同样的错误再次上升。
我正在拼命尝试调试库中的一个问题,如果我可以访问一个私有映射并且遍历它,那么调试将非常容易,但我无法编译整个库,因为它需要一些时间(而我只是想偷看它 - 我知道这是错的,但我一整天都在苦苦挣扎)
编译器是VC ++ 10.
谢谢
答案 0 :(得分:2)
显然T
在错误消息中出现的次数不同。
具体来说,由于您的标头使用ConstPtr
且您的来电代码使用Ptr
,我怀疑其中一个是shared_ptr<Object>
而另一个是shared_ptr<const Object>
。然后出现错误,因为这些类型不相关。
答案 1 :(得分:0)
#include <string>
#include <memory>
namespace{
struct Y {};
}
template<typename T>
struct PointCloud {
typedef std::shared_ptr<PointCloud<T>> Ptr;
typedef std::shared_ptr<const PointCloud<T>> ConstPtr;
};
template<typename T>
void addPointCloud(typename PointCloud<T>::ConstPtr const &cloud) {}
int main() {
PointCloud<Y>::Ptr cloud(new PointCloud<Y>());
addPointCloud<Y>( cloud );
}
上面的代码运行正常。因此,无论您遇到什么问题,都不在您向我们展示的代码中。
答案 2 :(得分:0)
首先,谢谢大家在这个问题上回答我。 Ben Voigt帮我指导我查看模板参数,而不是实际的类型转换错误消息,以及Yakk用于编写代码。
与此同时,我试图将我的代码分解为一个简单的函数,这次为我生成了不同的错误!
#include <iostream>
#include <memory>
template<typename PointT>
class PointCloud
{
public:
typedef std::shared_ptr<PointCloud<PointT> > Ptr;
typedef std::shared_ptr<const PointCloud<PointT> > ConstPtr;
};
class PCLVisualizer
{
public:
template<typename PointT>
bool addPointCloud(
const typename PointCloud<PointT>::ConstPtr &cloud,
const std::string &id, int viewport
){}
};
namespace{
struct Y {};
}
template<>
bool PCLVisualizer::addPointCloud<Y>(const typename PointCloud< Y >::ConstPtr &cloud, const std::string &id, int viewport)
{
return true;
}
int main()
{
PCLVisualizer p;
PointCloud<Y>::Ptr cloud(new PointCloud<Y>());
p.addPointCloud(cloud, "cloud", 0);
}
现在错误是:
error C2783: 'bool PCLVisualizer::addPointCloud(const PointCloud<PointT>::ConstPtr &,const std::string &,int)' : could not deduce template argument for 'PointT'
所以,我现在看到了我最初需要做的事情(而且我要自己开枪,因为我现在感觉不是很聪明:)):
getVisualizer()->addPointCloud<Y>(cloud, "cloud", 0);
再次,谢谢大家!