Elixir将导入的函数重命名为别名

时间:2017-12-01 11:27:21

标签: elixir

让我们说我正在测试一个属于Utils模块的函数,就像这样

defmodule Test do
  alias Module.Utils

  test "test 1" do
    Utils.some_function?(...)
  end

  test "test 2" do
    Utils.some_function?(...)
  end
end

我可以将该功能重构或简化为:

import Utils.some_function as test_func()

所以我不必编写模块名称并简化函数名称

1 个答案:

答案 0 :(得分:5)

导入时无法重命名该功能。

您可以使用defdelegate创建一个本地函数来调用另一个模块的函数,如下所示:

defmodule A do
  def just_add_these_two_numbers(a, b), do: a + b
end

defmodule B do
  defdelegate add(a, b), to: A, as: :just_add_these_two_numbers
  # `add/2` is now the same as `A.just_add_these_two_numbers/2`.

  def test do
    IO.inspect add(1, 2) == 3
  end
end

B.test #=> true

虽然你可能只是这样做(它甚至更短):

def add(a, b), do: A.just_add_these_two_numbers(a, b)