想必看到这篇博客的朋友已经对我接下来要进行描述的知识有了一定的了解,那废话不多说,我们就具体来讲讲如何实现省市区的联查。
最终实现效果:
我的项目是Springboot+mybatis-plus,所以请先导入相关依赖哦~
以下是数据库中字段及解释:
接下来,我们需要导入以下依赖:
<dependency>
<groupId>cglib</groupId>
<artifactId>cglib</artifactId>
<version>3.3.0</version>
</dependency>
然后是实体类:
@Data
@Builder(toBuilder = true)
@NoArgsConstructor
@AllArgsConstructor
public class City implements Serializable {
private long id;
private java.sql.Timestamp createTime;
private java.sql.Timestamp updateTime;
private String name;//省或市或区对应的名字
private String code;//省或市或区对应的编码
private long level;//省或市或区对应的层级,省对应1,市对应2,区对应3
private Integer parentId;//父id
private String acronym;
private long sort;
@TableField(exist = false)
private List<City> children;//非数据库中字段
}
除了最后一个children字段为非数据库字段外,其它均为数据库中字段。
由于我是用代码生成器生成的dao和service的接口和实现,所以这里就不做过多展示了,然后我们进入到controller层:
public R<List<City>> listRegion() {
// 获取数据库中的所有数据
List<City> list=cityMapper.selectList(null).stream().map(city-> CglibUtil.copy(city, City.class)).collect(Collectors.toList());
// 根据数据库中的level字段,获取所有level为1的数据并做成一个集合,即获取所有父节点(省)
List<City> pro=list.stream().filter(civ -> civ.getLevel() == 1).collect(Collectors.toList());
// 根据获取的省的id获取对应省下面的市,然后做成集合
pro.forEach(oneProvince->{
List<City> city=list.stream().filter(c->c.getParentId()==oneProvince.getId()).collect(Collectors.toList());
// 根据当前市的id获取相应市下面的区的数据,然后通过collect(Collectors.toList()包装成集合
city.forEach(oneCity->{
List<City> town=list.stream().filter(c-> c.getParentId() == oneCity.getId()).collect(Collectors.toList());
oneCity.setChildren(town);
});
oneProvince.setChildren(city);
});
return R.Success(pro);
}
代码中均做有注释,如若仍存在疑问的请留言~
?