spring 使用hibernate以编程方式验证架构

np8igboo  于 2023-09-29  发布在  Spring
关注(0)|答案(3)|浏览(185)

在mose项目中,使用schema验证运行java app的方法是使用该配置(当使用spring时):

spring.jpa.hibernate.ddl-auto=validate

我遇到了一个问题,我需要在运行过程中的特定时间验证我的模式,有什么方法可以实现吗?
我看到hibernate用AbstractSchemaValidator管理它,我用spring和hibernate,我没有找到任何如何处理它的信息,
我找到的唯一的东西是How to validate database schema programmatically in hibernate with annotations?,但它在旧版本的spring-boot中被删除了

<dependency>
    <groupId>org.springframework.data</groupId>
    <artifactId>spring-data-jpa</artifactId>
    <version>2.0.4.RELEASE</version>
</dependency>

有什么主意吗?

vhmi4jdf

vhmi4jdf1#

如果您的用例需要:

  • 对应该验证模式的哪一部分进行粒度和显式控制
  • 需要验证多个模式
  • 需要验证未被服务使用的模式,计划验证程序在该模式上运行
  • 应用程序使用的数据库连接不应该以任何方式受到验证的影响(这意味着,您不希望从主连接池借用连接)

如果以上内容适用于您的需求,那么以下是如何进行计划模式验证的示例
1.来源

@SpringBootApplication
@EnableScheduling
@EnableConfigurationProperties(ScheamValidatorProperties.class)
public class SchemaValidatorApplication {
     public static void main(String[] args) {
       SpringApplication.run(SchemaValidatorApplication.class, args);
    }
}

@ConfigurationProperties("schema-validator")
class ScheamValidatorProperties {
    public Map<String, String> settings = new HashMap<>();

    public ScheamValidatorProperties() {
    }

    public Map<String, String> getSettings() { 
        return this.settings;
    }

    public void setSome(Map<String, String> settings) { 
        this.settings = settings;
    }
}

@Component
class ScheduledSchemaValidator {

    private ScheamValidatorProperties props;

    public ScheduledSchemaValidator(ScheamValidatorProperties props) {
        this.props = props;
    }

    @Scheduled(cron = "0 0/1 * * * ?")
    public void validateSchema() {
        StandardServiceRegistry serviceRegistry = new StandardServiceRegistryBuilder()
            .applySettings(props.getSettings())
            .build();

        Metadata metadata = new MetadataSources(serviceRegistry)
            .addAnnotatedClass(Entity1.class)
            .addAnnotatedClass(Entity2.class)
            .buildMetadata();

        try {
            new SchemaValidator().validate(metadata, serviceRegistry);
        } catch (Exception e) {
            System.out.println("Validation failed: " + e.getMessage());
        } finally {
            StandardServiceRegistryBuilder.destroy(serviceRegistry);
        }
    }
}

@Entity
@Table(name = "table1")
class Entity1 {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;

    Entity1() {}

    public Long getId() {
        return id;
    }

}

@Entity
@Table(name = "table2")
class Entity2 {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;

    Entity2() {}

    public Long getId() {
        return id;
    }
}

1.schema.sql

CREATE DATABASE IF NOT EXISTS testdb;

CREATE TABLE IF NOT EXISTS `table1` (
  `id` bigint(20) NOT NULL AUTO_INCREMENT,
  PRIMARY KEY (`id`)
);

CREATE TABLE IF NOT EXISTS `table2` (
  `id` bigint(20) NOT NULL AUTO_INCREMENT,
  PRIMARY KEY (`id`)
);

1.application.yml

spring:
  cache:
    type: none
  datasource:
    driver-class-name: com.mysql.cj.jdbc.Driver
    url: jdbc:mysql://localhost:3309/testdb?useSSL=false&nullNamePatternMatchesAll=true&serverTimezone=UTC&allowPublicKeyRetrieval=true
    username: test_user
    password: test_password
    testWhileIdle: true
    validationQuery: SELECT 1
  jpa:
    show-sql: false
    database-platform: org.hibernate.dialect.MySQL8Dialect
    hibernate:
      ddl-auto: none
      naming:
        physical-strategy: org.springframework.boot.orm.jpa.hibernate.SpringPhysicalNamingStrategy
        implicit-strategy: org.springframework.boot.orm.jpa.hibernate.SpringImplicitNamingStrategy
    properties:
      hibernate.dialect: org.hibernate.dialect.MySQL8Dialect
      hibernate.cache.use_second_level_cache: false
      hibernate.cache.use_query_cache: false
      hibernate.generate_statistics: false
      hibernate.hbm2ddl.auto: validate

schema-validator:
    settings:
        connection.driver_class: com.mysql.cj.jdbc.Driver
        hibernate.dialect: org.hibernate.dialect.MySQL8Dialect
        hibernate.connection.url: jdbc:mysql://localhost:3309/testdb?autoReconnect=true&useSSL=false&allowPublicKeyRetrieval=true
        hibernate.connection.username: test_user
        hibernate.connection.password: test_password
        hibernate.default_schema: testdb

1.docker-compose.yml

version: '3.0'

services:
  db:
    image: mysql:8.0.14
    restart: always
    ports:
     - 3309:3306
    environment:
      MYSQL_ROOT_PASSWORD: test_password
      MYSQL_DATABASE: testdb
      MYSQL_USER: test_user
      MYSQL_PASSWORD: test_password
cetgtptt

cetgtptt2#

如果你想让SchemaValidator重用项目中已经配置的连接配置和Map信息,而不是为了模式验证而再次定义它们,你应该考虑我的解决方案,这样你就不需要在两个不同的地方维护这些配置。
实际上,SchemaValidator需要的是Metadata示例,该示例仅在引导Hibernate时可用。但是我们可以使用Hibernate Integrator API(如here中所述)来捕获它,以便稍后验证它们。
(1)创建SchemaValidateService,实现Hibernate Integrator API来捕获Metadata。还要设置一个@Scheduled方法来在所需的时间验证模式。

@Component
public class SchemaValidateService implements Integrator {

    private Metadata metadata;

    @Override
    public void integrate(Metadata metadata, SessionFactoryImplementor sessionFactory,
            SessionFactoryServiceRegistry serviceRegistry) {
        this.metadata = metadata;
    }

    @Override
    public void disintegrate(SessionFactoryImplementor sessionFactory, SessionFactoryServiceRegistry serviceRegistry) {
    }

    //Adjust the scheduled time here
    @Scheduled(cron = "0 0/1 * * * ?")
    public void validate() {
        try {
            System.out.println("Start validating schema");
            new SchemaValidator().validate(metadata);
        } catch (Exception e) {
            //log the validation error here.
        }
        System.out.println("Finish validating schema....");
    }
}

(2)将SchemaValidateService注册到Hibernate

@SpringBootApplication
@EnableScheduling
public class App {

    @Bean
    public HibernatePropertiesCustomizer hibernatePropertiesCustomizer(SchemaValidateService schemaValidateService) {
        return (prop -> {
            List<Integrator> integrators = new ArrayList<>();
            integrators.add(schemaValidateService);
            prop.put("hibernate.integrator_provider", (IntegratorProvider) () -> integrators);
        });
    }
}

此外,该解决方案应该具有更好的性能,因为它不需要每次都创建新的数据库连接来验证模式,因为它可以从现有的连接池中获取连接。

flvtvl50

flvtvl503#

当我需要找到一种在测试用例中通过Hibernate验证模式的方法时,我偶然发现了这篇文章。原因是模式是在测试中使用数据库脚本创建的。当我设置以下属性时

hibernate.hbm2ddl.auto=validate

在执行create脚本之前,Hibernate会立即报告表不存在。
因此,我需要一种方法在创建模式后对其进行验证。我发现在Hibernate 6.2中引入了SchemaManager接口,您可以通过SessionFactory获得该接口,该接口非常适合此任务。
使用以下代码,您可以轻松地验证测试用例中的当前模式:

@Autowired
SessionFactory sessionFactory;
   
@Test
void validateSchema() {
  sessionFactory.getSchemaManager().validateMappedObjects();
}

相关问题