在 Rails 中保存参数数组

Saving an array of params in Rails

我的 Rails 5 api 项目中有两个模型:Places 和 Beacons(放置 has_many Beacons,外键:place_id)。这个API接受JSON,比如这个:

{
  "place":{
    "name": "bedroom"
  },
  "beacon":{
    "SSID": "My Wi-Fi",
    "BSSID": "00:11:22:33:44:55",
    "RSSI": "-55"
  }
}

这个 JSON 工作得很好,这些 类:

def create
    @place = Place.new(place_params)
    @beacon = Beacon.new(beacon_params)


    if @place.save
      @beacon.place_id=@place.id
      if @beacon.save
        render :json => {:place => @place, :beacon => @beacon}, status: :created, location: @places
      else
        render json: @beacon.errors, status: :unprocessable_entity
      end
    else
      render json: @place.errors, status: :unprocessable_entity
    end
end

  private
    # Use callbacks to share common setup or constraints between actions.
    def set_place
      @place = Place.find(params[:id])
    end

    # Only allow a trusted parameter "white list" through.
    def place_params
      params.require(:place).permit(:name)
    end

  def beacon_params
    params.require(:beacon).permit(:SSID, :BSSID, :RSSI)
  end

但是,我希望在数组中的同一个 JSON 中传递多个 Beacons 对象(甚至根本没有信标)。我如何才能将所有信标保存在参数数组中并生成包含所有信标的响应?

我假设地点 has_many :beacons。如果是这样,您可以使用嵌套属性。这使您可以分配和更新嵌套资源,在本例中为信标。首先,在您的 Place 模型中:

accepts_nested_attributes_for :beacons

然后,更改控制器中的 place_params 方法以允许信标的嵌套属性:

def place_params
  params.require(:place).permit(:name, beacons_attributes: [:id, :SSID, :BSSID, :RSSI])
end

还有你的json:

{
  "place":{
    "name": "bedroom",
    "beacons_attributes": [
      {
        "SSID": "My Wi-Fi",
        "BSSID": "00:11:22:33:44:55",
        "RSSI": "-55"
      }, { 
        //more beacons here 
      }
    ]
  },

}

您可以拥有零个、一个或多个信标,如果包含信标的 ID,更新时也可以这样做。

您也不必手动创建 @beacon,只需执行以下操作:@place = Place.new(place_params),它会自动创建信标并将它们关联到地点。

如果您想了解更多信息或说明,可以在此处阅读更多内容:http://api.rubyonrails.org/classes/ActiveRecord/NestedAttributes/ClassMethods.html

编辑:我错过了您询问如何在响应中包含信标的地方。最快的方法是将它包含在 json 渲染中:

render :json => @place.to_json(:include => :beacons)

您可以使用活动模型序列化程序 (https://github.com/rails-api/active_model_serializers), jbuilder (https://github.com/rails/jbuilder),或者更简单地覆盖模型上的 to_json 方法。