我在我的Rails 5 api项目中有两个模型:Place和Beacons(Place 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 对象(甚至根本没有信标)。如何在参数数组中保存所有信标并生成包含所有信标的响应?
答案 0 :(得分:1)
我假设放置has_many :beacons
。如果是这样,您可以使用嵌套属性。这允许您分配和更新嵌套资源,在本例中为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)
,它将自动创建信标并将它们与Place关联。
如果您想了解更多信息或说明,可以在此处阅读更多内容:http://api.rubyonrails.org/classes/ActiveRecord/NestedAttributes/ClassMethods.html
编辑:我错过了你问如何在响应中包含信标的地方。最快的方法是将它包含在json渲染中:
render :json => @place.to_json(:include => :beacons)
您可以使用Active模型序列化程序(https://github.com/rails-api/active_model_serializers),jbuilder(https://github.com/rails/jbuilder),或者更简单地覆盖模型上的to_json
方法。