springboot使用jdbc连接数据库查询数据
时间: 2024-09-14 12:08:24 浏览: 45
Spring Boot 使用 JDBC 连接数据库查询数据通常需要以下几个步骤:
1. 添加依赖:在 `pom.xml` 或者 `build.gradle` 中添加 Spring Data JPA 和对应的数据库驱动的依赖,例如 MySQL 的话可以加:
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-jpa</artifactId>
</dependency>
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
</dependency>
```
2. 配置数据源:在 `application.properties` 或 `application.yml` 文件中配置数据库连接信息:
```properties
spring.datasource.url=jdbc:mysql://localhost:3306/mydatabase
spring.datasource.username=myusername
spring.datasource.password=mypassword
spring.jpa.hibernate.ddl-auto=update
```
3. 定义实体类(Entity):对应数据库表结构的 Java 类,包含 @Table 注解和字段映射。
4. 创建Repository接口:继承 JpaRepository 或者自定义 JPA Repository 接口,提供CRUD操作。例如:
```java
import org.springframework.data.repository.CrudRepository;
public interface MyRepository extends CrudRepository<MyEntity, Long> {
}
```
5. 使用Repository:在服务类(Service)中注入 Repository,通过 Repository 对象执行查询。例如:
```java
import org.springframework.beans.factory.annotation.Autowired;
public class MyService {
private final MyRepository repository;
@Autowired
public MyService(MyRepository repository) {
this.repository = repository;
}
public List<MyEntity> getAllData() {
return repository.findAll();
}
}
```
阅读全文