Updating objects with Grape can be a little tricky and can lead to pretty bloated PUT methods. The simplest way to keep your code clean is to use update_attributes. Then you can pass in your params and update your object with just 1 line of code.

project.update_attributes(params[:project])

The only issue with this is that update_attributes will allow users to update any field that is set as attr_accessible in your model.

To limit which fields are exposed through your API, you can use declared() to return a hash of only attributes that are in your Grape params block.

Here is a full example of a PUT method to edit a project. Since this is using declared. Only title and description will be passed into update_attributes regardless of what the user passed to your API. Also notice that I set include_missing to false. This means that if a param is not set, it will not be included in the hash.

# Edit a project
desc "Edit a project"
params do
  group :project do
    optional :title, type: String, desc: "Edit title."
    optional :description, type: String, desc: "Edit description."
  end
end
put '/:id' do
  project = Project.find_by_id(params[:id])

  if project.nil?
    error!("Project #{params[:id]} does not exist")
  end

  if project.update_attributes(declared(params[:project], {include_missing: false}))
    project.as_json(only: [ :id, :title, :description])
  else
    error!({error:project.errors.messages})
  end
end