5

我正在关注Import CSV Railscast,它是直截了当的。

问题在于它只处理一个 csv 文件,该文件仅包含 1 个文件中的 1 个模型中的信息。

比如说,我有一个 CSV 文件,我正在尝试将其导入到我的Listing模型中。在每一行/列表上,它都有一个名为的列Building,其中值实际上是该列表的构建属性的名称(即@listing.building.name)。

我如何处理进口中的这些情况?

这是 Ryan 进入 Railscast 的壁橱,Product在他的案例中是模型:

def self.import(file)
  CSV.foreach(file.path, headers: true) do |row|
    product = find_by_id(row["id"]) || new
    product.attributes = row.to_hash.slice(*accessible_attributes)
    product.save!
  end
end

正在发生的一切是他正在检查产品是否存在,如果存在则更新属性。如果没有,则创建一个新的。

不太确定在这种情况下如何处理关联……特别是考虑到如果关联记录不存在,则需要在此过程中创建关联记录。

所以回到我building.name之前的例子,如果没有Building.find_by_name(name),那么它应该创建一个新的建筑记录。

想法?

4

1 回答 1

2

试试这个

def self.import(file)
  CSV.foreach(file.path, headers: true) do |row|
    product = find_by_id(row["id"]) || new
    product.attributes = row.to_hash.slice(*accessible_attributes)
    product.save!

    building = product.buildings.find_by_name(row['building_name'])
    building ||= product.buildings.build
    building.attributes = row.to_hash.slice(*build_accessible_attributes)
    building.save!
  end
end

更新:使用新的 rails 3 方法更新答案

def self.import(file)
  CSV.foreach(file.path, headers: true) do |row|
    product = where(id: row["id"])
      .first_or_create!(row.to_hash.slice(*accessible_attributes))

    product.buildings.where(name: row['building_name'])
      .first_or_create!(row.to_hash.slice(*building_accessible_attributes))
  end
end
于 2013-02-01T08:32:45.487 回答