Enum.split_with但只使用结果元组的一侧
之后如何访问第一个列表Enum.split_with()?
m = Enum.split_with([5, 4, 3, 2, 1, 0], fn x -> rem(x, 2) == 0 end)
// m = {[4, 2, 0], [5, 3, 1]}
我只想访问列表[4,2,0]并通过另一个Enum.filter()函数
就像是
m =
Enum.split_with([5, 4, 3, 2, 1, 0], fn x -> rem(x, 2) == 0 end)
|> Enum.filter(fn -> ) //Filter only first list after split
回答
重点Enum.split_with/2是获得过滤和拒绝的项目。如果你只需要或者过滤的或不合格的项目,然后Enum.filter/2和Enum.reject/2有更好的选择:
iex(1)> Enum.filter([5, 4, 3, 2, 1, 0], &rem(&1, 2) == 0)
[4, 2, 0]
iex(2)> Enum.reject([5, 4, 3, 2, 1, 0], &rem(&1, 2) == 0)
[5, 3, 1]
也就是说,有两种标准方法可以访问元组的元素:
- 通过
=运算符使用模式匹配:
iex(3)> {first, _} = {:a, :b}
{:a, :b}
iex(4)> first
:a
- 如果是管道的一部分,请使用
elem/2帮助程序:
iex(5)> {:a, :b} |> elem(0)
:a
- In `v1.12` there is [`Kernel.then/2`](https://hexdocs.pm/elixir/master/Kernel.html#then/2) introduced: `Enum.split_with([5, 4, 3, 2, 1, 0], &rem(&1, 2) == 0) |> then(fn {first, _} -> first end) #⇒ [4, 2, 0]`
- I should add that as an alternative way to use pattern matching when 1.12 is released. I'd probably stick with `elem/2` in this specific case though.