5

我有一个名为 Event 的模型和另一个名为 Product 的模型。一个事件有很多产品,一个产品有很多事件(通过名为 的连接模型Eventproduct)。我正在尝试设计一个查询,该查询将选择在任何情况下都不与另一个事件的当前日期范围匹配的所有产品,因此当用户创建具有日期范围的事件时,它将显示可用的产品,以便同一产品不能同时参加 2 个活动。这是否可以通过活动记录查询界面实现,或者我需要编写自己的特定 SQL 查询。

我的迁移看起来像:

class CreateProducts < ActiveRecord::Migration
  def change
    create_table :products do |t|
      t.string :make
      t.string :model
      t.integer :wattage
      t.boolean :dmx
      t.decimal :price
      t.timestamps
    end
  end
end


class CreateEvents < ActiveRecord::Migration
  def change
    create_table :events do |t|
      t.datetime :start_date
      t.datetime :end_date
      t.timestamps
    end
  end
end


class AddContactToEvent < ActiveRecord::Migration
  def change
    add_column :events, :name, :string
    add_column :events, :location, :string
    add_column :events, :contact_number, :string
  end
end

class CreateEventproducts < ActiveRecord::Migration
  def change
    create_table :eventproducts do |t|
      t.references :product
      t.references :event

      t.timestamps
    end
    add_index :eventproducts, :product_id
    add_index :eventproducts, :event_id
  end
end

以下是相关模型:

class Event < ActiveRecord::Base
  attr_accessible :end_date, :start_date, :products, :lightings, :name, :location, :contact_number, :product_ids
  has_many :products, :through => :Eventproduct
  has_many :Eventproduct
  validates_presence_of :name, :message => "can't be blank"
  validates_presence_of :location, :message => "can't be blank"
  validates_presence_of :contact_number, :message => "A telephone number is needed so that we can contact you if we have any problems"
  validates_presence_of :start_date, :message => "can't be blank"
  validates_presence_of :end_date, :message => "can't be blank"
end

class Eventproduct < ActiveRecord::Base
  belongs_to :product
  belongs_to :event
  # attr_accessible :title, :body
end


class Product < ActiveRecord::Base
  validates :price, numericality: {greater_than_or_equal_to: 0.01}
    attr_accessible :make, :model, :wattage, :dmx, :price
end
4

2 回答 2

4

试试这个:Product.includes(:Eventproduct).where(eventproducts: { event_id: nil }).group('products.id')

请注意,它是where条件内表的名称。另外不要忘记将 Eventproduct 的关联添加到您的 Product 模型中:has_many :Eventproduct

于 2012-07-02T13:53:23.187 回答
4

我想出了一个可以帮助你的查询。您必须确定时间范围的条件及其逻辑。

查询应该类似于

Product.joins(:events).where("events.start_date <= :start_date", {start_date: Time.now})

where 子句应该包含过滤不需要的事件的逻辑。再次,那段代码应该让你开始。因此,要回答您的问题,这是可能的。查看您获得的查询并解决该查询以使条件符合您的需求。另外,看看这个链接,它应该可以帮助你像我一样修改 where 子句:http: //guides.rubyonrails.org/active_record_querying.html

希望这对你有帮助!

更新:

您可能必须与 Product.all 一起做一些设置差异以包含那些根本没有事件的产品,因为如果产品在 EventProduct 表中没有事件,则该查询将返回空。它可能效率不高,但它应该根据您的需要工作。

Product.all - Product.joins(:events).where("condition reversed")

这应该返回所有不符合您条件的产品,包括那些还没有事件的产品。

于 2012-07-02T14:51:29.103 回答