我在rails应用程序中使用rails generate migrations命令创建了一个表。这是迁移文件:
class CreateListings < ActiveRecord::Migration
def change
create_table :listings do |t|
t.string :name
t.string :telephone
t.string :latitude
t.string :longitude
t.timestamps
end
end
end
然后我想将纬度和经度存储为整数 我试着跑:
rails generate migration changeColumnType
并且该文件的内容是:
class ChangeColumnType < ActiveRecord::Migration
def up
#change latitude columntype from string to integertype
change_column :listings, :latitude, :integer
change_column :listings, :longitude, :integer
#change longitude columntype from string to integer type
end
def down
end
end
我希望列类型能够更改,但是rake已中止并出现以下错误消息。我想知道为什么这不通过?我在我的应用程序中使用postgresql。
rake db:migrate
== ChangeColumnType: migrating ===============================================
-- change_column(:listings, :latitude, :integer)
rake aborted!
An error has occurred, this and all later migrations canceled:
PG::Error: ERROR: column "latitude" cannot be cast to type integer
: ALTER TABLE "listings" ALTER COLUMN "latitude" TYPE integer
Tasks: TOP => db:migrate
(See full trace by running task with --trace)
注意:该表没有DATA。 感谢
答案 0 :(得分:24)
我引用手册about ALTER TABLE
:
如果没有隐式或赋值,则必须提供USING子句 从旧型转变为新型。
您需要的是:
ALTER TABLE listings ALTER longitude TYPE integer USING longitude::int; ALTER TABLE listings ALTER latitude TYPE integer USING latitude::int;
或者在一个命令中更短更快(对于大表):
ALTER TABLE listings ALTER longitude TYPE integer USING longitude::int
,ALTER latitude TYPE integer USING latitude::int;
只要所有条目均可转换为integer
,此可使用或不使用数据。
如果您为列定义了DEFAULT
,则可能必须删除并重新创建新类型。
这是blog article on how to do this with ActiveRecord 或者在评论中使用@ mu的建议。他知道他的Ruby。我在这里只对PostgreSQL很好。
答案 1 :(得分:22)
我会在您的迁移文件中包含原始SQL,如下所示,以便更新schema.rb。
class ChangeColumnType < ActiveRecord::Migration
def up
execute 'ALTER TABLE listings ALTER COLUMN latitude TYPE integer USING (latitude::integer)'
execute 'ALTER TABLE listings ALTER COLUMN longitude TYPE integer USING (longitude::integer)'
end
def down
execute 'ALTER TABLE listings ALTER COLUMN latitude TYPE text USING (latitude::text)'
execute 'ALTER TABLE listings ALTER COLUMN longitude TYPE text USING (longitude::text)'
end
end
答案 2 :(得分:21)
我知道这有点难看,但我更喜欢删除列并再次添加新类型:
def change
remove_column :mytable, :mycolumn
add_column :mytable, :mycolumn, :integer, default: 0
end
答案 3 :(得分:11)
以下是解决问题的更多rails way
。对于我的情况,我在购买表中有两列我需要从类型字符串转换为浮点数。
def change
change_column :purchases, :mc_gross, 'float USING CAST(mc_gross AS float)'
change_column :purchases, :mc_fee, 'float USING CAST(mc_fee AS float)'
end
这对我有用。
答案 4 :(得分:2)
答案 5 :(得分:0)
纬度和经度是十进制
rails g scaffold client name:string email:string 'latitude:decimal{12,3}' 'longitude:decimal{12,3}'
class CreateClients < ActiveRecord::Migration[5.0]
def change
create_table :clients do |t|
t.string :name
t.string :email
t.decimal :latitude, precision: 12, scale: 3
t.decimal :longitude, precision: 12, scale: 3
t.timestamps
end
end
end