如何在不增加对库的依赖的情况下增加与库结构的兼容性?

时间:2018-07-12 14:52:39

标签: c++ dependencies shared-libraries multiple-definition-error

我目前正在编写一个库,有时会与OpenCV一起使用。因为OpenCV定义了在我的库将要使用的某些上下文中常用的Point_类,所以我想添加将Point_s作为参数传递给某些函数的选项。也就是说,OpenCV是一个非常繁重的库,我非常希望不要仅仅依靠它来访问它的Point_类。

定义我自己的Point_相同的Point_类会导致预期的多定义错误。

我考虑过使用预处理器宏来检查是否已经包含了包含Point_的OpenCV标头,并且仅在未包含它的情况下才对其进行定义,但是我担心如果首先包含我的库标头,则该多重定义错误将会返回,这将使我的图书馆难以供我以外的任何人使用。

是否有一种方法可以提供仅在其他地方没有定义时才使用的定义,和/或在其他地方确实没有定义时被覆盖?

2 个答案:

答案 0 :(得分:3)

您可以做的是根据您的点类定义您的库,并可以选择为OpenCV库生成转换类型(如果存在)。像这样:

#ifdef HAVE_OPENCV
#include <opencv2/opencv.hpp>
#endif

struct my_point
{
    double x;
    double y;

#ifdef HAVE_OPENCV
    my_point(cv::Point2d p): x(p.x), y(p.y) {}

    operator cv::Point2d() const { return {x, y}; }
#endif
};

my_point my_function(my_point p)
{
    return p;
}

int main()
{
    cv::Point2d p;

    // automatic conversions happen between OpenCV version
    // and your library's version
    cv::Point2d q = my_function(p);
}

由于转换运算符是微不足道的内联函数,因此编译器将对其进行优化,以完全消除代码,就像根本没有转换一样。

(可选)(最好是imo),您可以进行显式的转换,这可能会使代码更安全:

struct my_point
{
    double x;
    double y;

#ifdef HAVE_OPENCV
    // make these explicit
    explicit my_point(cv::Point2d p): x(p.x), y(p.y) {}

    explicit operator cv::Point2d() const { return {x, y}; }
#endif
};

my_point my_function(my_point p)
{
    return p;
}

int main()
{
    cv::Point2d p;

    // Now the library user needs to explicitly ask for
    // the conversions to take place
    cv::Point2d q = cv::Point2d(my_function(my_point(p)));
}

答案 1 :(得分:1)

一种解决方案是在您的项目构建配置中处理此问题:在构建系统中设置预处理程序定义(例如COMPILE_WITH_OPENCV)。如果您使用的是CMake,它将类似于

ADD_DEFINITIONS(-DCOMPILE_WITH_OPENCV)

在代码中:

#if defined COMPILE_WITH_OPENCV
#include "types.hpp" // openCV inlcude
#else
#include "my_types.hpp"  // your own Point_ definition
#endif