Project

일반

사용자정보

DCAMP FRONTEND API 개발 가이드 » 이력 » 버전 31

김지영, 2023-06-20 10:17

1 1 최시은
h2. DCAMP FRONTEND API 개발 가이드
2
3 30 김지영
4
<pre>
5
[공통] gitlab-ci.yml before_script 에 encoding UTF-8 설정해줘야 한글 안깨짐!! 
6
7
before_script:
8
- export LANG=en_US.UTF-8
9
10
</pre>
11
12
13
14 3 최시은
1. SecurityConfig 설정(security/config/SecurityConfig.java)
15 1 최시은
*  securityFilterChain 메소드 - 개발 진행할 URL 에 대한 hasAuthority 룰 추가
16
<pre><code class="java">
17
http.csrf().disable()
18
     .authorizeHttpRequests((authorize) ->
19 2 최시은
           authorize
20
               // hasAuthority 사용: db에 ROLE_ 안붙여도 됨
21
              .requestMatchers("/projects/**").hasAuthority("ADMIN") // 관리자 : ADMIN | 작업자&검수자 : USER
22 31 김지영
              .requestMatchers("/comCds/**").hasAnyAuthority("ADMIN", "USER") ("ADMIN" or "USER" 둘중 하나만 있어도 될 때 hasAnyAuthority)
23 2 최시은
              .anyRequest().authenticated()
24 1 최시은
</code></pre>
25 3 최시은
26
2. Swagger 사용
27
* 설정 파일 위치 : common/config/SwaggerConfig.java (이미 설정되어 있으므로 따로 추가사항 없음)
28
* 접속 URL : http://localhost:18080/swagger-ui/index.html
29
login-controller 에서 로그인 후, 응답 토큰을 우상단 Authorized 버튼 클릭해서 입력하면 인증 가능
30 4 최시은
31 8 최시은
3. Request URL Naming Rule
32 5 최시은
* RESTful API 기반 : https://restfulapi.net/resource-naming/
33
* 1 Depth : 대메뉴(ex, project, user 등등)
34
<pre>http://api.example.com/user-management/users
35
http://api.example.com/user-management/users/{id}</pre>
36 6 최시은
37
4. DTO 폴더
38 1 최시은
* 정의 : API 통신용 Request, Response 정의
39 8 최시은
* Naming Rule : HttpMethod + 대메뉴(복수 or 단수) or 주 사용 테이블 + Req/Res
40
<pre>
41
예시)
42
- GetProjectsReq : 프로젝트 목록 조회 요청
43
- GetProjectsRes : 프로젝트 목록 조회 응답
44
- PostProjectReq : 프로젝트 생성 요청
45
- 애매한 경우는 적당히 클래스명만 보고 가늠할 수 있게 지정해주세요
46
</pre>
47 6 최시은
* 공통 DTO 클래스
48
** CommonRes : 공통 응답필드(result, message) 정의, 상황에 따른 payload 세팅 가능
49
<pre><code class="java">
50
@PostMapping
51 12 최시은
public ResponseEntity<CommonRes> save(@AuthenticationPrincipal UserDetails userDetails, @RequestBody PostProjectReq req) throws Exception {
52
    Project project = projectService.createProject(req, userDetails);
53
    CommonRes response = project != null ? new CommonRes() : CommonRes.builder().result(false).message("오류가 발생했습니다.").build();
54
    return new ResponseEntity<>(response, HttpStatus.OK);
55
}
56 6 최시은
</code></pre>
57 7 최시은
** CommonListRes : 페이징 목록 조회 시 Response 객체로 사용
58
<pre><code class="java">
59
@GetMapping
60 12 최시은
public ResponseEntity<CommonListRes<GetProjectsRes>> list(GetProjectsReq req) throws Exception {
61
    CommonListRes<GetProjectsRes> response = projectService.list(req);
62
    return new ResponseEntity<>(response, HttpStatus.OK);
63
}
64 7 최시은
</code></pre>
65
** CommonSearch : 페이징 목록의 검색 시 Request 객체가 상속 받아 사용(페이징 정보 담김)
66
<pre><code class="java">
67
@AllArgsConstructor
68
@NoArgsConstructor
69
@Setter
70
@Getter
71
@EqualsAndHashCode(callSuper = false)
72
public class GetProjectsReq extends CommonSearch {
73 1 최시은
74 7 최시은
    private String projectStatusCcd;
75
    private String searchType;
76
    private String searchWord;
77
78
}
79
</code></pre>
80 13 최시은
** CommonPagination : 페이징 처리를 위해 CommonListRes에서 사용(따로 건드릴 일 없음)
81 9 최시은
82
5. Entity 폴더
83
* 정의 : JPA 에서 사용할 Entity 정의
84
85
6. DTO 객체와 Entity 객체 분리 사용
86
* 이유 : https://wildeveloperetrain.tistory.com/101
87
* DTO <-> Entity 는 BeanUtils.copyProperties 사용(필드명 일치시켜야함)
88
<pre><code class="java">
89
public Project createProject(PostProjectReq req, UserDetails userDetails) {
90 10 최시은
     Project saveProject = new Project();
91
     String userId = userDetails.getUsername();
92
     saveProject.setRegId(userId);
93
     // DTO <-> Entity 변환
94
     BeanUtils.copyProperties(req, saveProject);
95
     saveProject = projectRepository.save(saveProject);
96
     return saveProject;
97
}
98
</code></pre>
99
100
7. 현재 로그인한 아이디 가져오기(regId 에 주로 사용)
101 29 정성결
* Spring security 에서 제공하는 @AuthenticationPrincipal 사용해 CustomUserDetails 객체 가져옴
102 1 최시은
* userDetails.getUsername() 으로 로그인ID 사용
103 29 정성결
* customUserDetails.getUserSeq() 으로 로그인한 유저의 seq 값 사용
104 10 최시은
<pre><code class="java">
105
@PostMapping
106
public ResponseEntity<CommonRes> save(@AuthenticationPrincipal UserDetails userDetails, @RequestBody PostProjectReq req) throws Exception {
107 11 최시은
    // String userId = userDetails.getUsername();
108 10 최시은
    Project project = projectService.createProject(req, userDetails);
109
    CommonRes response = project != null ? new CommonRes() : CommonRes.builder().result(false).message("오류가 발생했습니다.").build();
110
    return new ResponseEntity<>(response, HttpStatus.OK);
111
}
112 1 최시은
</code></pre>
113
114 23 최시은
8. 검색 조건에 따른 목록 화면
115 26 노현하
* 일반적인 case : JPA 에서 제공하는 Pageable 활용 (자세한 내용은 Notice(공지사항) 관련 코드를 참고해주세요.)
116 27 노현하
* 프론트에서 넘겨줘야할 파라미터 목록: pageNumber(현재 페이지 번호, 0 부터 시작), pageSize(페이지 당 행의 개수, default = 10)
117 1 최시은
<pre><code class="java">
118 26 노현하
// === controller ===
119
@GetMapping(produces = MediaType.APPLICATION_JSON_VALUE)
120
public ResponseEntity<CommonListRes<GetNoticeRes>> list(GetNoticeReq request, Pageable pageable) {
121
    CommonListRes<GetNoticeRes> response = noticeService.list(request, pageable);
122
123
    return new ResponseEntity<>(response, HttpStatus.OK);
124
}
125
126
// === service ===
127
public CommonListRes<GetNoticeRes> list(GetNoticeReq req, Pageable pageable) {
128
    Page<Notice> noticePage = noticeRepository.findAllBySearchTypeAndSearchword(req, pageable);
129
130
    List<GetNoticeRes> getNoticeResList = entityToDto(noticePage.getContent());
131
    Long totCnt = noticePage.getTotalElements();
132
133
    CommonPagination pagination = req.makePaginationInfo(totCnt != null ? totCnt : 0L);
134
135
    return new CommonListRes<>(getNoticeResList, pagination);
136
}
137
138 28 노현하
// JpaRepository를 상속받은 인터페이스에서는 querydsl 코드를 작성할 수 없기 때문에
139 26 노현하
// querydsl용 custom repository 생성 -> 해당 인터페이스를 구현하는 레포지토리 클래스 추가
140
// querydsl용 custom repository는 엔티티 레포지토리에서 상속받아 엔티티 레포지토리로 querydsl 메소드에 접근
141
// === repository ===
142
@Repository
143
public interface NoticeRepository extends JpaRepository<Notice, Integer>, NoticeCustomRepository {}
144
145
// === customRepository ===
146
public interface NoticeCustomRepository {
147
    Page<Notice> findAllBySearchTypeAndSearchword(GetNoticeReq req, Pageable pageable);
148
}
149
150
// === customRepositoryImpl ===
151
@Repository
152
public class NoticeCustomRepositoryImpl implements NoticeCustomRepository {
153
154
    private final JPAQueryFactory queryFactory;
155
156
    public NoticeCustomRepositoryImpl(JPAQueryFactory queryFactory) {
157
        this.queryFactory = queryFactory;
158
    }
159
160
    @Override
161
    public Page<Notice> findAllBySearchTypeAndSearchword(GetNoticeReq req, Pageable pageable) {
162
        List<Notice> notices = queryFactory
163
                .selectFrom(notice)
164
                .where(searchWordEq(req.getSearchType(), req.getSearchWord()),
165
                       notice.delYn.eq("N"))
166
                .orderBy(notice.regDt.desc())
167
                .offset(pageable.getOffset())
168
                .limit(pageable.getPageSize())
169
                .fetch();
170
171
        Long totCnt = queryFactory
172
                .select(notice.count())
173
                .from(notice)
174
                .where(searchWordEq(req.getSearchType(), req.getSearchWord()),
175
                       notice.delYn.eq("N"))
176
                .fetchOne();
177
178
        return new PageImpl<>(notices, pageable, totCnt);
179
    }
180
181 25 최시은
</code></pre>
182
* 성능 이슈가 있는 case : Querydsl + 속도 개선을 위한 커버링 인덱스 활용
183 14 최시은
* 8번 참고 : https://velog.io/@youngerjesus/%EC%9A%B0%EC%95%84%ED%95%9C-%ED%98%95%EC%A0%9C%EB%93%A4%EC%9D%98-Querydsl-%ED%99%9C%EC%9A%A9%EB%B2%95
184
<pre><code class="java">
185
public CommonListRes<GetProjectsRes> list(GetProjectsReq req) {
186
        // 1. Querydsl 동적인 조건 검색을 위한 BooleanBuilder & PathBuilder 사용
187
        BooleanBuilder builder = new BooleanBuilder();
188
        builder.and(project.useYn.equalsIgnoreCase("Y"));
189
        PathBuilder<Project> pathBuilder = new PathBuilderFactory().create(Project.class);
190
        StringPath path;
191
192
        // 2. 검색 조건이 담긴 요청 객체의 필드를 순회 하면서 값이 있으면 조건 추가
193
        BeanWrapper beanWrapper = new BeanWrapperImpl(req);
194
        Field[] fields = GetProjectsReq.class.getDeclaredFields();
195
        for(Field field : fields){
196
            if("searchWord".equals(field.getName())) {
197
                continue;
198
            }
199
            if(StringUtils.isNotBlank((String) beanWrapper.getPropertyValue(field.getName()))){
200
                if("searchType".equals(field.getName())){
201
                    if(StringUtils.isNotBlank(req.getSearchWord())){
202
                        path = pathBuilder.getString(req.getSearchType());
203
                        builder.and(path.contains(req.getSearchWord()));
204
                    }
205
                } else {
206
                    path = pathBuilder.getString(field.getName());
207
                    builder.and(path.equalsIgnoreCase((String) beanWrapper.getPropertyValue(field.getName())));
208
                }
209
            }
210
        }
211
212 24 최시은
        // 3. 총 건수 카운트
213
        Long totCnt = jpaQueryFactory
214
                .select(pathBuilder.count())
215
                .from(project)
216
                .where(builder)
217
                .fetchOne();
218
219
        // 4. 검색 조건이 반영된 ID 리스트 조회
220 14 최시은
        List<Integer> projectIds = jpaQueryFactory
221
                .select(project.projectId)
222
                .from(project)
223
                .where(builder)
224 1 최시은
                .orderBy(project.regDt.desc())
225 14 최시은
                .limit(req.getPageSize())
226 24 최시은
                .offset(req.getOffset())
227 14 최시은
                .fetch();
228
229 24 최시은
        // 5. 검색된 ID 기반 전체 필드 조회 (속도 개선을 위한 커버링 인덱스 기법)
230 14 최시은
        List<Project> projects = projectIds.isEmpty()
231
                ? new ArrayList<>()
232
                : jpaQueryFactory
233
                .select(project)
234 1 최시은
                .from(project)
235
                .where(project.projectId.in(projectIds))
236 14 최시은
                .orderBy(project.regDt.desc())
237
                .fetch();
238
239 24 최시은
        // 6. Entity -> DTO
240 14 최시은
        List<GetProjectsRes> resultList = new ArrayList<>();
241
        projects.forEach(value -> resultList.add(GetProjectsRes.convertToDTO(value)));
242
243 24 최시은
        CommonPagination pagination = req.makePaginationInfo(totCnt != null ? totCnt : 0L);
244 14 최시은
        return new CommonListRes<>(resultList, pagination);
245 20 최시은
    }
246 21 최시은
</code></pre>