2

Bazelを使用してプロジェクトをビルドしています。シングルヘッダー テスト フレームワークCatch v2を使用したいと思います。http_fileルールを使用してBazelに catch ヘッダーをダウンロードさせることにしました。私のWORKSPACEファイルは次のようになります。

load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_file")

http_file(
  name = "catch",
  downloaded_file_path = "catch.hpp",
  sha256 = "cc6cc272cf84d8e10fb28f66f52584dedbb80d1234aae69e6a1027af4f31ae6f",
  urls = ["https://github.com/catchorg/Catch2/releases/download/v2.4.2/catch.hpp"],
)

ドキュメントによると、テストは次のように生成されたパッケージに依存します。

cc_test(
  name = "my_test",
  srcs = ["@catch//file", "my_test.cc"]
)

テストファイルmy_test.ccはこれ以上簡単にはなりません:

#include "catch.hpp"

ただし、次のエラーが表示されます。

$ bazel test --config=opt -s //...
WARNING: [...]/BUILD:25:10: in srcs attribute of cc_test rule //test:my_test: please do not import '@catch//file:catch.hpp' directly. You should either move the file to this package or depend on an appropriate rule there
SUBCOMMAND: # //test:my_test [action 'Compiling test/my_test.cc']
(cd [...] && \
  exec env - [...] \
  /usr/bin/gcc
 -U_FORTIFY_SOURCE -fstack-protector -Wall -B/usr/bin -B/usr/bin -Wunused-but-set-parameter -Wno-free-nonheap-object -fno-omit-frame-pointer '-std=c++0x' -MD -MF [...].d '-frandom-seed=[...].o' -fPIC
 -iquote .
 -iquote bazel-out/k8-fastbuild/genfiles
 -iquote bazel-out/k8-fastbuild/bin
 -iquote external/bazel_tools
 -iquote bazel-out/k8-fastbuild/genfiles/external/bazel_tools
 -iquote bazel-out/k8-fastbuild/bin/external/bazel_tools
 -fno-canonical-system-headers -Wno-builtin-macro-redefined '-D__DATE__="redacted"' '-D__TIMESTAMP__="redacted"' '-D__TIME__="redacted"' -c test/my_test.cc
 -o [...].o)
ERROR: [...]/BUILD:23:1: C++ compilation of rule '//test:my_test' failed (Exit 1)
test/my_test.cc:1:28: fatal error: catch.hpp: No such file or directory
compilation terminated.
[...]
FAILED: Build did NOT complete successfully

cc_libraryラッパーを作成したりcatch/catch.hpp、catch/file/catch.hpp を含めたりすると、同じエラーが発生します。

4

1 に答える 1

3

デフォルトでは、によってダウンロードされたファイルhttp_fileは次のように含めることができます。

#include "external/<name>/file/<file_name>"

この特定のケースでは:

#include "external/catch/file/catch.hpp"

ただし、このインクルード パスは見苦しく、 でラップする必要がありcc_libraryます。さらに、各テストの完全な catch ヘッダー ファイルをコンパイルすると、ビルドが遅くなります。catch docsによると、catch ヘッダーの実装部分は個別にコンパイルする必要があります。このような:

テスト/ビルド:

cc_library(
  name = "catch",
  hdrs = ["@catch//file"],
  srcs = ["catch.cpp"],
  visibility = ["//visibility:public"],
  strip_include_prefix = "/external/catch/file",
  include_prefix = "catch",
  linkstatic = True,   # otherwise main() will could end up in a .so
)

cc_test(
  name = "my_test",
  deps = ["//test:catch"],
  srcs = ["my_test.cc"],
)

テスト/catch.cpp:

#define CATCH_CONFIG_MAIN
#include "catch/catch.hpp"

テスト/my_test.cc:

#include "catch/catch.hpp"

TEST_CASE("my_test", "[main]") { /* ... */ }

この方法catch.cppは、変更するだけで再コンパイルされずmy_test.cc、貴重な時間を節約できます。

于 2018-11-14T17:53:43.487 に答える