小编典典

Grails:创建动态SQL连接

sql

对于我的应用程序,我需要在运行时进行动态数据库连接。我知道,有多种方法可以创建多个数据源,但我认为它们并不是那么动态。设想:

用户可以输入数据库凭据并连接到远程数据库,以将单个行和表导入另一个数据库。为此,我需要动态连接到远程数据库。

我试图在服务中做到这一点,就像他们在“如果在grails中使用groovy
sql类”中所说的那样,它是否使用grails连接池?

注意:在这种情况下,GORM是可有可无的,我可以改用普通SQL。

有任何想法吗?谢谢..

编辑:Grails 2.3.4


阅读 222

收藏
2021-03-23

共1个答案

小编典典

您可以执行以下操作在运行时注册DataSource bean:

给予Grails服务:

package whatever

import groovy.sql.Sql
import org.springframework.context.*
import org.apache.tomcat.jdbc.pool.DataSource
import org.springframework.context.support.GenericApplicationContext

class DataSourceService implements ApplicationContextAware {

    ApplicationContext  applicationContext

    def registerBean( String beanName, String dsurl, String uid, String pwd ) {
        if( !applicationContext.containsBean( beanName ) ) {
            def bb = new grails.spring.BeanBuilder()
            bb.beans {
                "$beanName"( DataSource ) {
                    driverClassName = "com.mysql.jdbc.Driver"
                    url             = dsurl
                    username        = uid
                    password        = pwd
                    validationQuery = "SELECT 1"
                    testOnBorrow    = true
                    maxActive       = 1
                    maxIdle         = 1
                    minIdle         = 1
                    initialSize     = 1
                }
            }
            bb.registerBeans( applicationContext )
            log.info "Added $beanName"
        }
        else {
            log.error "Already got a bean called $beanName"
        }
    }

    def deRegisterBean( String beanName ) {
        if( applicationContext.containsBean( beanName ) ) {
            (applicationContext as GenericApplicationContext).removeBeanDefinition( beanName )
            log.info "Removed $beanName"
        }
        else {
            log.error "Trying to deRegister a bean $beanName that I don't know about"
        }
    }

    def getSql( String beanName ) {
        Sql.newInstance( applicationContext.getBean( beanName ) )
    }
}

然后,您应该能够调用该服务以注册新的数据源:

dataSourceService.registerBean( 'myDS', 'jdbc:mysql://localhost:3306/mysql', 'test', 'test' )

为此获取一个Groovy Sql对象:

dataSourceService.getSql( 'myDS' ).rows( 'SELECT * FROM whatever' )

并在完成后删除豆

dataSourceService.deRegisterBean( 'myDS' )

手指交叉…我已经从我的项目中删除了该代码,并更改/未对其进行测试;-)

更新

已经创建了runtime-datasources插件,该插件使用本文中概述的方法来允许在运行时添加/删除数据源。

2021-03-23