经过一番来回,我设法让这个工作,对于 Bazel 0.16.1 和 Catch2 2.4.0。
首先让我们在test/
旁边创建目录src/
,以将我们的测试保存在那里。
为了使用 Catch2,我们需要下载catch.hpp
. Catch2 是仅标头库,这意味着我们只需要一个文件。我把它放进去test/vendor/catch2/
。
然后,我们需要定义如何使用它。在test/vendor/catch2
我们创建以下 BUILD 文件:
cc_library(
name = "catch2",
hdrs = ["catch.hpp"],
visibility = ["//test:__pkg__"]
)
现在 Bazel 将 Catch2 识别为库。我们添加了可见性属性,以便可以从//test
包中使用它(由目录中的 BUILD 定义/test
)。
接下来,Catch2 要求我们使用正确定义的 main 方法定义一个翻译单元。按照他们的指示,我们创建test/main.cpp
文件:
#define CATCH_CONFIG_MAIN
#include "catch.hpp"
现在,我们编写测试,在test/Money.test.cpp
:
#include "catch.hpp"
#include "Money.hpp"
TEST_CASE("Money works.") {
...
}
最后,我们需要向 Bazel 解释如何构建这一切。请注意,我们在文件中直接包含 Money.hpp 和 catch.hpp,没有相对路径,所以这也是我们需要牢记的。我们创建以下test/BUILD
文件:
# We describe to Bazel how to build main.cpp.
# It includes "catch.hpp" directly, so we need to add
# "-Itest/vendor/catch2" compiler option.
cc_library(
name = "catch-main",
srcs = ["main.cpp"],
copts = ["-Itest/vendor/catch2"],
deps = [
"//test/vendor/catch2"
]
)
# Here we define our test. It needs to build together with the catch2
# main that we defined above, so we add it to deps. We directly
# include src/Money.hpp and test/vendor/catch2/catch.hpp in
# Money.test.cpp, so we need to add their parent directories as copts.
# We also add Money and catch2 as dependencies.
cc_test(
name = "Money",
srcs = ["Money.test.cpp"],
copts = ["-Itest/vendor/catch2/", "-Isrc/"],
deps = [
# Or "//test/vendor/catch2:catch2", it is the same.
"//test/vendor/catch2",
"catch-main",
"//src:Money"
]
)
# Test suite that runs all the tests.
test_suite(
name = "all-tests",
tests = [
"Money"
]
)
最后,我们只需要添加visibility
属性,src/BUILD
以便可以从测试中访问它。我们修改src/BUILD
为如下所示:
cc_library(
name = "Money",
srcs = ["Money.cpp"],
hdrs = ["Money.hpp"],
visibility = ["//test:__pkg__"]
)
最终文件结构如下所示:
WORKSPACE
src/
Money.hpp
Money.cpp
BUILD
test/
BUILD
main.cpp
Money.test.cpp
vendor/
catch2/
catch.hpp
BUILD
现在您可以使用bazel test //test:all-tests
!
我用这个例子创建了 Github repo,你可以在这里查看。我还把它变成了一篇博文。