# 添加评论
---
事务管理(在添加评论失败的时候进行回滚)
- 声明式事务(推荐,简单)
- 编程式事务
## DAO
`DiscussPostMapper`
```java
/**
* 修改帖子的评论数量
* @param id 帖子 id
* @param commentCount
* @return
*/
int updateCommentCount(int id, int commentCount);
```
对应的 xml
```xml
```
`CommentMapper`
```java
/**
* 添加评论
* @param comment
* @return
*/
int insertComment(Comment comment);
```
对应的 xml
```xml
```
## Service
`DiscussPostService`
```java
/**
* 修改帖子的评论数量
* @param id 帖子 id
* @param commentCount
* @return
*/
public int updateCommentCount(int id, int commentCount) {
return discussPostMapper.updateCommentCount(id, commentCount);
}
```
`CommentService`
```java
/**
* 添加评论(需要事务管理)
* @param comment
* @return
*/
@Transactional(isolation = Isolation.READ_COMMITTED, propagation = Propagation.REQUIRED)
public int addComment(Comment comment) {
if (comment == null) {
throw new IllegalArgumentException("参数不能为空");
}
// Html 标签转义
comment.setContent(HtmlUtils.htmlEscape(comment.getContent()));
// 敏感词过滤
comment.setContent(sensitiveFilter.filter(comment.getContent()));
// 添加评论
int rows = commentMapper.insertComment(comment);
// 更新帖子的评论数量
if (comment.getEntityType() == ENTITY_TYPE_POST) {
int count = commentMapper.selectCountByEntity(comment.getEntityType(), comment.getEntityId());
discussPostSerivce.updateCommentCount(comment.getEntityId(), count);
}
return rows;
}
```
## Controller
前端 的 name = "content" 和 `public String addComment(Comment comment) {` Comment 中的字段要对应
```java
@Controller
@RequestMapping("/comment")
public class CommentController {
@Autowired
private HostHolder hostHolder;
@Autowired
private CommentService commentService;
/**
* 添加评论
* @param discussPostId
* @param comment
* @return
*/
@PostMapping("/add/{discussPostId}")
public String addComment(@PathVariable("discussPostId") int discussPostId, Comment comment) {
comment.setUserId(hostHolder.getUser().getId());
comment.setStatus(0);
comment.setCreateTime(new Date());
commentService.addComment(comment);
return "redirect:/discuss/detail/" + discussPostId;
}
}
```
## 前端
```html
```