我添加了一个我认为我将需要的表格,但现在不再计划使用它。我该如何移除那张桌子?
我已经运行了迁移,所以这个表在我的数据库中。我认为rails生成迁移应该能够处理这个问题,但我还没有弄清楚如何处理。
我试过了:
rails generate migration drop_tablename
但这只是产生了一个空迁移。
在Rails中删除表的“官方”方式是什么?
我添加了一个我认为我将需要的表格,但现在不再计划使用它。我该如何移除那张桌子?
我已经运行了迁移,所以这个表在我的数据库中。我认为rails生成迁移应该能够处理这个问题,但我还没有弄清楚如何处理。
我试过了:
rails generate migration drop_tablename
但这只是产生了一个空迁移。
在Rails中删除表的“官方”方式是什么?
当前回答
手动编写迁移。例如:运行rails g migration DropUsers。
至于迁移的代码,我将引用Maxwell Holder的帖子Rails migration Checklist
BAD—运行rake db:migrate and then rake db:rollback将失败
class DropUsers < ActiveRecord::Migration
def change
drop_table :users
end
end
GOOD -揭示了迁移不应该可逆的意图
class DropUsers < ActiveRecord::Migration
def up
drop_table :users
end
def down
fail ActiveRecord::IrreversibleMigration
end
end
BETTER -实际上是可逆的
class DropUsers < ActiveRecord::Migration
def change
drop_table :users do |t|
t.string :email, null: false
t.timestamps null: false
end
end
end
其他回答
执行命令:-
rails g migration drop_table_name
然后:
rake db:migrate
或者如果你使用的是MySql数据库,那么:
登录数据库 显示数据库; 显示表; table_name下降;
警告:这样做的风险由您自己承担,正如@z-atef和@nzifnab正确指出的那样,Rails不会意识到这些更改,您的迁移序列填充失败,您的模式将与您的同事的不同。这仅仅是为当地的发展修修补补提供资源。
虽然这里提供的答案工作正常,但我想要一些更“直接”的东西,我在这里找到了:链接 首先进入rails控制台:
$rails console
然后输入:
ActiveRecord::Migration.drop_table(:table_name)
完成了,为我工作了!
您并不总是能够简单地生成迁移来拥有您想要的代码。您可以创建一个空迁移,然后用您需要的代码填充它。
你可以在这里找到关于如何在迁移中完成不同任务的信息:
http://api.rubyonrails.org/classes/ActiveRecord/Migration.html
更具体地说,你可以看到如何使用以下方法删除一个表:
drop_table :table_name
如果您想删除一个特定的表,您可以这样做
$ rails db:migrate:up VERSION=[Here you can insert timestamp of table]
否则,如果您想删除所有数据库,您可以这样做
$rails db:drop
首先,生成一个具有任意名称的空迁移。这样做很重要,因为它创建了适当的日期。
rails generate migration DropProductsTable
这将在/db/migrate/目录下生成一个。rb文件,如20111015185025_drop_products_table.rb
现在编辑该文件,如下所示:
class DropProductsTable < ActiveRecord::Migration
def up
drop_table :products
end
def down
raise ActiveRecord::IrreversibleMigration
end
end
我唯一添加的东西是drop_table:products和raise ActiveRecord::IrreversibleMigration。
然后运行rake db:migrate,它会帮你删除这个表。