Enum.each 在循环执行 ExUnit 测试时丢失变量
Enum.each loses variable when looping over an ExUnit test
当运行以下代码时,我收到警告:
warning: variable "char" does not exist and is being expanded to "char()", please use parentheses to remove the ambiguity or change the variable name
test/my_module_test.exs:7
后面是一个失败的测试:
== Compilation error in file test/my_module_test.exs ==
** (CompileError) test/my_module_test.exs:7: undefined function char/0
(stdlib) lists.erl:1338: :lists.foreach/2
(stdlib) erl_eval.erl:680: :erl_eval.do_apply/6
(elixir) lib/code.ex:767: Code.require_file/2
(elixir) lib/kernel/parallel_compiler.ex:209: anonymous fn/4 in Kernel.ParallelCompiler.spawn_workers/6
defmodule MyModule do
use ExUnit.Case, async: true
doctest MyModule
Enum.each ~w(a b c), fn char ->
test "test involving #{char}" do
assert char == char
end
end
end
似乎在 Enum.each
块中 char
的值是为行 test "... #{char}" do
定义的,但在断言中变得未定义。
为什么会这样?
ExUnit.test/3
is a macro 为你定义了一个函数。
每次你在 Elixir 中定义一个新函数,它都会启动一个新的作用域。这意味着在函数外部定义的任何变量在函数内部都将不可用。例如,您不能这样做:
foo = 1
def some_function() do
foo
end
您可以通过一些方法绕过此机制。一种是使用 unquote
将一些值作为 AST 注入。但是,在这种情况下,最简单的方法是将值放在模块属性中,这样您就可以在函数内部读取它:
@foo 1
def some_function() do
@foo
end
是否要运行 不同输入的相同测试(尽管这可能意味着测试结构设计存在问题,)您可以使用ExUnit.Callbacks.setup_all/2
to setup tests context, or use module attributes as shown in the documentation for ExUnit.Case.test/3
Enum.each ~w(a b c), fn char ->
@char char
test "test involving #{char}", ctx do
assert @char == @char
end
end
模块属性在定义后在模块中的任何位置都明显可见。
当运行以下代码时,我收到警告:
warning: variable "char" does not exist and is being expanded to "char()", please use parentheses to remove the ambiguity or change the variable name
test/my_module_test.exs:7
后面是一个失败的测试:
== Compilation error in file test/my_module_test.exs ==
** (CompileError) test/my_module_test.exs:7: undefined function char/0
(stdlib) lists.erl:1338: :lists.foreach/2
(stdlib) erl_eval.erl:680: :erl_eval.do_apply/6
(elixir) lib/code.ex:767: Code.require_file/2
(elixir) lib/kernel/parallel_compiler.ex:209: anonymous fn/4 in Kernel.ParallelCompiler.spawn_workers/6
defmodule MyModule do
use ExUnit.Case, async: true
doctest MyModule
Enum.each ~w(a b c), fn char ->
test "test involving #{char}" do
assert char == char
end
end
end
似乎在 Enum.each
块中 char
的值是为行 test "... #{char}" do
定义的,但在断言中变得未定义。
为什么会这样?
ExUnit.test/3
is a macro 为你定义了一个函数。
每次你在 Elixir 中定义一个新函数,它都会启动一个新的作用域。这意味着在函数外部定义的任何变量在函数内部都将不可用。例如,您不能这样做:
foo = 1
def some_function() do
foo
end
您可以通过一些方法绕过此机制。一种是使用 unquote
将一些值作为 AST 注入。但是,在这种情况下,最简单的方法是将值放在模块属性中,这样您就可以在函数内部读取它:
@foo 1
def some_function() do
@foo
end
是否要运行 不同输入的相同测试(尽管这可能意味着测试结构设计存在问题,)您可以使用ExUnit.Callbacks.setup_all/2
to setup tests context, or use module attributes as shown in the documentation for ExUnit.Case.test/3
Enum.each ~w(a b c), fn char ->
@char char
test "test involving #{char}", ctx do
assert @char == @char
end
end
模块属性在定义后在模块中的任何位置都明显可见。