ruby-on-rails – Rails / postgres,“外键”存储在数组中以创建1个多关联

前端之家收集整理的这篇文章主要介绍了ruby-on-rails – Rails / postgres,“外键”存储在数组中以创建1个多关联前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
可以使用postgres数组在rails(4)中创建一对多/ has_many关联?我知道一个外键类型的数组是不可能的.

示例:任务有多个受理人.传统上我会使用关联表来解决这个问题:tasks-> assignees->用户.使用数组,这不是必要的,因为可以存储多个“外键”.

然后可以使用以下查询获取分配给我的所有任务:

select * from tasks where ? IN tasks.assignees

解决方法

您将无法使Rails了解此阵列并将其用于关联.

但是,如果要更快地搜索/过滤分配给用户的任务,您可以在“任务”对象中保留一组用户标识.否则,您必须在标准关联表中执行JOIN以查找分配给Alice的所有任务.

因此,解决方案是保留关联表,但也将受让人用户ID复制到Task对象中,并使用该ID列表进行更快的搜索/过滤.

您将需要挂接到受让人对象的after_create和after_destroy生命周期,并将新的受理人ID插入到任务记录数组中.然后当一个asignee从任务中删除时更新数组以删除ID.

有关所有Array操作符,请参阅Postgres文档:

这样的事情

class Task < ActiveRecord::Base
    has_many :assignees,:dependent => :destroy
end

class Asignee < ActiveRecord::Base

    belongs_to :task
    after_create :insert_task_assignee
    after_destroy :remove_task_assignee

    # assumes that there is a column called assignee_id
    # that contains the User ID of the assigned person

    private

    def insert_task_assignee
        # TODO: check for duplicates here - before we naively push it on?
        task.assignee_list = task.assignee_list.push(assignee_id)
        task.assignee_list.save
    end

    def remove_task_assignee
        id_list = task.assignee_list
        id_list.reject! { |candidate_id| candidate_id == assignee_id }
        task.assignee_list = id_list
        task.assignee_list.save
    end

end

# find all tasks that have been assigned Alice & Bob
# this will require the `postgres_ext` gem for Ruby / Postgres array searching
tasks = Task.where.contains(:assignee_list => [alice.id,bob.id]).all
原文链接:https://www.f2er.com/ruby/266573.html

猜你在找的Ruby相关文章