10

我发现编译时警告非常有用,但我偶尔会错过它们,尤其是在测试在 CI 服务器上运行的拉取请求中。

理想情况下,我会在项目混合文件中指定一些会使编译器更加严格的内容。

我希望这对所有混合任务都有效,并且我不想将标志传递给命令,因为这很容易忘记。

例如,对于带有编译器警告的项目,此命令应该会失败

mix clean && mix compile

这个应该

mix clean && mix test
4

3 回答 3

12

在你的mix.exs

def project do
  [...,
   aliases: aliases]
end

defp aliases do
  ["compile": ["compile --warnings-as-errors"]]
end

然后mix compile将传递--warnings-as-errorscompile.elixir子任务。

这也适用,mix test因为它compile隐式运行任务。


如果你不添加别名,你仍然可以运行mix compile --warnings-as-errors,它会做你期望的事情,但mix test --warnings-as-errors不会做你期望的事情,因为标志没有到达compile.elixir任务。

于 2016-05-13T21:57:50.743 回答
7

一定程度上是可能的。指挥--warnings-as-errors中有一面旗帜。elixirc

☁  hello_elixir [master] ⚡ elixirc
Usage: elixirc [elixir switches] [compiler switches] [.ex files]

  -o               The directory to output compiled files
  --no-docs        Do not attach documentation to compiled modules
  --no-debug-info  Do not attach debug info to compiled modules
  --ignore-module-conflict
  --warnings-as-errors Treat warnings as errors and return non-zero exit code
  --verbose        Print informational messages.

** Options given after -- are passed down to the executed code
** Options can be passed to the erlang runtime using ELIXIR_ERL_OPTIONS
** Options can be passed to the erlang compiler using ERL_COMPILER_OPTIONS

对于这样的模块,带有警告:

defmodule Useless do
  defp another_userless, do: nil
end

当您在没有标志的情况下编译时:

☁  01_language [master] ⚡ elixirc useless.ex
useless.ex:2: warning: function another_userless/0 is unused
☁  01_language [master] ⚡ echo $?
0

您得到的返回码为0

但是当您使用 flag 编译时--warnings-as-errors,它会返回退出代码1

☁  01_language [master] ⚡ elixirc --warnings-as-errors useless.ex
useless.ex:1: warning: redefining module Useless
useless.ex:2: warning: function another_userless/0 is unused
☁  01_language [master] ⚡ echo $?
1

您可以在编译脚本中使用此返回码来中断构建过程。

于 2015-08-13T10:38:09.217 回答
0

我喜欢 Michael Stalker 的解决方案

在 TDD 期间,将警告视为错误总是很烦人,在这种情况下,您可能会在运行测试时快速重构代码。

相反,您可以--warnings-as-errors像这样在 Mix env 上设置标志:

defmodule SomeProject.MixProject do
  use Mix.Project

  def project do
    [
      elixirc_options: [
        warnings_as_errors: treat_warnings_as_errors?(Mix.env())
      ]
      # ...
    ]
  end

  defp treat_warnings_as_errors?(:test), do: false
  defp treat_warnings_as_errors?(_), do: true
end

测试时将忽略警告,但对于 adevprod编译则不会。

于 2020-01-15T17:25:46.903 回答