일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
- JSP
- board
- 언어
- configration
- centos7
- 설치
- 무농약
- CLI
- server
- 한글
- interface
- 홈가든
- packet-tracer
- cisco
- vmware
- war
- 게시판
- centos
- tomcat
- 이클립스
- 패킷트레이서
- comand
- nppFTP
- 시스코
- java
- 서버
- servlet
- 설정
- eclipse
- gcloud.gabia
- Today
- Total
넓고얕은지식사전
JSP & Servlet 게시판 구현하기(게시글 내용 수정) 본문
지난번에 게시글 내용 조회 기능을 구현 하였다.
이번엔 작성된 내용 수정 기능을 구현해 보도록 하자
1. ArticleDao 에 게시글 수정 관련 기능 추가(특정번호에 해당하는 게시글 update)
경로 : article.dao> ArticleDao.java
public int update(Connection conn, int no, String title) throws SQLException {
try (PreparedStatement pstmt =
conn.prepareStatement(
"update article set title = ?, moddate = now() "+
"where article_no = ?")) {
pstmt.setString(1, title);
pstmt.setInt(2, no);
return pstmt.executeUpdate();
}
}
1-1. ArticleDao의 전체코드
package article.dao;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.sql.Timestamp;
import java.util.ArrayList;
import java.util.Date;
import java.util.List;
import article.model.Article;
import article.model.Writer;
import jdbc.JdbcUtil;
public class ArticleDao {
public Article insert(Connection conn, Article article) throws SQLException {
PreparedStatement pstmt = null;
Statement stmt = null;
ResultSet rs = null;
try {
pstmt = conn.prepareStatement("insert into article "
+ "(writer_id, writer_name, title, regdate, moddate, read_cnt) "
+ "values (?,?,?,?,?,0)");
pstmt.setString(1, article.getWriter().getId());
pstmt.setString(2, article.getWriter().getName());
pstmt.setString(3, article.getTitle());
pstmt.setTimestamp(4, toTimestamp(article.getRegDate()));
pstmt.setTimestamp(5, toTimestamp(article.getModifiedDate()));
int insertedCount = pstmt.executeUpdate();
if (insertedCount > 0) {
stmt = conn.createStatement();
rs = stmt.executeQuery("select last_insert_id() from article");
if (rs.next()) {
Integer newNo = rs.getInt(1);
return new Article(newNo,
article.getWriter(),
article.getTitle(),
article.getRegDate(),
article.getModifiedDate(),
0);
}
}
return null;
} finally {
JdbcUtil.close(rs);
JdbcUtil.close(stmt);
JdbcUtil.close(pstmt);
}
}
private Timestamp toTimestamp(Date date) {
return new Timestamp(date.getTime());
}
public int selectCount(Connection conn) throws SQLException {
Statement stmt = null;
ResultSet rs = null;
try {
stmt = conn.createStatement();
rs = stmt.executeQuery("select count(*) from article");
if (rs.next()) {
return rs.getInt(1);
}
return 0;
} finally {
JdbcUtil.close(rs);
JdbcUtil.close(stmt);
}
}
public List<Article> select(Connection conn, int startRow, int size) throws SQLException {
PreparedStatement pstmt = null;
ResultSet rs = null;
try {
pstmt = conn.prepareStatement("select * from article " +
"order by article_no desc limit ?, ?");
pstmt.setInt(1, startRow);
pstmt.setInt(2, size);
rs = pstmt.executeQuery();
List<Article> result = new ArrayList<>();
while (rs.next()) {
result.add(convertArticle(rs));
}
return result;
} finally {
JdbcUtil.close(rs);
JdbcUtil.close(pstmt);
}
}
private Article convertArticle(ResultSet rs) throws SQLException {
return new Article(rs.getInt("article_no"),
new Writer(
rs.getString("writer_id"),
rs.getString("writer_name")),
rs.getString("title"),
toDate(rs.getTimestamp("regdate")),
toDate(rs.getTimestamp("moddate")),
rs.getInt("read_cnt"));
}
private Date toDate(Timestamp timestamp) {
return new Date(timestamp.getTime());
}
public Article selectById(Connection conn, int no) throws SQLException {
PreparedStatement pstmt = null;
ResultSet rs = null;
try {
pstmt = conn.prepareStatement(
"select * from article where article_no = ?");
pstmt.setInt(1, no);
rs = pstmt.executeQuery();
Article article = null;
if (rs.next()) {
article = convertArticle(rs);
}
return article;
} finally {
JdbcUtil.close(rs);
JdbcUtil.close(pstmt);
}
}
public void increaseReadCount(Connection conn, int no) throws SQLException {
try (PreparedStatement pstmt =
conn.prepareStatement(
"update article set read_cnt = read_cnt + 1 "+
"where article_no = ?")) {
pstmt.setInt(1, no);
pstmt.executeUpdate();
}
}
public int update(Connection conn, int no, String title) throws SQLException {
try (PreparedStatement pstmt =
conn.prepareStatement(
"update article set title = ?, moddate = now() "+
"where article_no = ?")) {
pstmt.setString(1, title);
pstmt.setInt(2, no);
return pstmt.executeUpdate();
}
}
}
2. ArticleContentDao 에 게시글 수정 관련 기능 추가(특정번호에 해당하는 게시글 update)
경로 : article.dao> ArticleContentDao.java
public int update(Connection conn, int no, String content) throws SQLException {
try (PreparedStatement pstmt =
conn.prepareStatement(
"update article_content set content = ? "+
"where article_no = ?")) {
pstmt.setString(1, content);
pstmt.setInt(2, no);
return pstmt.executeUpdate();
}
}
2-1. ArticleContentDao의 전체코드
package article.dao;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import article.model.ArticleContent;
import jdbc.JdbcUtil;
public class ArticleContentDao {
public ArticleContent insert(Connection conn, ArticleContent content)
throws SQLException {
PreparedStatement pstmt = null;
try {
pstmt = conn.prepareStatement(
"insert into article_content " +
"(article_no, content) values (?,?)");
pstmt.setLong(1, content.getNumber());
pstmt.setString(2, content.getContent());
int insertedCount = pstmt.executeUpdate();
if (insertedCount > 0) {
return content;
} else {
return null;
}
} finally {
JdbcUtil.close(pstmt);
}
}
public ArticleContent selectById(Connection conn, int no) throws SQLException {
PreparedStatement pstmt = null;
ResultSet rs = null;
try {
pstmt = conn.prepareStatement(
"select * from article_content where article_no = ?");
pstmt.setInt(1, no);
rs = pstmt.executeQuery();
ArticleContent content = null;
if (rs.next()) {
content = new ArticleContent(
rs.getInt("article_no"), rs.getString("content"));
}
return content;
} finally {
JdbcUtil.close(rs);
JdbcUtil.close(pstmt);
}
}
public int update(Connection conn, int no, String content) throws SQLException {
try (PreparedStatement pstmt =
conn.prepareStatement(
"update article_content set content = ? "+
"where article_no = ?")) {
pstmt.setString(1, content);
pstmt.setInt(2, no);
return pstmt.executeUpdate();
}
}
}
3. PermissionDeniedException 작성(게시글 수정이 불가할때 익셉션)
경로 : article.service > PermissionDeniedException.java
package article.service;
public class PermissionDeniedException extends RuntimeException {
}
4. ModifyRequest 구현(수정할 게시글의 데이터를 담기 위함)
경로 : article.service > ModifyRequest.java
package article.service;
import java.util.Map;
public class ModifyRequest {
private String userId;
private int articleNumber;
private String title;
private String content;
public ModifyRequest(String userId, int articleNumber, String title, String content) {
this.userId = userId;
this.articleNumber = articleNumber;
this.title = title;
this.content = content;
}
public String getUserId() {
return userId;
}
public int getArticleNumber() {
return articleNumber;
}
public String getTitle() {
return title;
}
public String getContent() {
return content;
}
public void validate(Map<String, Boolean> errors) {
if (title == null || title.trim().isEmpty()) {
errors.put("title", Boolean.TRUE);
}
}
}
5. ModifyArticleService 구현(수정 기능 제공)
경로 : article.service > ModifyArticleService.java
package article.service;
import java.sql.Connection;
import java.sql.SQLException;
import article.dao.ArticleContentDao;
import article.dao.ArticleDao;
import article.model.Article;
import jdbc.JdbcUtil;
import jdbc.connection.ConnectionProvider;
public class ModifyArticleService {
private ArticleDao articleDao = new ArticleDao();
private ArticleContentDao contentDao = new ArticleContentDao();
public void modify(ModifyRequest modReq) {
Connection conn = null;
try {
conn = ConnectionProvider.getConnection();
conn.setAutoCommit(false);
Article article = articleDao.selectById(conn,
modReq.getArticleNumber());
if (article == null) {
throw new ArticleNotFoundException();
}
if (!canModify(modReq.getUserId(), article)) {
throw new PermissionDeniedException();
}
articleDao.update(conn,
modReq.getArticleNumber(), modReq.getTitle());
contentDao.update(conn,
modReq.getArticleNumber(), modReq.getContent());
conn.commit();
} catch (SQLException e) {
JdbcUtil.rollback(conn);
throw new RuntimeException(e);
} catch (PermissionDeniedException e) {
JdbcUtil.rollback(conn);
throw e;
} finally {
JdbcUtil.close(conn);
}
}
private boolean canModify(String modfyingUserId, Article article) {
return article.getWriter().getId().equals(modfyingUserId);
}
}
6. ModifyArticleHandler 작성
경로 : article.command > ModifyArticleHandler.java
package article.command;
import java.io.IOException;
import java.util.HashMap;
import java.util.Map;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import article.service.ArticleData;
import article.service.ArticleNotFoundException;
import article.service.ModifyArticleService;
import article.service.ModifyRequest;
import article.service.PermissionDeniedException;
import article.service.ReadArticleService;
import auth.service.User;
import mvc.command.CommandHandler;
public class ModifyArticleHandler implements CommandHandler {
private static final String FORM_VIEW = "/WEB-INF/view/modifyForm.jsp";
private ReadArticleService readService = new ReadArticleService();
private ModifyArticleService modifyService = new ModifyArticleService();
@Override
public String process(HttpServletRequest req, HttpServletResponse res)
throws Exception {
if (req.getMethod().equalsIgnoreCase("GET")) {
return processForm(req, res);
} else if (req.getMethod().equalsIgnoreCase("POST")) {
return processSubmit(req, res);
} else {
res.setStatus(HttpServletResponse.SC_METHOD_NOT_ALLOWED);
return null;
}
}
private String processForm(HttpServletRequest req, HttpServletResponse res)
throws IOException {
try {
String noVal = req.getParameter("no");
int no = Integer.parseInt(noVal);
ArticleData articleData = readService.getArticle(no, false);
User authUser = (User) req.getSession().getAttribute("authUser");
if (!canModify(authUser, articleData)) {
res.sendError(HttpServletResponse.SC_FORBIDDEN);
return null;
}
ModifyRequest modReq = new ModifyRequest(authUser.getId(), no,
articleData.getArticle().getTitle(),
articleData.getContent());
req.setAttribute("modReq", modReq);
return FORM_VIEW;
} catch (ArticleNotFoundException e) {
res.sendError(HttpServletResponse.SC_NOT_FOUND);
return null;
}
}
private boolean canModify(User authUser, ArticleData articleData) {
String writerId = articleData.getArticle().getWriter().getId();
return authUser.getId().equals(writerId);
}
private String processSubmit(HttpServletRequest req, HttpServletResponse res)
throws Exception {
User authUser = (User) req.getSession().getAttribute("authUser");
String noVal = req.getParameter("no");
int no = Integer.parseInt(noVal);
ModifyRequest modReq = new ModifyRequest(authUser.getId(), no,
req.getParameter("title"),
req.getParameter("content"));
req.setAttribute("modReq", modReq);
Map<String, Boolean> errors = new HashMap<>();
req.setAttribute("errors", errors);
modReq.validate(errors);
if (!errors.isEmpty()) {
return FORM_VIEW;
}
try {
modifyService.modify(modReq);
return "/WEB-INF/view/modifySuccess.jsp";
} catch (ArticleNotFoundException e) {
res.sendError(HttpServletResponse.SC_NOT_FOUND);
return null;
} catch (PermissionDeniedException e) {
res.sendError(HttpServletResponse.SC_FORBIDDEN);
return null;
}
}
}
7. commandHandlerURI.properties 수정. ModifyArticleHandler가 /article/modify.do 요청을 처리하도록 매핑 설정에 추가한다.
/join.do=member.command.JoinHandler
/login.do=auth.command.LoginHandler
/logout.do=auth.command.LogoutHandler
/changePwd.do=member.command.ChangePasswordHandler
/article/write.do=article.command.WriteArticleHandler
/article/read.do=article.command.ReadArticleHandler
/article/modify.do=article.command.ModifyArticleHandler
8. web.xml 수정
web.xml(경로 : WebContent > WEB-INF)에 LoginCheckFilter 설정(modify.do)을 추가해줘야 한다.
<!-- LoginCheckFilter관련 설정 -->
<filter>
<filter-name>LoginCheckFilter</filter-name>
<filter-class>filter.LoginCheckFilter</filter-class>
</filter>
<filter-mapping>
<filter-name>LoginCheckFilter</filter-name>
<url-pattern>/changePwd.do</url-pattern>
<url-pattern>/article/list.do</url-pattern>
<url-pattern>/article/write.do</url-pattern>
<url-pattern>/article/modify.do</url-pattern>>
</filter-mapping>
<!-- LoginCheckFilter관련 설정 -->
9. modifyForm.jsp 작성
경로 : WebContent > WEB-INF > view > modifyForm.jsp
<%@ page language="java" contentType="text/html; charset=UTF-8"
pageEncoding="UTF-8"%>
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>게시글 수정</title>
</head>
<body>
<form action="modify.do" method="post">
<input type="hidden" name="no" value="${modReq.articleNumber}">
<p>
번호:<br/>${modReq.articleNumber}
</p>
<p>
제목:<br/><input type="text" name="title" value="${modReq.title}">
<c:if test="${errors.title}">제목을 입력하세요.</c:if>
</p>
<p>
내용:<br/>
<textarea name="content" rows="5" cols="30">${modReq.content}</textarea>
</p>
<input type="submit" value="글 수정">
</form>
</body>
</html>
10. modifySuccess.jsp 작성
경로 : WebContent > WEB-INF > view > modifySuccess.jsp
<%@ page language="java" contentType="text/html; charset=UTF-8"
pageEncoding="UTF-8"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>게시글 수정</title>
</head>
<body>
게시글을 수정했습니다.
<br>
${ctxPath = pageContext.request.contextPath ; ''}
<a href="${ctxPath}/article/list.do">[게시글목록보기]</a>
<a href="${ctxPath}/article/read.do?no=${modReq.articleNumber}">[게시글내용보기]</a>
</body>
</html>
11. 테스트
다음글 : 게시글 삭제
https://nullgoyatten.tistory.com/28
'IT > JSP & Servlet' 카테고리의 다른 글
JSP & Servlet 게시판 구현하기(게시글 삭제) (0) | 2023.02.06 |
---|---|
JSP & Servlet 게시판 구현하기(게시글 내용 조회) (0) | 2023.02.06 |
JSP & Servlet 게시판 구현하기(게시글 목록 조회) (0) | 2023.02.06 |
JSP & Servlet 게시판 구현하기(게시글 쓰기) (0) | 2023.01.14 |
JSP & Servlet 게시판 구현하기(암호 변경) (0) | 2023.01.14 |