springboot2.6.1集成pg数据库
时间: 2025-01-03 11:13:13 浏览: 5
Spring Boot 2.6.1 集成 PostgreSQL 数据库通常涉及以下几个步骤:
1. 添加依赖:首先在项目的 `pom.xml` 或者 `build.gradle` 文件中添加 Spring Data JPA 和 PostgreSQL 的支持。例如,在 Maven 中添加以下依赖:
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-jpa</artifactId>
</dependency>
<dependency>
<groupId>org.postgresql</groupId>
<artifactId>postgresql</artifactId>
</dependency>
```
2. 配置数据源:在配置文件(通常是 `application.properties` 或 `application.yml`)中设置数据库连接信息,如 URL、用户名和密码:
```properties
spring.datasource.url=jdbc:postgresql://localhost:5432/mydatabase
spring.datasource.username=myuser
spring.datasource.password=mypassword
```
3. 定义实体类:创建对应的 Java 实体类,它们会映射到 PostgreSQL 表中。例如:
```java
@Entity
public class MyEntity {
@Id
private Long id;
private String name;
// getters and setters...
}
```
4. 注解映射:使用 `@Repository` 注解标记存储相关的类,表明这是一个 JPA 库操作数据的仓库:
```java
@Repository
public interface MyRepository extends JpaRepository<MyEntity, Long> {
}
```
5. 配置 JPA:在主配置类中启用 JPA,并指定默认的数据源和扫描的实体包:
```java
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.Bean;
import org.springframework.data.jpa.repository.config.EnableJpaRepositories;
@SpringBootApplication
@EnableJpaRepositories(basePackages = "com.example.myapp.repository")
public class App {
@Autowired
private DataSource dataSource;
// 如果需要,可以配置事务管理器等其他选项
public static void main(String[] args) {
SpringApplication.run(App.class, args);
}
// 可选的 Bean 注入
@Bean
public PlatformTransactionManager transactionManager(DataSource dataSource) {
return new HibernateTransactionManager(dataSource);
}
}
```
阅读全文