Skip to main content

hw8-impl

  • A. 将你认为合适的内容改造为在MongoDB中存储,例如整张Book表,或者Book中的封面图片、内容介绍或书评。你可以参照课程样例将数据分别存储在MySQL和MongoDB中,也可以将所有数据都存储在MongoDB中,如果采用后者,需要确保系统功能都能正常实现,包括书籍浏览、查询、下订单和管理库存等。
  • B. 为你的每一本图书都添加一些标签,表示这些图书的类型分类。在Neo4J中将这些标签构建成一张连通图(或者是一棵树),表示这些标签之间的关系,例如,Fiction与Scientific Fiction之间有边连接,表示后者是前者的细分分类。在系统中增加一项搜索功能,如果用户按照标签搜索,你可以将Neo4J中存储的与用户选中的标签以及通过2次边连接可以关联到的所有标签都选出,作为搜索的依据,在MySQL中搜索所有带有这些标签中任意一个或多个的图书,作为图书搜索结果呈现给用户

我的实现: A. 将封面图片、内容介绍和书评放入mongo, repo代码如下

package com.example.ebookstorebackend.repo;

import com.example.ebookstorebackend.entity.BookDetailEntity;
import org.springframework.data.mongodb.repository.MongoRepository;
import org.springframework.data.mongodb.repository.Query;

import java.util.List;

public interface BookDetailRepo extends MongoRepository<BookDetailEntity, String> {
@Query(value = "{ 'bookId' : { $in : ?0 } }")
List<BookDetailEntity> findAllByBookIdIn(List<String> bookIds);
BookDetailEntity findByBookId(String bookId);
void deleteByBookId(String bookId);
@Query(value = "{ 'bookId' : ?0 }", delete = true)
void updateByBookId(String bookId, BookDetailEntity detail);
}

以及修改了entity适配mongo+mysql双repo后可能要重写serializer和redis缓存包装等

B. 查找"与用户选中的标签以及通过2次边连接可以关联到的所有标签"的核心代码如下:

package com.example.booktag.repository;

import com.example.booktag.entity.TagEntity;
import org.springframework.data.neo4j.repository.Neo4jRepository;
import org.springframework.data.neo4j.repository.query.Query;

import java.util.List;

public interface TagRepo extends Neo4jRepository<TagEntity, String> {
TagEntity findByName(String name);
// 传入$steps会有错误Parameter maps cannot be used in `MATCH` patterns
@Query("MATCH (t:Tag{name:$name}), (t)-[r:PARENT_OF*0..2]-(other:Tag) RETURN DISTINCT other.name")
List<String> findTagsInStepTwo(String name);

@Query("MATCH (t:Tag{name:$name}), (t)-[r:PARENT_OF*0..1]-(other:Tag) RETURN DISTINCT other.name")
List<String> findTagsInStepOne(String name);

@Query("MERGE (t:Tag{name:$name})")
void createTag(String name);

// merge == upsert
@Query("MATCH (p:Tag{name:$parent}), (c:Tag{name:$child}) MERGE (p)-[:PARENT_OF]->(c)")
void connectTags(String parent, String child);

}