DCAMP FRONTEND API 개발 가이드 » 이력 » 버전 25
최시은, 2023-06-08 02:07
1 | 1 | 최시은 | h2. DCAMP FRONTEND API 개발 가이드 |
---|---|---|---|
2 | |||
3 | 3 | 최시은 | 1. SecurityConfig 설정(security/config/SecurityConfig.java) |
4 | 1 | 최시은 | * securityFilterChain 메소드 - 개발 진행할 URL 에 대한 hasAuthority 룰 추가 |
5 | <pre><code class="java"> |
||
6 | http.csrf().disable() |
||
7 | .authorizeHttpRequests((authorize) -> |
||
8 | 2 | 최시은 | authorize |
9 | // hasAuthority 사용: db에 ROLE_ 안붙여도 됨 |
||
10 | .requestMatchers("/projects/**").hasAuthority("ADMIN") // 관리자 : ADMIN | 작업자&검수자 : USER |
||
11 | .anyRequest().authenticated() |
||
12 | 1 | 최시은 | </code></pre> |
13 | 3 | 최시은 | |
14 | 2. Swagger 사용 |
||
15 | * 설정 파일 위치 : common/config/SwaggerConfig.java (이미 설정되어 있으므로 따로 추가사항 없음) |
||
16 | * 접속 URL : http://localhost:18080/swagger-ui/index.html |
||
17 | login-controller 에서 로그인 후, 응답 토큰을 우상단 Authorized 버튼 클릭해서 입력하면 인증 가능 |
||
18 | 4 | 최시은 | |
19 | 8 | 최시은 | 3. Request URL Naming Rule |
20 | 5 | 최시은 | * RESTful API 기반 : https://restfulapi.net/resource-naming/ |
21 | * 1 Depth : 대메뉴(ex, project, user 등등) |
||
22 | <pre>http://api.example.com/user-management/users |
||
23 | http://api.example.com/user-management/users/{id}</pre> |
||
24 | 6 | 최시은 | |
25 | 4. DTO 폴더 |
||
26 | 1 | 최시은 | * 정의 : API 통신용 Request, Response 정의 |
27 | 8 | 최시은 | * Naming Rule : HttpMethod + 대메뉴(복수 or 단수) or 주 사용 테이블 + Req/Res |
28 | <pre> |
||
29 | 예시) |
||
30 | - GetProjectsReq : 프로젝트 목록 조회 요청 |
||
31 | - GetProjectsRes : 프로젝트 목록 조회 응답 |
||
32 | - PostProjectReq : 프로젝트 생성 요청 |
||
33 | - 애매한 경우는 적당히 클래스명만 보고 가늠할 수 있게 지정해주세요 |
||
34 | </pre> |
||
35 | 6 | 최시은 | * 공통 DTO 클래스 |
36 | ** CommonRes : 공통 응답필드(result, message) 정의, 상황에 따른 payload 세팅 가능 |
||
37 | <pre><code class="java"> |
||
38 | @PostMapping |
||
39 | 12 | 최시은 | public ResponseEntity<CommonRes> save(@AuthenticationPrincipal UserDetails userDetails, @RequestBody PostProjectReq req) throws Exception { |
40 | Project project = projectService.createProject(req, userDetails); |
||
41 | CommonRes response = project != null ? new CommonRes() : CommonRes.builder().result(false).message("오류가 발생했습니다.").build(); |
||
42 | return new ResponseEntity<>(response, HttpStatus.OK); |
||
43 | } |
||
44 | 6 | 최시은 | </code></pre> |
45 | 7 | 최시은 | ** CommonListRes : 페이징 목록 조회 시 Response 객체로 사용 |
46 | <pre><code class="java"> |
||
47 | @GetMapping |
||
48 | 12 | 최시은 | public ResponseEntity<CommonListRes<GetProjectsRes>> list(GetProjectsReq req) throws Exception { |
49 | CommonListRes<GetProjectsRes> response = projectService.list(req); |
||
50 | return new ResponseEntity<>(response, HttpStatus.OK); |
||
51 | } |
||
52 | 7 | 최시은 | </code></pre> |
53 | ** CommonSearch : 페이징 목록의 검색 시 Request 객체가 상속 받아 사용(페이징 정보 담김) |
||
54 | <pre><code class="java"> |
||
55 | @AllArgsConstructor |
||
56 | @NoArgsConstructor |
||
57 | @Setter |
||
58 | @Getter |
||
59 | @EqualsAndHashCode(callSuper = false) |
||
60 | public class GetProjectsReq extends CommonSearch { |
||
61 | 1 | 최시은 | |
62 | 7 | 최시은 | private String projectStatusCcd; |
63 | private String searchType; |
||
64 | private String searchWord; |
||
65 | |||
66 | } |
||
67 | </code></pre> |
||
68 | 13 | 최시은 | ** CommonPagination : 페이징 처리를 위해 CommonListRes에서 사용(따로 건드릴 일 없음) |
69 | 9 | 최시은 | |
70 | 5. Entity 폴더 |
||
71 | * 정의 : JPA 에서 사용할 Entity 정의 |
||
72 | |||
73 | 6. DTO 객체와 Entity 객체 분리 사용 |
||
74 | * 이유 : https://wildeveloperetrain.tistory.com/101 |
||
75 | * DTO <-> Entity 는 BeanUtils.copyProperties 사용(필드명 일치시켜야함) |
||
76 | <pre><code class="java"> |
||
77 | public Project createProject(PostProjectReq req, UserDetails userDetails) { |
||
78 | 10 | 최시은 | Project saveProject = new Project(); |
79 | String userId = userDetails.getUsername(); |
||
80 | saveProject.setRegId(userId); |
||
81 | // DTO <-> Entity 변환 |
||
82 | BeanUtils.copyProperties(req, saveProject); |
||
83 | saveProject = projectRepository.save(saveProject); |
||
84 | return saveProject; |
||
85 | } |
||
86 | </code></pre> |
||
87 | |||
88 | 7. 현재 로그인한 아이디 가져오기(regId 에 주로 사용) |
||
89 | * Spring security 에서 제공하는 @AuthenticationPrincipal 사용해 UserDetails 객체 가져옴 |
||
90 | * userDetails.getUsername() 으로 로그인ID 사용 |
||
91 | <pre><code class="java"> |
||
92 | @PostMapping |
||
93 | public ResponseEntity<CommonRes> save(@AuthenticationPrincipal UserDetails userDetails, @RequestBody PostProjectReq req) throws Exception { |
||
94 | 11 | 최시은 | // String userId = userDetails.getUsername(); |
95 | 10 | 최시은 | Project project = projectService.createProject(req, userDetails); |
96 | CommonRes response = project != null ? new CommonRes() : CommonRes.builder().result(false).message("오류가 발생했습니다.").build(); |
||
97 | return new ResponseEntity<>(response, HttpStatus.OK); |
||
98 | } |
||
99 | 1 | 최시은 | </code></pre> |
100 | |||
101 | 23 | 최시은 | 8. 검색 조건에 따른 목록 화면 |
102 | 25 | 최시은 | * 일반적인 case : JPA 에서 제공하는 Pageable 활용 |
103 | <pre><code class="java"> |
||
104 | // 여기 샘플코드 추가해주시면 고맙겠습니다! |
||
105 | </code></pre> |
||
106 | * 성능 이슈가 있는 case : Querydsl + 속도 개선을 위한 커버링 인덱스 활용 |
||
107 | 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 |
108 | <pre><code class="java"> |
||
109 | public CommonListRes<GetProjectsRes> list(GetProjectsReq req) { |
||
110 | // 1. Querydsl 동적인 조건 검색을 위한 BooleanBuilder & PathBuilder 사용 |
||
111 | BooleanBuilder builder = new BooleanBuilder(); |
||
112 | builder.and(project.useYn.equalsIgnoreCase("Y")); |
||
113 | PathBuilder<Project> pathBuilder = new PathBuilderFactory().create(Project.class); |
||
114 | StringPath path; |
||
115 | |||
116 | // 2. 검색 조건이 담긴 요청 객체의 필드를 순회 하면서 값이 있으면 조건 추가 |
||
117 | BeanWrapper beanWrapper = new BeanWrapperImpl(req); |
||
118 | Field[] fields = GetProjectsReq.class.getDeclaredFields(); |
||
119 | for(Field field : fields){ |
||
120 | if("searchWord".equals(field.getName())) { |
||
121 | continue; |
||
122 | } |
||
123 | if(StringUtils.isNotBlank((String) beanWrapper.getPropertyValue(field.getName()))){ |
||
124 | if("searchType".equals(field.getName())){ |
||
125 | if(StringUtils.isNotBlank(req.getSearchWord())){ |
||
126 | path = pathBuilder.getString(req.getSearchType()); |
||
127 | builder.and(path.contains(req.getSearchWord())); |
||
128 | } |
||
129 | } else { |
||
130 | path = pathBuilder.getString(field.getName()); |
||
131 | builder.and(path.equalsIgnoreCase((String) beanWrapper.getPropertyValue(field.getName()))); |
||
132 | } |
||
133 | } |
||
134 | } |
||
135 | |||
136 | 24 | 최시은 | // 3. 총 건수 카운트 |
137 | Long totCnt = jpaQueryFactory |
||
138 | .select(pathBuilder.count()) |
||
139 | .from(project) |
||
140 | .where(builder) |
||
141 | .fetchOne(); |
||
142 | |||
143 | // 4. 검색 조건이 반영된 ID 리스트 조회 |
||
144 | 14 | 최시은 | List<Integer> projectIds = jpaQueryFactory |
145 | .select(project.projectId) |
||
146 | .from(project) |
||
147 | .where(builder) |
||
148 | 1 | 최시은 | .orderBy(project.regDt.desc()) |
149 | 14 | 최시은 | .limit(req.getPageSize()) |
150 | 24 | 최시은 | .offset(req.getOffset()) |
151 | 14 | 최시은 | .fetch(); |
152 | |||
153 | 24 | 최시은 | // 5. 검색된 ID 기반 전체 필드 조회 (속도 개선을 위한 커버링 인덱스 기법) |
154 | 14 | 최시은 | List<Project> projects = projectIds.isEmpty() |
155 | ? new ArrayList<>() |
||
156 | : jpaQueryFactory |
||
157 | .select(project) |
||
158 | 1 | 최시은 | .from(project) |
159 | .where(project.projectId.in(projectIds)) |
||
160 | 14 | 최시은 | .orderBy(project.regDt.desc()) |
161 | .fetch(); |
||
162 | |||
163 | 24 | 최시은 | // 6. Entity -> DTO |
164 | 14 | 최시은 | List<GetProjectsRes> resultList = new ArrayList<>(); |
165 | projects.forEach(value -> resultList.add(GetProjectsRes.convertToDTO(value))); |
||
166 | |||
167 | 24 | 최시은 | CommonPagination pagination = req.makePaginationInfo(totCnt != null ? totCnt : 0L); |
168 | 14 | 최시은 | return new CommonListRes<>(resultList, pagination); |
169 | 20 | 최시은 | } |
170 | 21 | 최시은 | </code></pre> |