1. 添加依赖:
首先,确保在项目的pom.xml文件中添加Spring Data Neo4j的依赖:
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-neo4j</artifactId>
</dependency>
2. 配置数据库连接:
在application.properties或application.yml文件中配置Neo4j数据库连接信息:
spring.data.neo4j.uri=bolt://localhost:7687
spring.data.neo4j.username=your_username
spring.data.neo4j.password=your_password
3. 创建实体类:
创建一个用于映射到Neo4j节点的实体类,使用@NodeEntity和@Property注解:
import org.neo4j.springframework.data.core.schema.Node;
import org.springframework.data.annotation.Id;
import org.springframework.data.annotation.GeneratedValue;
@Node
public class Person {
@Id @GeneratedValue
private Long id;
private String name;
private int age;
// Getters and setters
}
4. 创建Repository接口:
创建一个继承自Neo4jRepository的接口,用于执行与实体类相关的数据库操作:
import org.springframework.data.neo4j.repository.Neo4jRepository;
public interface PersonRepository extends Neo4jRepository<Person, Long> {
// 可以定义一些自定义的查询方法
}
5. 在服务类中使用Repository:
在服务类中使用PersonRepository来执行数据库操作:
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
@Service
public class PersonService {
private final PersonRepository personRepository;
@Autowired
public PersonService(PersonRepository personRepository) {
this.personRepository = personRepository;
}
public void savePerson(Person person) {
personRepository.save(person);
}
public Iterable<Person> getAllPersons() {
return personRepository.findAll();
}
}
6. 在控制器中使用服务类:
最后,在控制器中使用PersonService来处理HTTP请求:
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;
@RestController
@RequestMapping("/persons")
public class PersonController {
private final PersonService personService;
@Autowired
public PersonController(PersonService personService) {
this.personService = personService;
}
@PostMapping
public void createPerson(@RequestBody Person person) {
personService.savePerson(person);
}
@GetMapping
public Iterable<Person> getAllPersons() {
return personService.getAllPersons();
}
}
以上是一个简单的Spring Boot应用程序,演示了如何使用Spring Data Neo4j来与Neo4j数据库交互。在实际应用中,你可能需要根据具体需求添加更多的功能和复杂性。
转载请注明出处:http://www.zyzy.cn/article/detail/9314/Neo4j