我们有一个主数据库,我们所有的应用程序都在这里。
但是还有第二个数据库(从外部源更新),我希望能够连接到该数据库,以便从中提取数据。我不需要写任何东西......只需阅读。
它也只有一张我要拉的桌子。
我真的只需要做一些事情:
OtherDatabase.articles.where(id > 1000)
就是这样。
那么我怎样才能在Rails中运行(运行3.2.13)?
答案 0 :(得分:16)
对于简单的场景,Rails可以在没有任何额外宝石的情况下支持它;只需在database.yml中定义数据库:
other_db:
adapter: mysql2
encoding: utf8
database: other_db
username: user
password: passwd
host: 1.2.3.4
port: 3306
然后在模型中要使用其他数据库添加:
class Article < ActiveRecord::Base
establish_connection(:other_db)
self.table_name = 'other_db.articles'
end
然后您可以执行查询:
Article.where("id > 1000")
=)
答案 1 :(得分:3)
首先,我们需要定义外部数据库:
# config/database.yml
external:
adapter: sqlite3
database: db/external.sqlite3
pool: 5
timeout: 5000
对于这样的事情,我更喜欢使用一个负责数据库连接的模块。
# lib/database.rb
module Database
def self.using(db, klass=ActiveRecord::Base)
klass.establish_connection(db.to_sym)
result = yield if block_given?
klass.establish_connection(Rails.env.to_sym)
result
end
end
通过将块传递给这样的模块,我们可以确保我们不会将查询放入他们不属于或忘记恢复连接的数据库中。此外,我们默认使用ActiveRecord :: Base,以便我们可以使用任何模型。但是,如果我们知道我们只使用一个并希望隔离我们的模型用法,我们可以将其作为辅助参数传递。
结果实现可能如下所示:
# app/models/user.rb
class User < ActiveRecord::Base
def read_remote
Database.using(:external) do
account = Account.where(active: true)
account.users
end
end
end
现在我们有一个漂亮而干净的块,我们可以在任何我们喜欢的地方使用,在块中使用我们想要的任何模型,并始终在extneral数据库上运行。一旦该块完成,我们就知道我们正在恢复原始数据库。
答案 2 :(得分:0)
复制/粘贴:
对于单主机情况,您可以在database.yml中为读取从机定义另一个数据库连接:
read_slave:
adapter: postgresql
database: read_only_production
username: user
password: pass
host: read_slave_host
此数据库由一个模块支持,该模块使用此数据库连接镜像ActiveRecord类:
require 'magic_multi_connections'
module ReadSlave
establish_connection :read_slave
end
现在,可以通过read_slave连接访问所有预先存在的模型,方法是在模型类前面加上ReadSlave ::。
# use the read-only connection
@user = ReadSlave::User.find(params[:id])
# write to the master (can't use @user.update_attributes because it would#
try to write to the read slave)
User.update(@user.id, :login => "new_login")