Managing mongoid migrations

后端 未结 3 752
南旧
南旧 2021-01-30 23:11

Can someone give me a short introduction to doing DB migrations in Rails using Mongoid? I\'m particularly interested in lazy per document migrations. By this, I mean that whenev

相关标签:
3条回答
  • 2021-01-30 23:21

    Zachary Anker has explained a lot in his answer.using mongoid_rails_migrations is a good option for migration.

    Here are some links with example that will be useful for you to go through and use mongoid_rails_migrations

    Mongoid Migrations using the Mongo Driver

    Embedding Mongoid documents and data migrations

    Other then this the Readme is should be enough with this example to implement mongoid migration

    0 讨论(0)
  • 2021-01-30 23:25

    If you want to do the entire migration at once, then mongoid_rails_migrations will do what you need. There isn't really much to document, it duplicates the functionality of the standard ActiveRecord migration. You write your migrations, and then you use rake db:migrate to apply them and it handles figuring out which ones have and haven't been ran. I can answer further questions if there is something specific you want to know about it.

    For lazy migrations, the easiest solution is to use the after_initialize callback. Check if a field matches the old data scheme, and if it does you modify it the object and update it, so for example:

    class Person
        include Mongoid::Document
    
        after_initialize :migrate_data
    
        field :name, :type => String
    
        def migrate_data
            if !self[:first_name].blank? or !self[:last_name].blank?
                self.set(:name, "#{self[:first_name]} #{self[:last_name]}".strip)
                self.remove_attribute(:first_name)
                self.remove_attribute(:last_name)
            end
        end
    end
    

    The tradeoffs to keep in mind with the specific approach I gave above:

    If you run a request that returns a lot of records, such as Person.all.each {|p| puts p.name} and 100 people have the old format, it will immediately run 100 set queries. You could also call self.name = "#{self.first_name} #{self.last_name}".strip instead, but that means your data will only be migrated if the record is saved.

    General issues you might have is that any mass queries such as Person.where(:name => /Foo/).count will fail until all of the data is migrated. Also if you do Person.only(:name).first the migration would fail because you forgot to include the first_name and last_name fields.

    0 讨论(0)
  • 2021-01-30 23:41

    I have the same need.

    Here is what I came up with: https://github.com/nviennot/mongoid_lazy_migration

    I would gladly appreciate some feedback

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