假设我有以下模式:

defmodule Sample.Post do
  use Ecto.Schema

  schema "post" do
    field :title
    has_many :comments, Sample.Comment
  end
end

defmodule Sample.User do
  use Ecto.Schema

  schema "user" do
    field :name
    has_many :comments, Sample.Comment
  end
end

defmodule Sample.Comment do
  use Ecto.Schema

  schema "comment" do
    field :text
    belongs_to :post, Sample.Post
    belongs_to :user, Sample.User
  end
end

我的问题是如何使用Ecto.build_assoc保存评论?
iex> post = Repo.get(Post, 13)
%Post{id: 13, title: "Foo"}
iex> comment = Ecto.build_assoc(post, :comments)
%Comment{id: nil, post_id: 13, user_id: nil}

到目前为止,我所需要做的就是使用相同的函数在user_id结构中设置Comment,但是由于build_assoc的返回值是Comment结构,因此我无法使用相同的函数
iex> user = Repo.get(User, 1)
%User{id: 1, name: "Bar"}
iex> Ecto.build_assoc(user, :comment, comment)
** (UndefinedFunctionError) undefined function: Sample.Comment.delete/2
...

我有两种选择,但对我来说都不好:

第一个是手动设置user_id!
iex> comment = %{comment| user_id: user.id}
%Comment{id: nil, post_id: 13, user_id: 1}

第二个是将结构转换为 map ,然后...我什至不想去那里

有什么建议吗?

最佳答案

您为什么不希望将struct转换为map?真的很简单。
build_assoc期望属性映射为最后一个值。在内部,它尝试删除 key :__meta__。结构具有编译时保证,其中将包含所有定义的字段,因此您将获得:

** (UndefinedFunctionError) undefined function: Sample.Comment.delete/2

但是你可以这样写:
comment = Ecto.build_assoc(user, :comment, Map.from_struct comment)

一切都会正常。

关于associations - 与多个计划的ecto关联,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34823137/

10-11 03:01