해당 프로젝트는 전전 게시글인 Spring-MVC 간단한 웹 사이트 만들기 코드를 가져와서 진행했습니다.
오류해결
Springmvc 폴더를 thymeleaf-form으로 이름 변경 후 실행 했을 때 저번 게시판 메인 홈페이지가 뜨는 오류가 있었는데 캐시 문제라는 걸 알았습니다. 저는 엣지를 사용하기 때문에 설정 -> 개인 정보,검색 및 서비스 -> 검색 데이터 지우기에서 캐시를 지웠더니 해결됬습니다.
스프링 통합으로 추가되는 기능
build.gradle 타임리프 라이브러리
implementation 'org.springframework.boot:spring-boot-starter-thymeleaf'
BasicItemController 변경
@GetMapping("/add")
public String addForm(Model model) {
model.addAttribute("item", new Item());
return "basic/addForm";
}
addForm.html 변경
<form action="item.html" th:action th:object="${item}" method="post">
<div>
<label for="itemName">상품명</label>
<input type="text" id="itemName" th:field="*{itemName}" class="form-control" placeholder="이름을 입력하세요">
</div>
<div>
<label for="price">가격</label>
<input type="text" id="price" th:field="*{price}" class="form-control"
placeholder="가격을 입력하세요">
</div>
<div>
<label for="quantity">수량</label>
<input type="text" id="quantity" th:field="*{quantity}" class="form-control" placeholder="수량을 입력하세요">
</div>
th:object="${item}"
: <form>
에서 사용할 객체를 지정한다. 선택 변수 식( *{...} )을 적용할 수 있다.th:field="*{itemName}"
: =${item.itemName}, 앞서 th:object로 item을 선택했기 때문에 선택 변수 식을 적용할 수 있다.th:field
: id, name, value 속성을 모두 자동으로 만들어준다.editForm.html 변경
<form action="item.html" th:action th:object="${item}" method="post">
<div>
<label for="itemName">상품명</label>
<input type="text" id="itemName" th:field="*{itemName}" class="form-control" placeholder="이름을 입력하세요">
</div>
<div>
<label for="price">가격</label>
<input type="text" id="price" th:field="*{price}" class="form-control"
placeholder="가격을 입력하세요">
</div>
<div>
<label for="quantity">수량</label>
<input type="text" id="quantity" th:field="*{quantity}" class="form-control" placeholder="수량을 입력하세요">
</div>
Item
package com.example.springmvc.domain.item;
import lombok.Data;
import java.util.List;
@Data
public class Item {
private Long id;
private String itemName;
private Integer price;
private Integer quantity;
private Boolean open; //판매 여부
private List<String> regions; //등록 지역
private ItemType itemType; //상품 종류
private String deliveryCode; //배송 방식
public Item() {}
public Item(String itemName, Integer price, Integer quantity) {
this.itemName = itemName;
this.price = price;
this.quantity = quantity;
}
}
ItemType
package com.example.springmvc.domain.item;
public enum ItemType {
BOOK("도서"), FOOD("식품"), ETC("기타");
private final String description;
ItemType(String description) {
this.description = description;
}
public String getDescription() {
return description;
}
}
DeliveryCode
package com.example.springmvc.domain.item;
import lombok.AllArgsConstructor;
import lombok.Data;
/**
* FAST: 빠른 배송
* NORMAL: 일반 배송
* SLOW: 느린 배송
*/
@Data
@AllArgsConstructor
public class DeliveryCode {
private String code;
private String displayName;
}
addForm.html 추가
<div>판매 여부</div>
<div>
<div class="form-check">
<input type="checkbox" id="open" name="open" class="form-check-input">
<label for="open" class="form-check-label">판매 오픈</label>
</div>
</div>
Form 확인
체크o
체크x
체크 박스를 체크하면 HTML Form에서 open=on 이라는 값이 넘어간다.
HTML에서 체크 박스를 선택하지 않고 폼을 전송하면 open 이라는 필드 자체가 서버로 전송되지 않는다.
로그 확인
INFO 7108 --- [nio-8080-exec-1] c.e.s.w.item.basic.BasicItemController : item.open=true
INFO 7108 --- [nio-8080-exec-7] c.e.s.w.item.basic.BasicItemController : item.open=null
_open
처럼 기존 체크 박스 이름 앞에 언더스코어( _ )를 붙여서 전송하면 체크를 해제했다고 인식할 수 있다._open
만 전송되는데, 이 경우 스프링 MVC는 체크를 해제했다고 판단한다.addForm.html 히든 필드 추가
<div>판매 여부</div>
<div>
<div class="form-check">
<input type="checkbox" id="open" name="open" class="form-check-input">
<input type="hidden" name="_open" value="on"/> <!-- 히든 필드 추가 -->
<label for="open" class="form-check-label">판매 오픈</label>
</div>
</div>
Form 확인
로그 확인
INFO 7108 --- [nio-8080-exec-1] c.e.s.w.item.basic.BasicItemController : item.open=true
INFO 7108 --- [nio-8080-exec-7] c.e.s.w.item.basic.BasicItemController : item.open=false
_open
은 무시한다._open
만 있는 것을 확인하고, open의 값이 체크되지 않았다고 인식한다.addForm.html 변경
<div>판매 여부</div>
<div>
<div class="form-check">
<input type="checkbox" id="open" th:field="*{open}" class="form-check-input">
<label for="open" class="form-check-label">판매 오픈</label>
</div>
</div>
로그 확인
INFO 7108 --- [nio-8080-exec-1] c.e.s.w.item.basic.BasicItemController : item.open=true
INFO 7108 --- [nio-8080-exec-7] c.e.s.w.item.basic.BasicItemController : item.open=false
상품 상세 및 수정도 코드 추가
<div>판매 여부</div>
<div>
<div class="form-check">
<input type="checkbox" id="open" th:field="*{open}" class="form-check-input">
<label for="open" class="form-check-label">판매 오픈</label>
</div>
</div>
th:field
를 사용하면, 값이 true인 경우 체크를 자동으로 처리해준다.BasicItemController 추가
@ModelAttribute("regions")
public Map<String, String> regions() {
Map<String, String> regions = new LinkedHashMap<>();
regions.put("SEOUL", "서울");
regions.put("BUSAN", "부산");
regions.put("JEJU", "제주");
return regions;
}
@ModelAttribute
@ModelAttribute가 있는 메서드는 컨트롤러가 호출 될 때마다 사용되므로 객체도 계속 생성된다. 이런 부분은 미리 생성해두고 재사용하는 것이 효율적이다.
addForm.html 추가
<div>
<div>등록 지역</div>
<div th:each="region : ${regions}" class="form-check form-check-inline">
<input type="checkbox" th:field="*{regions}" th:value="${region.key}"
class="form-check-input">
<label th:for="${#ids.prev('regions')}"
th:text="${region.value}" class="form-check-label">서울</label>
</div>
</div>
th:for="${#ids.prev('regions')}"
: 멀티 체크박스는 같은 이름의 여러 체크박스를 만들 수 있다. 하지만 id는 모두 달라야 한다.ids.prev(...)
, ids.next(...)
을 제공해서 동적으로 생성되는 id 값을 사용할 수 있도록 한다.로그 확인(서울,제주 선택 / 미선택)
[nio-8080-exec-7] c.e.s.w.item.basic.BasicItemController : item.regions=[SEOUL, JEJU]
[nio-8080-exec-3] c.e.s.w.item.basic.BasicItemController : item.regions=[]
BasicItemController 추가
@ModelAttribute("itemTypes")
public ItemType[] itemTypes() {
return ItemType.values();
}
addForm.html 추가
<div>
<div>상품 종류</div>
<div th:each="type : ${itemTypes}" class="form-check form-check-inline">
<input type="radio" th:field="*{itemType}" th:value="${type.name()}" class="form-check-input">
<label th:for="${#ids.prev('itemType')}" th:text="${type.description}" class="form-check-label">
BOOK
</label>
</div>
</div>
로그 확인(도서 선택 / 미선택)
[nio-8080-exec-3] c.e.s.w.item.basic.BasicItemController : item.itemType=BOOK
[nio-8080-exec-7] c.e.s.w.item.basic.BasicItemController : item.itemType=null
타임리프에서 ENUM 직접 사용하기
<div th:each="type : ${T(hello.itemservice.domain.item.ItemType).values()}">
${T(hello.itemservice.domain.item.ItemType).values()}
: 스프링EL 문법으로 ENUM을 직접 사용할 수 있다. ENUM에 values() 를 호출하면 해당 ENUM의 모든 정보가 배열로 반환된다.BasicItemController 추가
@ModelAttribute("deliveryCodes")
public List<DeliveryCode> deliveryCodes() {
List<DeliveryCode> deliveryCodes = new ArrayList<>();
deliveryCodes.add(new DeliveryCode("FAST", "빠른 배송"));
deliveryCodes.add(new DeliveryCode("NORMAL", "일반 배송"));
deliveryCodes.add(new DeliveryCode("SLOW", "느린 배송"));
return deliveryCodes;
}
addForm.html 추가
<div>
<div>배송 방식</div>
<select th:field="*{deliveryCode}" class="form-select">
<option value="">==배송 방식 선택==</option>
<option th:each="deliveryCode : ${deliveryCodes}" th:value="${deliveryCode.code}" th:text="${deliveryCode.displayName}">FAST</option>
</select>
</div>
참고
김영한: 스프링 MVC 2편 - 백엔드 웹 개발 활용 기술(인프런)
Github - https://github.com/b2b2004/Spring_MVC