Active Record specify a value select out from where() in update_all

567 Views Asked by At

I'd like to update multiple rows with update_all, but I need to use the existed value in one column selected from where(), how can I specify the value in update_all, it looks like this:

# == Schema Information
#
# Table name: records
#
#  id                 :integer          not null, primary key
#  name               :string
#  game_id            :integer
#  score              :integer
#  date               :date

Record.where(:name => "mike", :game_id => 1).update_all(score: "here I want to take out the score out and do some modifications and then store back")

Thanks a lot.

2

There are 2 best solutions below

1
On BEST ANSWER

You must use SQL code to update in the manner which you want. Note that there is no way to use Ruby code to directly manipulate the score. You could create a database function if needed.

# Increment each score by a given amount
increment_amount = 10
Record.where(:name => "mike", :game_id => 1).update_all("score=score + #{increment_amount}")
1
On

That's not really what update_all is used for. update_all generally sets the value of every instance of a certain model to one value. You could not use update_all and instead do something like

Record.where(:name => 'mike', :game_id => 1).each do |record|
  # record.score = record.score * 3 + 1
  record.save!
end

Where the comment is just an example.