5

我们的项目是用 C++ 编写的,并使用 gRPC 作为依赖项。我们使用 clang 作为编译器。我们使用 设置了 C++ 工具链文件-Wall -Werror,但这会导致 gRPC 本身引发的警告出现问题。

有没有办法阻止 Bazel 将Werror标志应用于 gRPC 文件,但仍将其应用于项目的其他地方?

文件如下所示:

WORKSPACE:
git_repository(
  name = "com_github_grpc_grpc",
  remote = "https://github.com/grpc/grpc",
  ...
)
load("@com_github_grpc_grpc//bazel:grpc_deps.bzl", "grpc_deps")
grpc_deps()
load("@com_github_grpc_grpc//bazel:grpc_extra_deps.bzl", "grpc_extra_deps")
grpc_extra_deps()
...


BUILD:
cc_binary(
  name = "one_of_many_binaries",
  srcs = ["source_1.cc"],
  deps = ["@com_github_grpc_grpc//:grpc++", 
         ...],
)
...


cc_toolchain_config.bzl:
default_compile_flags_feature = feature(
        name = "default_compile_flags",
        enabled = True,
        flag_sets = [
            flag_set(
                actions = all_compile_actions,
                flag_groups = [
                    flag_group(
                        flags = ["-Wall", "-Werror", ...]
....


更新 9/2/2020 基于 Ondrej 非常有帮助的解决方案,我通过以下方式解决了这个问题。

  • 从我拥有它的功能中删除-Werror标志(连同其他标志)并进入一个默认禁用的新功能,如下所示:
compile_flags_with_werror = feature(
        name = "compile_flags_with_werror",
        enabled = False, #this is important
        flag_sets = [
            flag_set(
                actions = all_compile_actions,
                flag_groups = [
                    flag_group(
                        flags = ["-Werror"]

然后,在我自己项目中每个 BUILD 文件的顶部,添加以下行:

package(features = ["compile_flags_with_werror"])

这具有-Werror在我的项目中编译文件时应用的效果,但在编译任何外部依赖项时不适用。

4

1 回答 1

1

您可以定义工具链功能,例如:

warning_flags_feature = feature(
    name = "warning_flags",
    enabled = True,
    flag_sets = [
        flag_set(
            actions = all_compile_actions,
            flag_groups = [
                flag_group(
                    flags = [
                        "-Wall",
                        "-Werror",
                    ],
                ),
            ],
        ),
    ],
)        

enabled默认情况下,将其添加到offeaturescreate_cc_toolchain_config_info()添加所需的标志(从您的 中删除它们default_compile_flags_feature)。

BUILD然后对于行为不端的外部依赖项,您可以在其文件中禁用整个包的功能:

package(features = ["-warning_flags"])

或按目标执行:

cc_library(
    name = "external_lib",
    ...
    features = ["-warning_flags"],
)
于 2020-08-26T13:23:58.217 回答