在我的postgres数据库中,我有一个使用UUID的主键。
下面的示例设置class Visit
# primary key id: uuid
has_many :connections, as: :connectable
has_many :payments, through: :connections
end
class Connection #(polymorphic class joining visit and payment)
# columns connectable_type(string), connectable_id(string)
belongs_to :payments
belongs_to :connectable, polymorphic: true
end
class Payment
# primary key id: uuid
has_many :connections
end
当我尝试通过付款获取所有访问时,我收到了错误消息:
Visit.joins(:payments)
# => operator does not exist: character varying = uuid`
基本上这需要我明确地将visit.id
强制转换为varchar
,如果我的连接语句是字符串,我可以轻松地执行此操作:
connections.connectable_id = visits.id::varchar
但是我使用Arel来实现可组合性。
任何人都可以指导我如何直接使用Arel进行类型转换,因此我可以轻松地执行以下操作:
join(connections_table).on(connections_table[:connectable_id].eq(cast_to_string(visits_table[:id])))
# where connections_table and visits_table are Arel tables
答案 0 :(得分:4)
在玩这个时,我发现了Arel NamedFunction
,它基本上是一种在Arel中包装你的[自定义] SQL函数的方法。在这种情况下,我最终得到了:
casted_visits_primary_key = Arel::Nodes::NamedFunction.new("CAST", [ visits_table[:id].as("VARCHAR") ])
然后我就能做到:
join(connections_table).on(connections_table[:connectable_id].eq(casted_visits_primary_key))
这基本上解决了我的问题!