我目前正在开发个人Rails 4项目,在其中一个控制器中,我有一个由三个不同对象组成的数组,我正在尝试将其转换为JSON。我正在使用find_by_sql
方法使用自定义MySQL查询来查询数据库。代码如下:
控制器:
class ActivitiesController < ApplicationController
def index
user = current_user.id # using devise
limit = 100
likes = Like.find_by_sql(...)
shares = Share.find_by_sql(...)
comments = Comment.find_by_sql(...)
@activities = [likes, shares, comments]
end
end
三个对象中的每一个都包含不同的字段。例如,likes
对象包含 post_id , first_name , last_name 等字段。shares
对象包含字段,例如 post_id , share_count , shared_time 等。
这是我要输出的JSON:
{
"likes": [
{ "post_id": "7", "first_name": "Yss", "last_name": "Salas", "profile_pic": "345943754_o.png" },
{ "post_id": "34", "first_name": "Jessica", "last_name": "Nigri", "profile_pic": "pikachu.png" }
],
"shares": [
{ "post_id": "43", "share_count": 54, "shared_time": "2014-05-04 15:14:45" },
{ "post_id": "54", "share_count": 17, "shared_time": "2014-05-24 03:43:45" }
],
"comments": [
{ "post_id": "34", "first_name": "Yss", "last_name": "Salas", "comment": "¡Me gustas mucho!" },
{ "post_id": "12", "first_name": "Jenna", "last_name": "Marbles", "comment": "Blah blah blah look at my ugly dog awwwww!" }
]
}
index.json.jbuilder:
json.array! @activities do |subactivities|
json.array! subactivities do |activity|
if activity.class == Like
json.likes.post_id activity.post_id #exception raised in this line
json.likes.title activity.title
json.likes.first_name activity.first_name
json.likes.last_name activity.last_name
json.likes.profile_pic activity.profile_pic
elsif activity.class == Share
json.shares.post_id activity.post_id
json.shares.share_count activity.share_count
json.shares.shared_time activity.shared_time
else
json.comments.post_id activity.post_id
json.comments.first_name activity.first_name
json.comments.last_name activity.last_name
json.comments.comment activity.comment
end
end
end
以上引发了异常NoMethodError in Activities#index, undefined method 'post_id' for #<Object:0x00000003064250>
。我是Rails的新手,我猜这种情况正在发生,因为没有json.likes
属性来分配值。如何使用JBuilder构建上述JSON结构?
答案 0 :(得分:2)
你可以在没有JBuilder的情况下做到这一点,更容易,更快。
def index
user = current_user.id # using devise
limit = 100
likes = Like.find_by_sql(...).map(&:attributes) # this will return an array of JSON objects
shares = Share.find_by_sql(...).map(&:attributes)
comments = Comment.find_by_sql(...).map(&:attributes)
@activities = {"likes" => likes, "shares" => shares, "comments" => comments}
end
像这样,你有一个哈希,包含你需要的所有信息。
最好将查找喜欢,分享和评论的逻辑提取到一个单独的类中,这样您就可以调用InformationCollector.collect
,它会为您提供所需的响应。
答案 1 :(得分:2)
从Jbuilder的GitHub page开始,解决方案非常简单。所有需要做的就是将实例变量传递给一个块,并手动分配自定义键/值对。
以下示例将为@likes
实例变量生成键/值对数组:
# activities/index.json.jbuilder
json.likes @likes do |like|
json.post_id like.post_id
json.first_name like.user.first_name
json.last_name like.user.last_name
json.profile_pic like.user.profile_pic
end
以上将输出:
{
"likes": [
{ "post_id": 7, "first_name": "Yss", "last_name": "Salas", "profile_pic": "345943754_o.png" },
{ "post_id": 34, "first_name": "Jessica", "last_name": "Nigri", "profile_pic": "pikachu.png" }
],
}