原文: http://elixir-lang.org/crash-course.html

函数调用

Elixir允许你调用函数的时候省略括号, Erlang不行.

Erlang Elixir
some_function(). some_function
sum(A,B) sum a,b

从模块中调用一个函数, 使用不同的语法, 在Erlang, 你可以写:

  1. lists:last([1,2]).

从List模块中调用last函数. 在Elixir中使用.符号代替:符号.

  1. List.last([1,2])

注意. 因为Erlang模块以原子的形式标识, 你可以在Elixir中以如下方式调用Erlang函数.

  1. :lists.sort [1,2,3]

所有Erlang内置函数存在于:erlang模块中.

数据类型

原子

在Erlang中, 原子是以任意小写字母开头的标识符号. 例如oktupledonut. 大写字母开头的任意标识被作为变量名称.

Erlang

  1. im_an_atom.
  2. me_too.
  3. Im_a_var.
  4. X = 10.

Elixir

  1. :im_an_atom
  2. :me_too
  3. im_a_var
  4. x = 10
  5. Module # 原子别名, 扩展为:`Elixir.Module`

还可以创建非小写字母开头的原子, 两种语言的语法差异如下:

Erlang

  1. is_atom(ok). %=> true
  2. is_atom('0_ok'). %=> true
  3. is_atom('Multiple words'). %=> true
  4. is_atom(''). %=> true

Elixir

  1. is_atom :ok #=> true
  2. is_atom :'ok' #=> true
  3. is_atom Ok #=> true
  4. is_atom :"Multiple words" #=> true
  5. is_atom :"" #=> true

元组

元组的语法两种语言相同, 但API有却别.

列表和二进制

Erlang

  1. is_list('Hello'). %=> false
  2. is_list("Hello"). %=> true
  3. is_binary(<<"Hello">>). %=> true

Elixir

  1. is_list 'Hello' #=> true
  2. is_binary "Hello" #=> true
  3. is_binary <<"Hello">> #=> true
  4. <<"Hello">> === "Hello" #=> true

Elixir string 标识一个UTF-8编码的二进制, 同时有一个String模块处理这类书籍.
Elixir假设你的源文件是以UTF-8编码的. Elixir中的string是一个字符列表, 同时有一个:string模块处理这类数据.

Elixir 支持多行字符串(heredocs):

  1. is_binary """
  2. This is a binary
  3. spanning several
  4. lines.
  5. """
  6. #=> true

关键字列表

包含两个元素的元组列表

Erlang

  1. Proplist = [{another_key, 20}, {key, 10}].
  2. proplists:get_value(another_key, Proplist).
  3. %=> 20

Elixir

  1. kw = [another_key: 20, key: 10]
  2. kw[:another_key]
  3. #=> 20

Map

Erlang

  1. Map = #{key => 0}. % 创建Map
  2. Updated = Map#{key := 1}. % 更新Map中的值
  3. #{key := Value} = Updated. % 匹配
  4. Value =:= 1.
  5. %=> true

Elixir

  1. map = %{:key => 0} # 创建Map
  2. map = %{map | :key => 1} # 更新Map中的值
  3. %{:key => value} = map # 匹配
  4. value === 1
  5. #=> true

注意:

1.key: 和 0之间一定要有一个空格, 如下:

  1. iex(2)> map = %{key:0}
  2. **(SyntaxError) iex:2: keyword argument must be followed by space after: key:
  3. iex(2)> map = %{key: 0}
  4. %{key: 0}

2.所有的key必须是原子类型才能这么用.

正则表达式

Elixir支持正则表达式的字面语法. 这样的语法允许正则表达式在编译时被编译而不是运行时进行编译, 并且不要求转义特殊的正则表达式符号:

Erlang

  1. { ok, Pattern } = re:compile("abc\\s").
  2. re:run("abc ", Pattern).
  3. %=> { match, ["abc "] }

Elixir:

  1. Regex.run ~r/abc\s/, "abc "
  2. #=> ["abc "]

正则表达式还能用在heredocs当中, 提供了一个定义多行正则表达式的便捷的方法:

  1. Regex.regex? ~r"""
  2. This is a regex
  3. spanning several
  4. lines.
  5. """

模块

每个erlang模块保存在其自己的文件中, 并且有如下结构:

  1. -module(hello_module).
  2. -export([some_fun/0, some_fun/1]).
  3. % A "Hello world" function
  4. some_fun() ->
  5. io:format('~s~n', ['Hello world!']).
  6. % This one works only with lists
  7. some_fun(List) when is_list(List) ->
  8. io:format('~s~n', List).
  9. % Non-exported functions are private
  10. priv() ->
  11. secret_info.

这里我们创建一个名为hello_module的模块. 其中我们定义了三个函数, 前两个用于其他模块调用, 并通过export指令导出. 它包含一个要导出的函数列表, 其中没个函数的书写格式为<function name>/<arity>arity标书参数的个数.

上面的Elixir等效代码为:

  1. defmodule HelloModule do
  2. # A "Hello world" function
  3. def some_fun do
  4. IO.puts "Hello world!"
  5. end
  6. # This one works only with lists
  7. def some_fun(list) when is_list(list) do
  8. IO.inspect list
  9. end
  10. # A private function
  11. defp priv do
  12. :secret_info
  13. end
  14. end

在Elixir中, 还可以在一个文件中定义多个模块, 以及嵌套模块.

  1. defmodule HelloModule do
  2. defmodule Utils do
  3. def util do
  4. IO.puts "Utilize"
  5. end
  6. defp priv do
  7. :cant_touch_this
  8. end
  9. end
  10. def dummy do
  11. :ok
  12. end
  13. end
  14. defmodule ByeModule do
  15. end
  16. HelloModule.dummy
  17. #=> :ok
  18. HelloModule.Utils.util
  19. #=> "Utilize"
  20. HelloModule.Utils.priv
  21. #=> ** (UndefinedFunctionError) undefined function: HelloModule.Utils.priv/0

函数语法

Erlang 图书的这章提供了模式匹配和函数语法的详细描述. 这里我简单的覆盖一些要点并提供Erlang和Elixir的代码示例:

模式匹配

Erlang

  1. loop_through([H|T]) ->
  2. io:format('~p~n', [H]),
  3. loop_through(T);
  4. loop_through([]) ->
  5. ok.

Elixir

  1. def loop_through([h|t]) do
  2. IO.inspect h
  3. loop_through t
  4. end
  5. def loop_through([]) do
  6. :ok
  7. end

当定义一个同名函数多次的时候, 没个这样的定义称为分句. 在Erlang中, 分句总是紧挨着的, 并且由分号;分割. 最后一个分句通过点.终止.

Elixir并不要求使用标点符号来分割分句, 但是他们必须分组在一起(同名函数必须上下紧接着)

标识函数

在Erlang和Elixir中, 函数不仅仅由名字来标识, 而是由名字参数的个数共同来标识一个函数. 在下面两个例子中, 我们定义了四个不同的函数(全部名为sum, 不同的参数个数)

Erlang

  1. sum() -> 0.
  2. sum(A) -> A.
  3. sum(A, B) -> A + B.
  4. sum(A, B, C) -> A + B + C.

Elixir

  1. def sum, do: 0
  2. def sum(a), do: a
  3. def sum(a, b), do: a + b
  4. def sum(a, b, c), do: a + b + c

基于某些条件, Guard表达式(Guard expressions), 提供了一个精确的方式定义接受特定取值的函数

Erlang

  1. sum(A, B) when is_integer(A), is_integer(B) ->
  2. A + B;
  3. sum(A, B) when is_list(A), is_list(B) ->
  4. A ++ B;
  5. sum(A, B) when is_binary(A), is_binary(B) ->
  6. <<A/binary, B/binary>>.
  7. sum(1, 2).
  8. %=> 3
  9. sum([1], [2]).
  10. %=> [1,2]
  11. sum("a", "b").
  12. %=> "ab"

Elixir

  1. def sum(a, b) when is_integer(a) and is_integer(b) do
  2. a + b
  3. end
  4. def sum(a, b) when is_list(a) and is_list(b) do
  5. a ++ b
  6. end
  7. def sum(a, b) when is_binary(a) and is_binary(b) do
  8. a <> b
  9. end
  10. sum 1, 2
  11. #=> 3
  12. sum [1], [2]
  13. #=> [1,2]
  14. sum "a", "b"
  15. #=> "ab"

默认值

Erlang不支持默认值

Elixir 允许参数有默认值

  1. def mul_by(x, n \\ 2) do
  2. x * n
  3. end
  4. mul_by 4, 3 #=> 12
  5. mul_by 4 #=> 8

匿名函数

匿名函数以如下方式定义:

Erlang

  1. Sum = fun(A, B) -> A + B end.
  2. Sum(4, 3).
  3. %=> 7
  4. Square = fun(X) -> X * X end.
  5. lists:map(Square, [1, 2, 3, 4]).
  6. %=> [1, 4, 9, 16]

当定义匿名函数的时候也可以使用模式匹配.

Erlang

  1. F = fun(Tuple = {a, b}) ->
  2. io:format("All your ~p are belong to us~n", [Tuple]);
  3. ([]) ->
  4. "Empty"
  5. end.
  6. F([]).
  7. %=> "Empty"
  8. F({a, b}).
  9. %=> "All your {a,b} are belong to us"

Elixir

  1. f = fn
  2. {:a, :b} = tuple ->
  3. IO.puts "All your #{inspect tuple} are belong to us"
  4. [] ->
  5. "Empty"
  6. end
  7. f.([])
  8. #=> "Empty"
  9. f.({:a, :b})
  10. #=> "All your {:a, :b} are belong to us"

一类函数

匿名函数是第一类值, 他们可以作为参数传递给其他函数, 也可以作为返回值. 这里有一个特殊的语法允许命名函数以相同的方式对待:

Erlang

  1. -module(math).
  2. -export([square/1]).
  3. square(X) -> X * X.
  4. lists:map(fun math:square/1, [1, 2, 3]).
  5. %=> [1, 4, 9]

Elixir

  1. defmodule Math do
  2. def square(x) do
  3. x * x
  4. end
  5. end
  6. Enum.map [1, 2, 3], &Math.square/1
  7. #=> [1, 4, 9]

Partials in Elixir

Elixir supports partial application of functions which can be used to define anonymous functions in a concise way:

  1. Enum.map [1, 2, 3, 4], &(&1 * 2)
  2. #=> [2, 4, 6, 8]
  3. List.foldl [1, 2, 3, 4], 0, &(&1 + &2)
  4. #=> 10

Partials also allow us to pass named functions as arguments.

  1. defmodule Math do
  2. def square(x) do
  3. x * x
  4. end
  5. end
  6. Enum.map [1, 2, 3], &Math.square/1
  7. #=> [1, 4, 9]

控制流

The constructs if and case are actually expressions in both Erlang and Elixir, but may be used for control flow as in imperative languages.

Case

The case construct provides control flow based purely on pattern matching.

Erlang

  1. case {X, Y} of
  2. {a, b} -> ok;
  3. {b, c} -> good;
  4. Else -> Else
  5. end

Elixir

  1. case {x, y} do
  2. {:a, :b} -> :ok
  3. {:b, :c} -> :good
  4. other -> other
  5. end

If

Erlang

  1. Test_fun = fun (X) ->
  2. if X > 10 ->
  3. greater_than_ten;
  4. X < 10, X > 0 ->
  5. less_than_ten_positive;
  6. X < 0; X =:= 0 ->
  7. zero_or_negative;
  8. true ->
  9. exactly_ten
  10. end
  11. end.
  12. Test_fun(11).
  13. %=> greater_than_ten
  14. Test_fun(-2).
  15. %=> zero_or_negative
  16. Test_fun(10).
  17. %=> exactly_ten

Elixir

  1. test_fun = fn(x) ->
  2. cond do
  3. x > 10 ->
  4. :greater_than_ten
  5. x < 10 and x > 0 ->
  6. :less_than_ten_positive
  7. x < 0 or x === 0 ->
  8. :zero_or_negative
  9. true ->
  10. :exactly_ten
  11. end
  12. end
  13. test_fun.(44)
  14. #=> :greater_than_ten
  15. test_fun.(0)
  16. #=> :zero_or_negative
  17. test_fun.(10)
  18. #=> :exactly_ten

区别:

  1. cond允许左侧为任意表达式, erlang只允许guard子句.

  2. cond中的条件只有在表达式为nilfalse的时候为false, 其他情况一律为true, Erlang为一个严格的布尔值

Elixr还提供了一个简单的if结构

  1. if x > 10 do
  2. :greater_than_ten
  3. else
  4. :not_greater_than_ten
  5. end

发送和接受消息

Erlang

  1. Pid = self().
  2. Pid ! {hello}.
  3. receive
  4. {hello} -> ok;
  5. Other -> Other
  6. after
  7. 10 -> timeout
  8. end.

Elixir

  1. pid = Kernel.self
  2. send pid, {:hello}
  3. receive do
  4. {:hello} -> :ok
  5. other -> other
  6. after
  7. 10 -> :timeout
  8. end

添加Elixir到现有的Erlang程序

Rebar集成

如果使用Rebar,可以把Elixir仓库作为依赖.

  1. https://github.com/elixir-lang/elixir.git

Elixir实际上是一个Erlang的app. 它被放在lib目录中, rebar不知道这样的目录结构. 因此需要制定Elixir的库目录.

 
  1. {lib_dirs, [
  2. "deps/elixir/lib"
  3. ]}.
  4.  
  5. 转自:https://segmentfault.com/a/1190000004882064

Erlang 和 Elixir的差异的更多相关文章

  1. [Erlang 0108] Elixir 入门

    Erlang Resources里面关于Elixir的资料越来越多,加上Joe Armstrong的这篇文章,对Elixir的兴趣也越来越浓厚,投入零散时间学习了一下.零零散散,测试代码写了一些,Ev ...

  2. Erlang 和 Elixir 互相调用 (转)

    lixr设计目标之一就是要确保兼容性,可以兼容Erlang和其生态系统.Elixir和Erlang 都是运行同样的虚拟机平台(Erlang Virtual Machine).不管是在Erlang使用E ...

  3. Install Erlang and Elixir in CentOS 7

    In this tutorial, we will be discussing about how to install Erlang and Elixir in CentOS 7 minimal s ...

  4. CentOS 7.7安装Erlang和Elixir

    安装之前,先看一下它们的简要说明 Erlang Erlang是一种开源编程语言,用于构建对高可用性有要求的大规模可扩展的软实时系统.它通常用于电信,银行,电子商务,计算机电话和即时消息中.Erlang ...

  5. [Erlang 0113] Elixir 编译流程梳理

    注意:目前Elixir版本还不稳定,代码调整较大,本文随时失效      之前简单演示过如何从elixir ex代码生成并运行Erlang代码,下面仔细梳理一遍elixir文件的编译过程,书接上文,从 ...

  6. [Erlang 0112] Elixir Protocols

    Why Elixir   为什么要学习Elixir?答案很简单,为了更好的学习Erlang.这么无厘头的理由? Erlang语法设计几乎没有考虑过取悦开发者,所以学习之初的门槛略高.对于已经克服了最初 ...

  7. [Erlang 0114] Erlang Resources 小站 2013年7月~12月资讯合集

    Erlang Resources 小站 2013年7月~12月资讯合集,方便检索.     附 2013上半年盘点: Erlang Resources 小站 2013年1月~6月资讯合集    小站地 ...

  8. Erlang 参考资料

    Erlang 官方文档 Distributed Erlang Erlang 教程中文版 %设定模块名 -module(tut17). %导出相关函数 -export([start_ping/1, st ...

  9. 简单Elixir游戏服务器-安装Elixir

    用WebInstaller 安装半天也没下载成功文件. 改成直接下载erlang 和 elixir 预编译包了. 安装很简单,最后设置好环境变量. cmd 执行 elixir -v 最后顺便下载了个g ...

随机推荐

  1. Android 友盟社会化组件-分享实现

    本文章链接地址:http://dev.umeng.com/social/android/share/quick-integration 分享快速集成 1 产品概述 友盟社会化组件,可以让移动应用快速具 ...

  2. Admin Finder

    #Created for coded32 and his teamopenfire Eliminated Some bugs from my last code shared here as Gues ...

  3. 纯C实现面向对象

    #include <stdio.h> #include <stdlib.h> //接口 #ifndef Interface #define Interface struct # ...

  4. 一起來玩鳥 Starling Framework(7)MovieClip

    承上一篇,我們接著來講最後一個IAnimatable類別,MovieClip.Starling的MovieClip跟native的MovieClip不太一樣,它只能接收一個Vector.<Tex ...

  5. python 列表合并

    列表合并主要有以下方法: 1.用list的extend方法,L1.extend(L2),该方法将参数L2的全部元素添加到L1的尾部 结果:[1, 2, 3, 4, 5, 1, 20, 30] 2.用切 ...

  6. MyEclipse中快捷键

    ------------------------------------- MyEclipse 快捷键1(CTRL) ------------------------------------- Ctr ...

  7. 【Hadoop】HDFS原理、元数据管理

    1.HDFS原理 2.元数据管理原理

  8. PostgreSQL学习资料

    我的PostgreSQL学习笔记:http://note.youdao.com/share/?id=2e882717fc3850be9af503fcc0dfe7d0&type=notebook ...

  9. Java8 增强的Future:CompletableFuture(笔记)

    CompletableFuture是Java8新增的一个超大型工具类,为什么说她大呢?因为一方面它实现了Future接口,更重要的是,它实现了CompletionStage接口.这个接口也是Java8 ...

  10. asp.net web系统开发浏览器和前端工具

    1. Firefox浏览器+firebug插件 下载安装Firefox浏览器后,在菜单-附加组件-扩展中,搜索firebug,下载长得像甲虫一样的安装. 在web调试中,直接点击右上角的虫子,即可调出 ...