PostgreSQL 数据库和 Rails 3 应用程序中不存在列错误



我在尝试查询我的PostgreSQL数据库时收到以下错误。 我可以在 pgAdmin 中查看表和所有列,甚至可以执行选择 *,所以我知道表和列存在。 任何这方面的帮助将不胜感激。

这是我得到的错误:

PG::Error: ERROR:  column "fi_ase" does not exist

下面是相关表的架构。 它是作为Rails 3.2应用程序的一部分通过迁移生成的。

create_table "certificates", :force => true do |t|
  t.integer  "profile_id"
  t.boolean  "FI_ASE"
  t.boolean  "FI_AME"
  t.boolean  "FI_INSTA"
  t.datetime "created_at",    :null => false
  t.datetime "updated_at",    :null => false
  t.boolean  "C_ASEL"
  t.boolean  "C_AMEL"
  t.boolean  "C_ASES"
  t.boolean  "C_AMES"
  t.boolean  "ATP_ASEL"
  t.boolean  "ATP_AMEL"
  t.boolean  "ATP_ASES"
  t.boolean  "ATP_AMES"
  t.boolean  "GI_Basic"
  t.boolean  "GI_Advanced"
  t.boolean  "GI_Instrument"
end

这是我在 Rails 中的查询/方法:

def self.search(city, state, zip, *certs)
  query_obj = joins(:profile => [:addresses, :certificate])
  query_obj = query_obj.where("city like ?", "%#{city}%") unless city.blank?
  query_obj = query_obj.where("state = ?", state) unless state.blank?
  query_obj = query_obj.where("zip like ?", "%#{zip}%") unless zip.blank?
  query_obj = query_obj.where("FI_ASE = ?", true) unless certs[0].blank?
  query_obj
end

直接在我的 pgAmin SQL 编辑器中运行以下 SQL 语句时,我收到相同的错误:

select *
from contacts c
inner join profiles p on c.id = p.contact_id
inner join addresses a on p.id = a.profile_id
inner join certificates ct on p.id = ct.profile_id
where ct.FI_ASE = true

Rails 在生成列名时会用双引号引起来。例如,当PostgreSQL看到表的CREATE TABLE时,它将如下所示:

create table "certificates" (
  -- ...
  "FI_ASE" boolean,

当标识符用双引号引起来时,它区分大小写。但是,PostgreSQL 会将不带引号的标识符规范化为小写,所以当你这样说时:

query_obj.where("FI_ASE = ?", true)

SQL将出现为:

where FI_ASE = 't'

但是,由于您的FI_ASE没有被引用,PostgreSQL 将看到它为:

where fi_ase = 't'

但是,您的表没有fi_ase列,而是具有FI_ASE列。

现在我们知道出了什么问题,我们如何解决它?您可以随时手动引用列名:

where('"FI_ASE" = ?', true)

或者你可以让ActiveRecord来做(但要确保你使用正确的大小写):

where(:FI_ASE => true)

或者最重要的是,使用小写列名重新创建表,这样您就不必引用内容。

相关内容

  • 没有找到相关文章

最新更新