Storing arrays in database : JSON vs. serialized array

前端 未结 1 1108
轻奢々
轻奢々 2020-11-28 04:08

With ruby-on-rails, I want to store an array of 3 elements: the last 3 comments of a post. I know I could join the Comment table to the Post one, but I would avoid to do thi

相关标签:
1条回答
  • 2020-11-28 04:33

    You can store Arrays and Hashes using ActiveRecord's serialize declaration:

    class Comment < ActiveRecord::Base
      serialize :stuff
    end
    
    comment = Comment.new  # stuff: nil
    comment.stuff = ['some', 'stuff', 'as array']
    comment.save
    comment.stuff # => ['some', 'stuff', 'as array']
    

    You can specify the class name that the object type should equal to (in this case Array). This is more explicit and a bit safer. You also won't have to create the array when you assign the first value, since you'll be able to append to the existing (empty) array.

    class Comment < ActiveRecord::Base
      serialize :stuff, Array
    end
    
    comment = Comment.new  # stuff: []
    comment.stuff << 'some' << 'stuff' << 'as array'
    

    You can even use a neater version called store: http://api.rubyonrails.org/classes/ActiveRecord/Store.html

    This should handle your use case using a built in method.

    0 讨论(0)
提交回复
热议问题