一. controller层
controller层是用来接受前台数据和返回页面请求信息的,Controller层是不允许直接操作数据库的!它就像一个服务员,哪桌客人需要点菜了,就喊一声服务员!对应的,外界需要完成什么样的业务,就通过Controller去调用不同的Service,需要记住的是Controller只是一个中间者或者转发者,不应该在Controller里暴露Service的业务逻辑,而应该直接转发Service的业务处理结果!控制层,负责具体模块的业务流程控制,需要调用service逻辑设计层的接口来控制业务流程。controller通过接收前端H5或者App传过来的参数进行业务操作,再将处理结果返回到前端。
@RestController@RequestMapping("/user")public class UserController { @Autowired private UserMapper userMapper; @GetMapping("/select") public List index(){ List all = userMapper.findAll(); return all; } @Autowired private UserService userService; @PostMapping("/insert") public boolean save(@RequestBody User user){ return userService.saveUser(user); } @DeleteMapping("/{id}") public Integer delete(@PathVariable Integer id){ return userMapper.deleteById(id); }
二.servie层
service层接受controller层信息,用于业务处理和逻辑判断。Service 用于处理业务逻辑,会调用mapper层的API;Service层是业务逻辑层,在该层进行复杂的业务逻辑处理,对在多个mapper层查到的数据进行组装、处理,然后将结果返回给Controller,因此,一般情况下,一个Controller中可能包括多个Service,而一个Service中又或许包含多个mapper。(举例)controller层是饭店经理,service是服务员,mapper层是厨房仓库。业务service层,给controller层的类提供接口进行调用。一般就是自己写的方法封装起来,就是声明一下,具体实现在serviceImpl中。
public class UserService extends ServiceImpl { public boolean saveUser(User user) { if(user.getId() == null){ return save(user);//mybatis-plus提供的方法,表示插入数据。 }else{ return updateById(user); }}
三.mapper层
mapper层(数据持久化层,专门用来跟数据库打交道的)。mapper层用于和数据库交互,想要访问数据库并且操作,只能通过mapper层向数据库发送sql语句,将这些结果通过接口传给service层,对数据库进行数据持久化操作,他的方法语句是直接针对数据库操作的,主要实现一些增删改查操作,在mybatis中方法主要与与xxx.xml内相互一一映射。
@Mapper@Repositorypublic interface UserMapper extends BaseMapper {//数据库查询接口,专门用来跟数据库交互用的 @Select("SELECT * from sys_user") public List findAll(); List findAll1(); @Insert("INSERT into sys_user(username,password,nickname,email,phone,address)VALUES(#{username},#{password},#{nickname}," + "#{email},#{phone},#{address});") public int insert(User user); public int updateUser(User user); @Delete("delete from sys_user where id = #{id}") public Integer deleteById(@Param("id") Integer id);
四.entity层
entity层创建实体类,和数据库表里面属性值一一对应。实体层,用于存放我们的实体类,与数据库中的属性值基本保持一致,实现set和get的方法或者使用注解的方式。
@Data//Data注解代替了get和set方法@TableName(value = "sys_user")public class User { @TableId(type = IdType.AUTO) private Integer id; private String username; private String password; private String nickname; private String email; private String phone; private String address;}
来源地址:https://blog.csdn.net/qq_45139808/article/details/125870976