使用postman工具测试简单的增删改查接口
程序员文章站
2022-03-14 21:15:52
...
一.添加
1.restful接口:
@PostMapping
public int addUse(@RequestBody User user) {
String sql="insert into t_user(username,password) values(?,?)";
return jdbcTemplate.update(sql,user.getUsername(),user.getPassword());
}
2.测试
二.删除
1.restful风格接口(根据主键删除)
@DeleteMapping("/{id}")
public int delUser(@PathVariable Long id) {
String sql="delete from t_user where id=?";
return jdbcTemplate.update(sql,id);
}
2.测试
三.修改
1.restful风格接口(根据主键修改)
@PutMapping("{id}")
public int editUser(@PathVariable Long id, @RequestBody User user) {
String sql="update t_user set username=?,password=? where id=?";
return jdbcTemplate.update(sql,user.getUsername(),user.getPassword(),id);
}
2.测试
四.查询
1.restful风格接口(查询所有用户信息)
@GetMapping
public List<User> getUsers() {
String sql="select * from t_user";
return jdbcTemplate.query(sql,new Object[]{},new BeanPropertyRowMapper<>(User.class));
}
2.测试
1.restful风格接口(根据主键查询用户)
@GetMapping("/{id}")
public User getUser(@PathVariable Long id) {
String sql="select * from t_user where id=?";
return jdbcTemplate.queryForObject(sql,new Object[]{id},new BeanPropertyRowMapper<>(User.class));
}
2.测试