2

我有一个具有以下结构的表“Leads”:

# == Schema Information
#
# Table name: leads
#
#  id                       :integer          not null, primary key
#  data                     :jsonb            not null
#  state                    :string
#  priority                 :string
#  lead_no                  :string
#  user_id                  :integer
#  location_place_id        :string
#  uuid                     :string
#  agent_id                 :integer
#  location_coordinates     :geography        point, 4326
#  location                 :jsonb            not null
#  user_details             :jsonb            not null
#  inventory_id             :integer
#  source_details           :jsonb            not null
#  connect_details          :jsonb            not null
#  referral_details         :jsonb            not null
#  process_details          :jsonb            not null
#  tags                     :jsonb            not null
#  created_at               :datetime
#  updated_at               :datetime
#  name                     :string

user_details jsonb 列以 {name : "John Doe", country : "IN", phone_no : "123456789"} 的形式存储数据。我想使用ILIKE查询我的数据库列作为名称键:

Lead.where("user_details->>name ILIKE ?","john%")

为此,我创建了一个迁移,如下所示:

class AddIndexUserNameOnLeads < ActiveRecord::Migration[5.2]
  def up
      execute("CREATE INDEX leads_user_details_name_idx ON leads USING gin((user_details->>'name') gin_trgm_ops)")
  end

  def down
    execute("DROP INDEX leads_user_details_name_idx")
  end
end

这将创建必要的索引。我已经在之前的迁移中启用了 pg_trgm 扩展。我的structure.sql看起来像: 在此处输入图像描述

此外,相应的schema.rb为潜在客户表添加了以下行 -

t.index "((user_details ->> 'name'::text)) gin_trgm_ops", name: "leads_user_details_name_idx", using: :gin

但是,当我尝试查询我的数据库时,它会进行顺序扫描。 在此处输入图像描述

另一方面,如果我为整个 user_details 列创建一个 gin 索引,然后使用"@> {name: "john"}.to_json"进行查询,它将使用索引进行扫描 在此处输入图像描述

我的 Rails 版本是5.2.0和 PostgreSQL 版本是12.5。对于这个用例,我如何使用ILIKE查询?我哪里错了?如有必要,我很乐意提供更多详细信息。

4

2 回答 2

2

您的表可能太小以至于索引扫描看起来不值得。看起来它只有 269 行。你可以set enable_seqscan=off看看它是否使用索引。或者您可以向表中添加实际数量的行(然后 VACUUM ANALYZE 它)

于 2021-07-29T13:11:44.147 回答
2

另一种方法是告诉您的索引已经使用大写或小写对值进行了排序,以便您可以简单地LIKE在查询中使用。

CREATE INDEX leads_user_details_name_idx ON leads 
USING gin(lower(user_details->>'name') gin_trgm_ops);

查询此 jsonb 键时,您必须使用相同的功能。这样做查询计划将找到您的部分索引:

SELECT * FROM leads
WHERE lower(user_details->>'name') ~~ '%doe%';

演示:db<>fiddle

于 2021-07-29T12:44:07.923 回答