Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- Python
- CRUD
- 합격후기
- yolov5
- 절차지향
- 파이썬
- 면접전형
- nodejs
- 솝트 후기
- spring-boot
- 파이썬 #백준 #BFS
- objectdetection
- MongoDB
- jwt
- 페이지네이션
- 멋사
- jQuery
- Java
- 인공지능
- 서류전형
- 솝트
- 사물인식
- AWS
- 멋쟁이사자처럼
- 백준
- S3
- 프로그래머스
- 피로그래밍
- EC2
- 카카오
Archives
- Today
- Total
찔끔찔끔씩😎
[웹개발의 봄, Spring] 3주차 (3) - 타임라인 서비스 클라이언트 완성하기 본문
728x90
[웹개발의 봄, Spring] 3주차 (1) - 타임라인 서비스 서버 완성하기
[웹개발의 봄, Spring] 3주차 (2) - javascript, jQuery 기초
클라이언트 설계 및 구현
🔎 클라이언트 설계
Timeline Service에 필요한 기능은 다음과 같다.
- 메모 조회하기
1) GET API 사용해서 메모 목록 불러오기
2) 메모마다 HTML 만들고 붙이기 - 메모 생성하기
1) 사용자가 입력한 메모 내용 확인하기
2) POST API 사용해서 메모 신규 생성하기
3) 화면 새로고침하여 업데이트된 메모 목록 확인하기 - 메모 변경하기
1) 사용자가 클릭한 메모가 어떤 것인지 확인하기
2) 변경한 메모 내용 확인하기
3) PUT API 사용해서 메모 내용 변경하기
4) 화면 새로고침하여 업데이트된 메모 목록 확인하기 - 메모 삭제하기
1) 사용자가 클릭한 메모가 어떤 것인지 확인하기
2) DELETE API 사용해서 메모 삭제하기
3) 화면 새로고침하여 업데이트된 메모 목록 확인하기
🔎 메모 생성하기 - writePost 함수
// 메모를 생성합니다.
function writePost() {
// 1. 작성한 메모를 불러옵니다.
let contents = $('#contents').val();
// 2. 작성한 메모가 올바른지 isValidContents 함수를 통해 확인합니다.
if (isValidContents(contents) == false) {
return;
}
// 3. genRandomName 함수를 통해 익명의 username을 만듭니다.
let username = genRandomName(10);
// 4. 전달할 data JSON으로 만듭니다.
let data = {'username': username, 'contents': contents};
// 5. POST /api/memos 에 data를 전달합니다.
$.ajax({
type: "POST",
url: "/api/memos",
contentType: "application/json", // JSON 형식으로 전달함을 알리기
data: JSON.stringify(data),
success: function (response) {
alert('메시지가 성공적으로 작성되었습니다.');
window.location.reload();
}
});
}
🔎 메모 조회하기 - getMessages함수
// 메모를 불러와서 보여줍니다.
function getMessages() {
// 1. 기존 메모 내용을 지웁니다.
$('#cards-box').empty();
// 2. 메모 목록을 불러와서 HTML로 붙입니다.
$.ajax({
type: 'GET',
url: '/api/memos',
success: function (response) {
for (let i = 0; i < response.length; i++) {
let message = response[i];
let id = message['id'];
let username = message['username'];
let contents = message['contents'];
let modifiedAt = message['modifiedAt'];
addHTML(id, username, contents, modifiedAt);
}
}
})
}
// 메모 하나를 HTML로 만들어서 body 태그 내 원하는 곳에 붙입니다.
function addHTML(id, username, contents, modifiedAt) {
// 1. HTML 태그를 만듭니다.
let tempHtml = `<div class="card">
<!-- date/username 영역 -->
<div class="metadata">
<div class="date">
${modifiedAt}
</div>
<div id="${id}-username" class="username">
${username}
</div>
</div>
<!-- contents 조회/수정 영역-->
<div class="contents">
<div id="${id}-contents" class="text">
${contents}
</div>
<div id="${id}-editarea" class="edit">
<textarea id="${id}-textarea" class="te-edit" name="" id="" cols="30" rows="5"></textarea>
</div>
</div>
<!-- 버튼 영역-->
<div class="footer">
<img id="${id}-edit" class="icon-start-edit" src="images/edit.png" alt="" onclick="editPost('${id}')">
<img id="${id}-delete" class="icon-delete" src="images/delete.png" alt="" onclick="deleteOne('${id}')">
<img id="${id}-submit" class="icon-end-edit" src="images/done.png" alt="" onclick="submitEdit('${id}')">
</div>
</div>`;
// 2. #cards-box 에 HTML을 붙인다.
$('#cards-box').append(tempHtml);
}
🔎 메모 수정하기 - submitEdit함수
// 메모를 수정합니다.
function submitEdit(id) {
// 1. 작성 대상 메모의 username과 contents 를 확인합니다.
let username = $(`#${id}-username`).text().trim();
let contents = $(`#${id}-textarea`).val().trim();
// 2. 작성한 메모가 올바른지 isValidContents 함수를 통해 확인합니다.
if (isValidContents(contents) == false) {
return;
}
// 3. 전달할 data JSON으로 만듭니다.
let data = {'username': username, 'contents': contents};
// 4. PUT /api/memos/{id} 에 data를 전달합니다.
$.ajax({
type: "PUT",
url: `/api/memos/${id}`,
contentType: "application/json",
data: JSON.stringify(data),
success: function (response) {
alert('메시지 변경에 성공하였습니다.');
window.location.reload();
}
});
}
🔎 메모 삭제하기 - submitEdit함수
// 메모를 삭제합니다.
function deleteOne(id) {
// 1. DELETE /api/memos/{id} 에 요청해서 메모를 삭제합니다.
$.ajax({
type: "DELETE",
url: `/api/memos/${id}`,
success: function (response) {
alert('메시지 삭제에 성공하였습니다.');
window.location.reload();
}
})
}
'Server > Spring' 카테고리의 다른 글
[웹개발의 봄, Spring] 4주차 (1) - 네이버 쇼핑 API 이용하기 (0) | 2022.04.04 |
---|---|
[Spring] spring jpa localtime between (0) | 2022.03.22 |
[웹개발의 봄, Spring] 3주차 (2) - javascript, jQuery 기초 (0) | 2022.03.19 |
[웹개발의 봄, Spring] 3주차 (1) - 타임라인 서비스 서버 완성하기 (0) | 2022.03.16 |
[웹개발의 봄, Spring] 2주차 (3) - API, Lombok, DTO (0) | 2022.03.13 |
Comments