我正在使用Sqlite开发一个Rails应用程序,并且有一个与其他几个表关联的用户表。尝试重命名用户中的列时,我在运行 rails db:migrate 时收到主题错误。
我在这里看到很多帖子都有类似的问题,但没有一个奏效。具体来说,常见的补救措施似乎是对所有has_many和has_one协会使用"依赖::d雌激素"。我正在这样做,但仍然收到错误。
我做错了什么?
下面是我的代码:
class User < ApplicationRecord
devise :database_authenticatable, :registerable,
:recoverable, :rememberable, :trackable, :validatable
has_one :profile, dependent: :destroy
has_many :bikes, dependent: :destroy
has_many :bookings, dependent: :destroy
has_many :rented_bikes, through: :bookings, source: :bike
has_many :conversations, dependent: :destroy
has_many :likes, dependent: :destroy
has_many :liked_bikes, through: :likes, :source => :bike
has_many :viewed_bikes, through: :views, :source => :bike
has_many :views, dependent: :destroy
has_many :reviews, dependent: :destroy
end
class Profile < ApplicationRecord
belongs_to :user
end
class Bike < ApplicationRecord
belongs_to :user
has_many :images, dependent: :destroy
has_many :bookings, dependent: :destroy
has_many :booked_users, through: :bookings, source: :user
has_many :conversations, dependent: :destroy
has_many :likes, dependent: :destroy
has_many :liking_users, :through => :likes, :source => :user
has_one :amenity, dependent: :destroy
has_many :places, dependent: :destroy
has_many :views, dependent: :destroy
end
class Booking < ApplicationRecord
belongs_to :bike
belongs_to :user
has_one :review, dependent: :destroy
validates :date_start, presence: true
validates :date_end, presence: true
validates :user_id, presence: true
end
class Conversation < ApplicationRecord
belongs_to :user
belongs_to :bike
has_many :messages, dependent: :destroy
end
class Like < ApplicationRecord
belongs_to :user
belongs_to :flat
end
class View < ApplicationRecord
belongs_to :user
belongs_to :flat
end
class Review < ApplicationRecord
belongs_to :user
belongs_to :booking
end
迁移:
class ChangeCustomerIdToUserId < ActiveRecord::Migration[5.1]
def change
rename_column :users, :customer_id, :client_id
end
end
您同时遇到几个问题:
- SQLite 不支持重命名列,因此 ActiveRecord 驱动程序以艰难的方式实现列重命名:使用新列名创建一个新表,复制所有数据,删除原始表,重命名新表。请注意,这最近发生了变化,因此最新的 SQLite 确实支持就地重命名列。
- 您在引用
users
表的其他表中具有外键。
(2( 是在迁移过程中触发错误的原因:当有外键引用表时,您不能删除表(请参阅 (1((,因为删除表会违反这些外键。
解决方案是删除迁移中的所有有问题的 FK,然后执行rename_column
,然后重新添加所有 FK。另一种选择是尝试关闭 FK 并在迁移中重新打开它们,如下所示:
connection.execute("PRAGMA defer_foreign_keys = ON")
connection.execute("PRAGMA foreign_keys = OFF")
rename_column :users, :customer_id, :client_id
connection.execute("PRAGMA foreign_keys = ON")
connection.execute("PRAGMA defer_foreign_keys = OFF")
可能有效。
三个月前对 Rails 进行了一次提交,应该可以解决此问题,但我认为它还没有进入任何发布版本。