프로젝트 진행중에 UPDATE 기능을 추가해야하는데, patch 처럼 컨트롤러에서 request body로 입력받은 일부 프로퍼티에 대해서만 update하는 방법을 찾으면서 정리한 내용
보통의 if와 같음. 조건 부여해줄때 사용
<select id="findActiveBlogLike"
resultType="Blog">
SELECT * FROM BLOG WHERE state = ‘ACTIVE’
<if test="title != null">
AND title like #{title}
</if>
<if test="author != null and author.name != null">
AND author_name like #{author.name}
</if>
</select>
여러 조건 중 원하는 한가지만 골라서 사용하고 싶은 경우 사용하는 엘리먼트(switch문과 유사)
아래 예시에서는 title이 제공되면 title만으로 적용되고, title이 null이고 author이 제공되면 author만으로 적용된다. 둘 다 없으면 otherwise 엘리먼트의 구문이 적용된다.
<select id="findActiveBlogLike"
resultType="Blog">
SELECT * FROM BLOG WHERE state = ‘ACTIVE’
<choose>
<when test="title != null">
AND title like #{title}
</when>
<when test="author != null and author.name != null">
AND author_name like #{author.name}
</when>
<otherwise>
AND featured = 1
</otherwise>
</choose>
</select>
<select id="findActiveBlogLike"
resultType="Blog">
SELECT * FROM BLOG
WHERE
<if test="state != null">
state = #{state}
</if>
<if test="title != null">
AND title like #{title}
</if>
<if test="author != null and author.name != null">
AND author_name like #{author.name}
</if>
</select>
위와 같이 작성했을때 어떤 조건에도 해당되지 않거나 두번째 조건에만 해당된다면 다음과 같은 SQL이 만들어짐
SELECT * FROM BLOG
WHERE
SELECT * FROM BLOG
WHERE
AND title like ‘someTitle’
이를 해결하기 위해 where, set과 같은 엘리먼트가 있음
where 엘리먼트를 사용하면 WHERE 구문이 추가되고, WHERE절이 AND나 OR로 시작하면 이를 지워버리는 기능도 수행한다.
<select id="findActiveBlogLike"
resultType="Blog">
SELECT * FROM BLOG
<where>
<if test="state != null">
state = #{state}
</if>
<if test="title != null">
AND title like #{title}
</if>
<if test="author != null and author.name != null">
AND author_name like #{author.name}
</if>
</where>
</select>
set 엘리먼트는 update 하려는 컬럼을 동적으로 작성할때 사용된다. SET 절의 필요없는 콤마를 제거한다.
<update id="updateAuthorIfNecessary">
update Author
<set>
<if test="username != null">username=#{username},</if>
<if test="password != null">password=#{password},</if>
<if test="email != null">email=#{email},</if>
<if test="bio != null">bio=#{bio}</if>
</set>
where id=#{id}
</update>
사용자 정의 엘리먼트를 만드는 엘리먼트. override 속성은 텍스트 목록을 제한함.(override 속성에 명시된 것들을 지우고 with 송성에 명시된 것을 추가)
예를 들어 trim이나 set 엘리먼트를 만드는 trim 예시는 다음과 같다.
<trim prefix="WHERE" prefixOverrides="AND |OR ">
...
</trim>
<trim prefix="SET" suffixOverrides=",">
...
</trim>
보통의 for문과 비슷함. collection에 대해 반복처리를 함
<select id="selectPostIn" resultType="domain.blog.Post">
SELECT *
FROM POST P
<where>
<foreach item="item" index="index" collection="list"
open="ID in (" separator="," close=")" nullable="true">
#{item}
</foreach>
</where>
</select>
출처