J'ai un résultat ActiveRecord d'une opération de recherche:
tasks_records = TaskStoreStatus.find(
:all,
:select => "task_id, store_name, store_region",
:conditions => ["task_status = ? and store_id = ?", "f", store_id]
)
Maintenant, je veux convertir ces résultats en un tableau de hachages comme celui-ci:
[0] -> { :task_d => 10, :store_name=> "Koramanagala", :store_region=> "India" }
[1] -> { :task_d => 10, :store_name=> "Koramanagala", :store_region=> "India" }
[2] -> { :task_d => 10, :store_name=> "Koramanagala", :store_region=> "India" }
afin que je puisse parcourir le tableau et ajouter plus d'éléments à des hachages, puis convertir le résultat en JSON
pour la réponse de mon API. Comment puis-je faire ceci?
Tu devrais utiliser as_json
méthode qui convertit les objets ActiveRecord en Ruby Hash malgré son nom
tasks_records = TaskStoreStatus.all
tasks_records = tasks_records.as_json
# You can now add new records and return the result as json by calling `to_json`
tasks_records << TaskStoreStatus.last.as_json
tasks_records << { :task_id => 10, :store_name => "Koramanagala", :store_region => "India" }
tasks_records.to_json
Vous pouvez également convertir n’importe quel objet ActiveRecord en un hachage avec serializable_hash
et vous pouvez convertir tous les résultats ActiveRecord en un tableau avec to_a
, donc pour votre exemple:
tasks_records = TaskStoreStatus.all
tasks_records.to_a.map(&:serializable_hash)
Et si vous voulez une solution laide pour Rails avant la v2.3
JSON.parse(tasks_records.to_json) # please don't do it
Peut être?
result.map(&:attributes)
Si vous avez besoin de symboles clés:
result.map { |r| r.attributes.symbolize_keys }
Pour ActiveRecord actuel (4.2.4+), il existe une méthode to_hash
sur l’objet Result
qui renvoie un tableau de hachages. Vous pouvez ensuite mapper dessus et convertir en hachages symbolisés:
# Get an array of hashes representing the result (column => value):
result.to_hash
# => [{"id" => 1, "title" => "title_1", "body" => "body_1"},
{"id" => 2, "title" => "title_2", "body" => "body_2"},
...
]
result.to_hash.map(&:symbolize_keys)
# => [{:id => 1, :title => "title_1", :body => "body_1"},
{:id => 2, :title => "title_2", :body => "body_2"},
...
]
Voir la documentation ActiveRecord :: Result pour plus d'informations .