Merge branch 'boardmodify'
All checks were successful
LocalNet_front/pipeline/head This commit looks good

123
This commit is contained in:
nevermoregb 2025-03-07 10:24:47 +09:00
commit ad6ed9df55
6 changed files with 1177 additions and 1101 deletions

View File

@ -10,12 +10,8 @@
<div class="profile-detail"> <div class="profile-detail">
<span>{{ date }}</span> <span>{{ date }}</span>
<template v-if="showDetail"> <template v-if="showDetail">
<span class="ms-2"> <span class="ms-2"> <i class="fa-regular fa-eye"></i> {{ views }} </span>
<i class="fa-regular fa-eye"></i> {{ views }} <span class="ms-1"> <i class="bx bx-comment"></i> {{ commentNum }} </span>
</span>
<span>
<i class="bx bx-comment"></i> {{ commentNum }}
</span>
</template> </template>
</div> </div>
</div> </div>
@ -29,12 +25,7 @@
</template> </template>
<!-- 좋아요, 싫어요 버튼 (댓글에서만 표시) --> <!-- 좋아요, 싫어요 버튼 (댓글에서만 표시) -->
<BoardRecommendBtn <BoardRecommendBtn v-if="isLike" :boardId="boardId" :comment="comment" @updateReaction="handleUpdateReaction" />
v-if="isLike"
:boardId="boardId"
:comment="comment"
@updateReaction="handleUpdateReaction"
/>
</div> </div>
</div> </div>
</template> </template>
@ -46,10 +37,10 @@ import EditButton from '../button/EditBtn.vue';
import BoardRecommendBtn from '../button/BoardRecommendBtn.vue'; import BoardRecommendBtn from '../button/BoardRecommendBtn.vue';
// //
const defaultProfile = "/img/icons/icon.png"; const defaultProfile = '/img/icons/icon.png';
// (Vue ) // (Vue )
const baseUrl = "http://localhost:10325/"; // API URL const baseUrl = 'http://localhost:10325/'; // API URL
// Props // Props
const props = defineProps({ const props = defineProps({
@ -59,7 +50,7 @@ const props = defineProps({
}, },
boardId: { boardId: {
type: Number, type: Number,
required: false required: false,
}, },
commentId: { commentId: {
type: Number, type: Number,
@ -102,14 +93,13 @@ const props = defineProps({
isLike: { isLike: {
type: Boolean, type: Boolean,
default: false, default: false,
} },
}); });
const emit = defineEmits(['updateReaction', 'editClick', 'deleteClick']); const emit = defineEmits(['updateReaction', 'editClick', 'deleteClick']);
const isDeletedComment = computed(() => { const isDeletedComment = computed(() => {
return props.comment?.content === '삭제된 댓글입니다' && return props.comment?.content === '삭제된 댓글입니다' && props.comment?.updateAtRaw !== props.comment?.createdAtRaw;
props.comment?.updateAtRaw !== props.comment?.createdAtRaw;
}); });
// //
@ -123,8 +113,8 @@ const deleteClick = () => {
}; };
// / // /
const handleUpdateReaction = (reactionData) => { const handleUpdateReaction = reactionData => {
emit("updateReaction", { emit('updateReaction', {
boardId: props.boardId, boardId: props.boardId,
commentId: props.comment?.commentId, commentId: props.comment?.commentId,
...reactionData, ...reactionData,
@ -132,9 +122,7 @@ const handleUpdateReaction = (reactionData) => {
}; };
// //
const getProfileImage = (profilePath) => { const getProfileImage = profilePath => {
return profilePath && profilePath.trim() return profilePath && profilePath.trim() ? `${baseUrl}upload/img/profile/${profilePath}` : defaultProfile;
? `${baseUrl}upload/img/profile/${profilePath}`
: defaultProfile;
}; };
</script> </script>

View File

@ -1,5 +1,5 @@
<template> <template>
<button class="btn btn-label-primary btn-icon" @click="toggleText"> <button class="btn btn-label-primary btn-icon me-1" @click="toggleText">
<i :class="buttonClass"></i> <i :class="buttonClass"></i>
</button> </button>
</template> </template>
@ -14,16 +14,16 @@ const props = defineProps({
}, },
}); });
const buttonClass = ref("bx bx-edit-alt"); const buttonClass = ref('bx bx-edit-alt');
const toggleText = () => { const toggleText = () => {
if (props.isToggleEnabled) { if (props.isToggleEnabled) {
buttonClass.value = buttonClass.value === "bx bx-edit-alt" ? "bx bx-x" : "bx bx-edit-alt"; buttonClass.value = buttonClass.value === 'bx bx-edit-alt' ? 'bx bx-x' : 'bx bx-edit-alt';
} }
}; };
const resetButton = () => { const resetButton = () => {
buttonClass.value = "bx bx-edit-alt"; buttonClass.value = 'bx bx-edit-alt';
}; };
defineExpose({ resetButton }); defineExpose({ resetButton });

View File

@ -57,14 +57,13 @@ import 'quill/dist/quill.snow.css';
import { onMounted, ref, watch, defineEmits, defineProps } from 'vue'; import { onMounted, ref, watch, defineEmits, defineProps } from 'vue';
import $api from '@api'; import $api from '@api';
const props = defineProps({ const props = defineProps({
isAlert: { isAlert: {
type: Boolean, type: Boolean,
default: false, default: false,
}, },
initialData: { initialData: {
type: String, type: [String, Object],
default: () => null, default: () => null,
}, },
}); });
@ -111,11 +110,11 @@ onMounted(() => {
watch([font, fontSize], () => { watch([font, fontSize], () => {
quillInstance.format('font', font.value); quillInstance.format('font', font.value);
quillInstance.format('size', fontSize.value); quillInstance.format('size', fontSize.value);
}); });
// , HTML // , HTML
if (props.initialData) { if (props.initialData) {
console.log(props.initialData);
quillInstance.setContents(JSON.parse(props.initialData)); quillInstance.setContents(JSON.parse(props.initialData));
} }
@ -150,7 +149,8 @@ onMounted(() => {
formData.append('file', file); formData.append('file', file);
// URL // URL
uploadImageToServer(formData).then(serverImageUrl => { uploadImageToServer(formData)
.then(serverImageUrl => {
const baseUrl = $api.defaults.baseURL.replace(/api\/$/, ''); const baseUrl = $api.defaults.baseURL.replace(/api\/$/, '');
const fullImageUrl = `${baseUrl}${serverImageUrl.replace(/\\/g, '/')}`; const fullImageUrl = `${baseUrl}${serverImageUrl.replace(/\\/g, '/')}`;
@ -158,7 +158,8 @@ onMounted(() => {
quillInstance.insertEmbed(range.index, 'image', fullImageUrl); // quillInstance.insertEmbed(range.index, 'image', fullImageUrl); //
imageUrls.add(fullImageUrl); // URL imageUrls.add(fullImageUrl); // URL
}).catch(e => { })
.catch(e => {
toastStore.onToast('잠시후 다시 시도해주세요.', 'e'); toastStore.onToast('잠시후 다시 시도해주세요.', 'e');
}); });
} }

View File

@ -44,7 +44,12 @@
/> />
</div> </div>
<div> <div>
<QEditor @update:data="content = $event" @update:imageUrls="imageUrls = $event" :is-alert="wordContentAlert" :initialData="contentValue"/> <QEditor
@update:data="content = $event"
@update:imageUrls="imageUrls = $event"
:is-alert="wordContentAlert"
:initialData="contentValue"
/>
<div class="text-end mt-5"> <div class="text-end mt-5">
<button class="btn btn-primary" @click="saveWord"> <button class="btn btn-primary" @click="saveWord">
<i class="bx bx-check"></i> <i class="bx bx-check"></i>
@ -78,14 +83,10 @@ const addCategoryAlert = ref(false);
const selectCategory = ref(''); const selectCategory = ref('');
// //
const computedTitle = computed(() => const computedTitle = computed(() => (wordTitle.value === '' ? props.titleValue : wordTitle.value));
wordTitle.value === '' ? props.titleValue : wordTitle.value
);
// //
const selectedCategory = computed(() => const selectedCategory = computed(() => (selectCategory.value === '' ? props.formValue : selectCategory.value));
selectCategory.value === '' ? props.formValue : selectCategory.value
);
// ref // ref
const categoryInputRef = ref(null); const categoryInputRef = ref(null);
@ -93,23 +94,24 @@ const categoryInputRef = ref(null);
const props = defineProps({ const props = defineProps({
dataList: { dataList: {
type: Array, type: Array,
default: () => [] default: () => [],
}, },
NumValue: { NumValue: {
type: Number type: Number,
}, },
formValue: { formValue: {
type:[String, Number] type: [String, Number],
}, },
titleValue: { titleValue: {
type: String, type: String,
},contentValue : { },
contentValue: {
type: String, type: String,
}, },
isDisabled: { isDisabled: {
type: Boolean, type: Boolean,
default: false default: false,
} },
}); });
// //
@ -120,7 +122,7 @@ const toggleInput = () => {
showInput.value = !showInput.value; showInput.value = !showInput.value;
}; };
const onChange = (newValue) => { const onChange = newValue => {
selectCategory.value = newValue.target.value; selectCategory.value = newValue.target.value;
}; };
@ -130,7 +132,7 @@ const saveWord = () => {
let computedTitleTrim; let computedTitleTrim;
if (computedTitle.value != undefined) { if (computedTitle.value != undefined) {
computedTitleTrim = computedTitle.value.trim() computedTitleTrim = computedTitle.value.trim();
} }
// //
@ -144,9 +146,7 @@ const saveWord = () => {
// //
let inserts = []; let inserts = [];
if (inserts.length === 0 && content.value?.ops?.length > 0) { if (inserts.length === 0 && content.value?.ops?.length > 0) {
inserts = content.value.ops.map(op => inserts = content.value.ops.map(op => (typeof op.insert === 'string' ? op.insert.trim() : op.insert));
typeof op.insert === 'string' ? op.insert.trim() : op.insert
);
} }
// //
@ -155,7 +155,6 @@ const saveWord = () => {
return; return;
} }
const wordData = { const wordData = {
id: props.NumValue || null, id: props.NumValue || null,
title: computedTitle.value, title: computedTitle.value,
@ -164,11 +163,10 @@ const saveWord = () => {
}; };
emit('addWord', wordData, addCategory.value); emit('addWord', wordData, addCategory.value);
} };
// focusout // focusout
const handleCategoryFocusout = (value) => { const handleCategoryFocusout = value => {
const valueTrim = value.trim(); const valueTrim = value.trim();
const existingCategory = props.dataList.find(item => item.label === valueTrim); const existingCategory = props.dataList.find(item => item.label === valueTrim);
@ -184,8 +182,6 @@ const handleCategoryFocusout = (value) => {
inputElement.focus(); inputElement.focus();
} }
}, 0); }, 0);
} else if (existingCategory) { } else if (existingCategory) {
addCategoryAlert.value = true; addCategoryAlert.value = true;
@ -196,13 +192,10 @@ const handleCategoryFocusout = (value) => {
inputElement.focus(); inputElement.focus();
} }
}, 0); }, 0);
} else { } else {
addCategoryAlert.value = false; addCategoryAlert.value = false;
} }
}; };
</script> </script>
<style scoped> <style scoped>
@ -212,7 +205,7 @@ const handleCategoryFocusout = (value) => {
@media (max-width: 768px) { @media (max-width: 768px) {
.btn-margin { .btn-margin {
margin-top: 2.5rem margin-top: 2.5rem;
} }
} }
</style> </style>

View File

@ -10,25 +10,48 @@
<div class="col-xl-12"> <div class="col-xl-12">
<div class="card-body"> <div class="card-body">
<!-- 제목 입력 --> <!-- 제목 입력 -->
<FormInput <FormInput title="제목" name="title" :is-essential="true" :is-alert="titleAlert" v-model="title" />
title="제목"
name="title" <!-- 첨부파일 업로드 -->
:is-essential="true" <FormFile
:is-alert="titleAlert" title="첨부파일"
v-model="title" name="files"
:is-alert="attachFilesAlert"
@update:data="handleFileUpload"
@update:isValid="isFileValid = $event"
/> />
<!-- 실시간 반영된 파일 개수 표시 -->
<div>
<p class="text-muted mt-1">첨부파일: {{ fileCount }} / 5</p>
<p v-if="fileError" class="text-danger">{{ fileError }}</p>
<ul class="list-group mb-2" v-if="attachFiles.length">
<li
v-for="(file, index) in attachFiles"
:key="index"
class="list-group-item d-flex justify-content-between align-items-center"
>
{{ file.name }}
<button class="close-btn" @click="removeFile(index, file)"></button>
</li>
</ul>
</div>
<!-- 내용 입력 --> <!-- 내용 입력 -->
<div class="mb-4"> <div class="mb-4">
<label for="html5-tel-input" class="col-md-2 col-form-label"> <label for="html5-tel-input" class="col-md-2 col-form-label">
내용 내용
<span class="text-red">*</span> <span class="text-red">*</span>
<div class="invalid-feedback" :class="contentAlert ? 'display-block' : ''"> <div class="invalid-feedback" :class="contentAlert ? 'display-block' : ''">내용을 확인해주세요.</div>
내용을 확인해주세요.
</div>
</label> </label>
<div class="col-md-12"> <div class="col-md-12">
<QEditor v-model="content" /> <QEditor
v-if="contentLoaded"
@update:data="content = $event"
@update:imageUrls="imageUrls = $event"
:initialData="content"
/>
</div> </div>
</div> </div>
@ -50,7 +73,8 @@
<script setup> <script setup>
import QEditor from '@c/editor/QEditor.vue'; import QEditor from '@c/editor/QEditor.vue';
import FormInput from '@c/input/FormInput.vue'; import FormInput from '@c/input/FormInput.vue';
import { ref, onMounted } from 'vue'; import FormFile from '@c/input/FormFile.vue';
import { ref, onMounted, computed, watch } from 'vue';
import { useRoute, useRouter } from 'vue-router'; import { useRoute, useRouter } from 'vue-router';
import axios from '@api'; import axios from '@api';
@ -61,32 +85,50 @@ const content = ref('');
// //
const titleAlert = ref(false); const titleAlert = ref(false);
const contentAlert = ref(false); const contentAlert = ref(false);
const contentLoaded = ref(false);
// //
const router = useRouter(); const router = useRouter();
const route = useRoute(); const route = useRoute();
const currentBoardId = ref(route.params.id); // ID const currentBoardId = ref(route.params.id); // ID
console.log(currentBoardId.value)
//
const maxFiles = 5;
const maxSize = 10 * 1024 * 1024;
const attachFiles = ref([]);
const fileError = ref('');
const attachFilesAlert = ref(false);
const isFileValid = ref(true);
const delFileIdx = ref([]); // ID
const additionalFiles = ref([]); //
// //
const fetchBoardDetails = async () => { const fetchBoardDetails = async () => {
try { try {
const response = await axios.get(`board/${currentBoardId.value}`); const response = await axios.get(`board/${currentBoardId.value}`);
const data = response.data.data.boardDetail; const data = response.data.data;
if (!data) { //
console.error('API에서 게시물 데이터를 반환하지 않았습니다.'); if (data.hasAttachment && data.attachments.length > 0) {
return; attachFiles.value = addDisplayFileName([...data.attachments]);
} }
// //
title.value = data.title || '제목 없음'; title.value = data.title || '제목 없음';
content.value = data.content || '내용 없음'; content.value = data.content || '내용 없음';
contentLoaded.value = true;
} catch (error) { } catch (error) {
console.error('게시물 가져오기 오류:', error.response || error.message); console.error('게시물 가져오기 오류:', error.response || error.message);
} }
}; };
//
const addDisplayFileName = fileInfos =>
fileInfos.map(file => ({
...file,
name: `${file.originalName}.${file.extension}`,
}));
// //
const goList = () => { const goList = () => {
router.push('/board'); router.push('/board');
@ -111,10 +153,26 @@ const updateBoard = async () => {
// //
const boardData = { const boardData = {
LOCBRDTTL: title.value, LOCBRDTTL: title.value,
LOCBRDCON: content.value, LOCBRDCON: JSON.stringify(content.value),
LOCBRDSEQ: currentBoardId.value,
}; };
await axios.put(`board/${currentBoardId.value}`, boardData); if (delFileIdx.value && delFileIdx.value.length > 0) {
boardData.delFileIdx = [...delFileIdx.value];
}
const fileArray = newFileFilter(attachFiles);
const formData = new FormData();
Object.entries(boardData).forEach(([key, value]) => {
formData.append(key, value);
});
fileArray.forEach((file, idx) => {
formData.append('files', file);
});
await axios.put(`board/${currentBoardId.value}`, formData, { isFormData: true });
alert('게시물이 수정되었습니다.'); alert('게시물이 수정되었습니다.');
goList(); goList();
@ -124,6 +182,43 @@ const updateBoard = async () => {
} }
}; };
////////////////// fileSection[S] ////////////////////
const fileCount = computed(() => attachFiles.value.length);
const handleFileUpload = files => {
const validFiles = files.filter(file => file.size <= maxSize);
if (files.some(file => file.size > maxSize)) {
fileError.value = '파일 크기가 10MB를 초과할 수 없습니다.';
return;
}
if (attachFiles.value.length + validFiles.length > maxFiles) {
fileError.value = `최대 ${maxFiles}개의 파일만 업로드할 수 있습니다.`;
return;
}
fileError.value = '';
attachFiles.value = [...attachFiles.value, ...validFiles].slice(0, maxFiles);
};
const removeFile = (index, file) => {
if (file.id) delFileIdx.value.push(file.id);
attachFiles.value.splice(index, 1);
if (attachFiles.value.length <= maxFiles) {
fileError.value = '';
}
};
watch(attachFiles, () => {
isFileValid.value = attachFiles.value.length <= maxFiles;
});
const newFileFilter = attachFiles => {
const copyFiles = [...attachFiles.value];
return copyFiles.filter(item => !item.id);
};
////////////////// fileSection[E] ////////////////////
// //
onMounted(() => { onMounted(() => {
if (currentBoardId.value) { if (currentBoardId.value) {

View File

@ -18,6 +18,21 @@
@editClick="editClick" @editClick="editClick"
@deleteClick="deleteClick" @deleteClick="deleteClick"
/> />
<!-- 비밀번호 입력창 (익명일 경우) -->
<div v-if="isPassword && unknown" class="mt-3 w-25 ms-auto">
<div class="input-group">
<input
type="password"
class="form-control"
v-model="password"
placeholder="비밀번호 입력"
@input="password = password.replace(/\s/g, '')"
/>
<button class="btn btn-primary" @click="submitPassword">확인</button>
</div>
<span v-if="passwordAlert" class="invalid-feedback d-block text-start">{{ passwordAlert }}</span>
</div>
</div> </div>
</div> </div>
@ -31,17 +46,18 @@
<!-- 첨부파일 다운로드 버튼 --> <!-- 첨부파일 다운로드 버튼 -->
<div v-if="attachments.length" class="btn-group"> <div v-if="attachments.length" class="btn-group">
<button type="button" class="btn btn-label-secondary dropdown-toggle" data-bs-toggle="dropdown" aria-expanded="false"> <button
type="button"
class="btn btn-label-secondary dropdown-toggle"
data-bs-toggle="dropdown"
aria-expanded="false"
>
<i class="fa-solid fa-download me-2"></i> <i class="fa-solid fa-download me-2"></i>
첨부파일 ({{ attachments.length }}) 첨부파일 ({{ attachments.length }})
</button> </button>
<ul class="dropdown-menu"> <ul class="dropdown-menu">
<li v-for="(attachment, index) in attachments" :key="index"> <li v-for="(attachment, index) in attachments" :key="index">
<a <a class="dropdown-item" href="#" @click.prevent="downloadFile(attachment)">
class="dropdown-item"
href="#"
@click.prevent="downloadFile(attachment)"
>
{{ attachment.originalName }}.{{ attachment.extension }} {{ attachment.originalName }}.{{ attachment.extension }}
</a> </a>
</li> </li>
@ -50,7 +66,7 @@
</div> </div>
<!-- HTML 콘텐츠 렌더링 --> <!-- HTML 콘텐츠 렌더링 -->
<div class="board-content text-body" style="line-height: 1.6;" v-html="$common.contentToHtml(boardContent)"></div> <div class="board-content text-body" style="line-height: 1.6" v-html="$common.contentToHtml(boardContent)"></div>
<!-- 좋아요 버튼 --> <!-- 좋아요 버튼 -->
<div class="row justify-content-center my-10"> <div class="row justify-content-center my-10">
@ -97,11 +113,7 @@
@submitEdit="handleSubmitEdit" @submitEdit="handleSubmitEdit"
@update:password="updatePassword" @update:password="updatePassword"
/> />
<Pagination <Pagination v-if="pagination.pages" v-bind="pagination" @update:currentPage="handlePageChange" />
v-if="pagination.pages"
v-bind="pagination"
@update:currentPage="handlePageChange"
/>
</div> </div>
</div> </div>
</div> </div>
@ -150,18 +162,18 @@ const commentsWithAuthStatus = computed(() => {
children: comment.children.map(reply => ({ children: comment.children.map(reply => ({
...reply, ...reply,
isCommentAuthor: reply.authorId === currentUserId.value, isCommentAuthor: reply.authorId === currentUserId.value,
})) })),
})); }));
return updatedComments; return updatedComments;
}); });
const attachments = ref([]); const attachments = ref([]);
// URL // URL
const downloadFile = async (attachment) => { const downloadFile = async attachment => {
try { try {
const response = await axios.get(`board/download`, { const response = await axios.get(`board/download`, {
params: { path: attachment.path }, params: { path: attachment.path },
responseType: 'blob' responseType: 'blob',
}); });
// Blob // Blob
@ -179,21 +191,19 @@ const downloadFile = async (attachment) => {
} }
}; };
const password = ref(''); const password = ref('');
const passwordAlert = ref(""); const passwordAlert = ref('');
const passwordCommentAlert = ref(""); const passwordCommentAlert = ref('');
const isPassword = ref(false); const isPassword = ref(false);
const isCommentPassword = ref(false); const isCommentPassword = ref(false);
const currentPasswordCommentId = ref(null); const currentPasswordCommentId = ref(null);
const lastClickedButton = ref(""); const lastClickedButton = ref('');
const lastCommentClickedButton = ref(""); const lastCommentClickedButton = ref('');
const isEditTextarea = ref(false); const isEditTextarea = ref(false);
const isDeleted = ref(true); const isDeleted = ref(true);
const commentAlert = ref(''); const commentAlert = ref('');
const updatePassword = (newPassword) => { const updatePassword = newPassword => {
password.value = newPassword; password.value = newPassword;
}; };
@ -209,19 +219,17 @@ const pagination = ref({
navigatePages: 10, navigatePages: 10,
navigatepageNums: [1], navigatepageNums: [1],
navigateFirstPage: 1, navigateFirstPage: 1,
navigateLastPage: 1 navigateLastPage: 1,
}); });
// //
const fetchBoardDetails = async () => { const fetchBoardDetails = async () => {
try { try {
const response = await axios.get(`board/${currentBoardId.value}`); const response = await axios.get(`board/${currentBoardId.value}`);
const data = response.data.data; const data = response.data.data;
profileName.value = data.author || '익명'; profileName.value = data.author || '익명';
console.log(data.author);
authorId.value = data.authorId; authorId.value = data.authorId;
boardTitle.value = data.title || '제목 없음'; boardTitle.value = data.title || '제목 없음';
boardContent.value = data.content || ''; boardContent.value = data.content || '';
@ -232,7 +240,6 @@ const fetchBoardDetails = async () => {
attachment.value = data.hasAttachment || null; attachment.value = data.hasAttachment || null;
commentNum.value = data.commentCount || 0; commentNum.value = data.commentCount || 0;
attachments.value = data.attachments || []; attachments.value = data.attachments || [];
} catch (error) { } catch (error) {
alert('게시물 데이터를 불러오는 중 오류가 발생했습니다.'); alert('게시물 데이터를 불러오는 중 오류가 발생했습니다.');
} }
@ -245,7 +252,7 @@ const handleUpdateReaction = async ({ boardId, commentId, isLike, isDislike }) =
LOCBRDSEQ: boardId, // id LOCBRDSEQ: boardId, // id
LOCCMTSEQ: commentId, // id LOCCMTSEQ: commentId, // id
LOCGOBGOD: isLike ? 'T' : 'F', LOCGOBGOD: isLike ? 'T' : 'F',
LOCGOBBAD: isDislike ? 'T' : 'F' LOCGOBBAD: isDislike ? 'T' : 'F',
}); });
const response = await axios.get(`board/${boardId}`); const response = await axios.get(`board/${boardId}`);
@ -256,13 +263,11 @@ const handleUpdateReaction = async ({ boardId, commentId, isLike, isDislike }) =
likeClicked.value = isLike; likeClicked.value = isLike;
dislikeClicked.value = isDislike; dislikeClicked.value = isDislike;
} catch (error) { } catch (error) {
alert('오류가 발생했습니다.'); alert('오류가 발생했습니다.');
} }
}; };
// //
const handleCommentReaction = async ({ boardId, commentId, isLike, isDislike }) => { const handleCommentReaction = async ({ boardId, commentId, isLike, isDislike }) => {
if (!commentId) return; // ID if (!commentId) return; // ID
@ -272,11 +277,10 @@ const handleCommentReaction = async ({ boardId, commentId, isLike, isDislike })
LOCBRDSEQ: boardId, // ID LOCBRDSEQ: boardId, // ID
LOCCMTSEQ: commentId, // ID LOCCMTSEQ: commentId, // ID
LOCGOBGOD: isLike ? 'T' : 'F', LOCGOBGOD: isLike ? 'T' : 'F',
LOCGOBBAD: isDislike ? 'T' : 'F' LOCGOBBAD: isDislike ? 'T' : 'F',
}); });
await fetchComments(); await fetchComments();
} catch (error) { } catch (error) {
alert('오류가 발생했습니다.'); alert('오류가 발생했습니다.');
} }
@ -289,8 +293,8 @@ const fetchComments = async (page = 1) => {
const response = await axios.get(`board/${currentBoardId.value}/comments`, { const response = await axios.get(`board/${currentBoardId.value}/comments`, {
params: { params: {
LOCBRDSEQ: currentBoardId.value, LOCBRDSEQ: currentBoardId.value,
page page,
} },
}); });
const commentsList = response.data.data.list.map(comment => ({ const commentsList = response.data.data.list.map(comment => ({
commentId: comment.LOCCMTSEQ, // ID commentId: comment.LOCCMTSEQ, // ID
@ -307,7 +311,6 @@ const fetchComments = async (page = 1) => {
createdAt: formattedDate(comment.LOCCMTRDT), // createdAt: formattedDate(comment.LOCCMTRDT), //
children: [], // children: [], //
updateAtRaw: comment.LOCCMTUDT, updateAtRaw: comment.LOCCMTUDT,
})); }));
commentsList.sort((a, b) => b.createdAtRaw - a.createdAtRaw); commentsList.sort((a, b) => b.createdAtRaw - a.createdAtRaw);
@ -316,7 +319,7 @@ const fetchComments = async (page = 1) => {
if (!comment.commentId) continue; if (!comment.commentId) continue;
const replyResponse = await axios.get(`board/${currentBoardId.value}/reply`, { const replyResponse = await axios.get(`board/${currentBoardId.value}/reply`, {
params: { LOCCMTPNT: comment.commentId } params: { LOCCMTPNT: comment.commentId },
}); });
if (replyResponse.data.data) { if (replyResponse.data.data) {
@ -326,13 +329,13 @@ const fetchComments = async (page = 1) => {
commentId: reply.LOCCMTSEQ, commentId: reply.LOCCMTSEQ,
boardId: reply.LOCBRDSEQ, boardId: reply.LOCBRDSEQ,
parentId: reply.LOCCMTPNT, // ID parentId: reply.LOCCMTPNT, // ID
content: reply.LOCCMTRPY || "내용 없음", content: reply.LOCCMTRPY || '내용 없음',
createdAtRaw: new Date(reply.LOCCMTRDT), createdAtRaw: new Date(reply.LOCCMTRDT),
createdAt: formattedDate(reply.LOCCMTRDT), createdAt: formattedDate(reply.LOCCMTRDT),
likeCount: reply.likeCount || 0, likeCount: reply.likeCount || 0,
dislikeCount: reply.dislikeCount || 0, dislikeCount: reply.dislikeCount || 0,
likeClicked: false, likeClicked: false,
dislikeClicked: false dislikeClicked: false,
})); }));
} else { } else {
comment.children = []; // comment.children = []; //
@ -355,32 +358,30 @@ const fetchComments = async (page = 1) => {
navigatePages: response.data.data.navigatePages, // navigatePages: response.data.data.navigatePages, //
navigatepageNums: response.data.data.navigatepageNums, // navigatepageNums: response.data.data.navigatepageNums, //
navigateFirstPage: response.data.data.navigateFirstPage, // navigateFirstPage: response.data.data.navigateFirstPage, //
navigateLastPage: response.data.data.navigateLastPage // navigateLastPage: response.data.data.navigateLastPage, //
}; };
} catch (error) { } catch (error) {
alert('오류가 발생했습니다.'); alert('오류가 발생했습니다.');
} }
}; };
// //
const handleCommentSubmit = async (data) => { const handleCommentSubmit = async data => {
if (!data) { if (!data) {
return; return;
} }
const { comment, password, isCheck } = data; const { comment, password, isCheck } = data;
if (!comment || comment.trim() === "") { if (!comment || comment.trim() === '') {
commentAlert.value = '댓글을 입력해주세요.'; commentAlert.value = '댓글을 입력해주세요.';
return; return;
} else { } else {
commentAlert.value = ''; commentAlert.value = '';
} }
if (unknown.value && isCheck && (!password || password.trim() === "")) { if (unknown.value && isCheck && (!password || password.trim() === '')) {
passwordAlert.value = "비밀번호를 입력해야 합니다."; passwordAlert.value = '비밀번호를 입력해야 합니다.';
return; return;
} }
@ -390,7 +391,7 @@ const handleCommentSubmit = async (data) => {
LOCCMTRPY: comment, LOCCMTRPY: comment,
LOCCMTPWD: isCheck ? password : '', LOCCMTPWD: isCheck ? password : '',
LOCCMTPNT: 1, LOCCMTPNT: 1,
LOCBRDTYP: isCheck ? "300102" : null LOCBRDTYP: isCheck ? '300102' : null,
}); });
if (response.status === 200) { if (response.status === 200) {
@ -398,22 +399,22 @@ const handleCommentSubmit = async (data) => {
commentAlert.value = ''; commentAlert.value = '';
await fetchComments(); await fetchComments();
} else { } else {
alert("댓글 작성을 실패했습니다.") alert('댓글 작성을 실패했습니다.');
} }
} catch (error) { } catch (error) {
alert("오류가 발생했습니다.") alert('오류가 발생했습니다.');
} }
}; };
// //
const handleCommentReply = async (reply) => { const handleCommentReply = async reply => {
try { try {
const response = await axios.post(`board/${currentBoardId.value}/comment`, { const response = await axios.post(`board/${currentBoardId.value}/comment`, {
LOCBRDSEQ: currentBoardId.value, LOCBRDSEQ: currentBoardId.value,
LOCCMTRPY: reply.comment, LOCCMTRPY: reply.comment,
LOCCMTPWD: reply.password || null, LOCCMTPWD: reply.password || null,
LOCCMTPNT: reply.parentId, LOCCMTPNT: reply.parentId,
LOCBRDTYP: reply.isCheck ? "300102" : null LOCBRDTYP: reply.isCheck ? '300102' : null,
}); });
if (response.status === 200) { if (response.status === 200) {
@ -425,27 +426,27 @@ const handleCommentReply = async (reply) => {
} }
} catch (error) { } catch (error) {
if (error.response) { if (error.response) {
alert("오류가 발생했습니다."); alert('오류가 발생했습니다.');
}
alert("오류가 발생했습니다.");
} }
alert('오류가 발생했습니다.');
} }
};
// //
const editClick = (unknown) => { const editClick = unknown => {
const isUnknown = unknown?.unknown ?? false; const isUnknown = unknown?.unknown ?? false;
if (isUnknown) { if (isUnknown) {
togglePassword("edit"); togglePassword('edit');
} else { } else {
router.push({ name: "BoardEdit", params: { id: currentBoardId.value } }); router.push({ name: 'BoardEdit', params: { id: currentBoardId.value } });
} }
}; };
// //
const deleteClick = (unknown) => { const deleteClick = unknown => {
if (unknown) { if (unknown) {
togglePassword("delete"); togglePassword('delete');
} else { } else {
deletePost(); deletePost();
} }
@ -465,7 +466,7 @@ const findCommentById = (commentId, commentsList) => {
}; };
// ( ) // ( )
const editComment = (comment) => { const editComment = comment => {
password.value = ''; password.value = '';
passwordCommentAlert.value = ''; passwordCommentAlert.value = '';
currentPasswordCommentId.value = null; currentPasswordCommentId.value = null;
@ -477,7 +478,7 @@ const editComment = (comment) => {
} }
const isMyComment = comment.authorId === currentUserId.value; const isMyComment = comment.authorId === currentUserId.value;
const isAnonymous = comment.author === "익명"; const isAnonymous = comment.author === '익명';
if (isMyComment) { if (isMyComment) {
if (targetComment.isEditTextarea) { if (targetComment.isEditTextarea) {
@ -501,12 +502,12 @@ const editComment = (comment) => {
// //
targetComment.isEditTextarea = false; targetComment.isEditTextarea = false;
toggleCommentPassword(comment, "edit"); toggleCommentPassword(comment, 'edit');
} }
} else { } else {
alert("수정이 불가능합니다"); alert('수정이 불가능합니다');
}
} }
};
// //
const closeAllEditTextareas = () => { const closeAllEditTextareas = () => {
@ -519,7 +520,7 @@ const closeAllEditTextareas = () => {
}; };
// //
const deleteComment = async (comment) => { const deleteComment = async comment => {
const isMyComment = comment.authorId === currentUserId.value; const isMyComment = comment.authorId === currentUserId.value;
if (unknown.value && !isMyComment) { if (unknown.value && !isMyComment) {
@ -527,7 +528,7 @@ const deleteComment = async (comment) => {
comment.isEditTextarea = false; comment.isEditTextarea = false;
comment.isCommentPassword = true; comment.isCommentPassword = true;
} else { } else {
toggleCommentPassword(comment, "delete"); toggleCommentPassword(comment, 'delete');
} }
} else { } else {
deleteReplyComment(comment); deleteReplyComment(comment);
@ -549,7 +550,7 @@ const toggleCommentPassword = (comment, button) => {
lastCommentClickedButton.value = button; lastCommentClickedButton.value = button;
}; };
const togglePassword = (button) => { const togglePassword = button => {
if (lastClickedButton.value === button) { if (lastClickedButton.value === button) {
isPassword.value = !isPassword.value; isPassword.value = !isPassword.value;
} else { } else {
@ -561,48 +562,49 @@ const togglePassword = (button) => {
// //
const submitPassword = async () => { const submitPassword = async () => {
if (!password.value.trim()) { if (!password.value.trim()) {
passwordAlert.value = "비밀번호를 입력해주세요."; passwordAlert.value = '비밀번호를 입력해주세요.';
return; return;
} }
try { try {
const response = await axios.post(`board/${currentBoardId.value}/password`, { const response = await axios.post(`board/${currentBoardId.value}/password`, {
LOCBRDPWD: password.value, LOCBRDPWD: password.value,
LOCBRDSEQ: 288, LOCBRDSEQ: currentBoardId.value,
}); });
if (response.data.code === 200 && response.data.data === true) { if (response.data.code === 200 && response.data.data === true) {
password.value = ''; password.value = '';
isPassword.value = false; isPassword.value = false;
if (lastClickedButton.value === "edit") { if (lastClickedButton.value === 'edit') {
router.push({ name: "BoardEdit", params: { id: currentBoardId.value } }); router.push({ name: 'BoardEdit', params: { id: currentBoardId.value } });
} else if (lastClickedButton.value === "delete") { } else if (lastClickedButton.value === 'delete') {
await deletePost(); await deletePost();
} }
lastClickedButton.value = null; lastClickedButton.value = null;
} else { } else {
passwordAlert.value = "비밀번호가 일치하지 않습니다."; passwordAlert.value = '비밀번호가 일치하지 않습니다.';
} }
} catch (error) { } catch (error) {
if (error.response) { if (error.reponse && error.reponse.status === 401) passwordAlert.value = '비밀번호가 일치하지 않습니다.';
if (error.response.status === 401) { // if (error.response) {
passwordAlert.value = "비밀번호가 일치하지 않습니다."; // if (error.response.status === 401) {
} else { // passwordAlert.value = ' .';
passwordAlert.value = error.response.data?.message || "서버 오류가 발생했습니다."; // } else {
} // passwordAlert.value = error.response.data?.message || ' .';
} else if (error.request) { // }
passwordAlert.value = "네트워크 오류가 발생했습니다. 다시 시도해주세요."; // } else if (error.request) {
} else { // passwordAlert.value = ' . .';
passwordAlert.value = "요청 중 알 수 없는 오류가 발생했습니다."; // } else {
} // passwordAlert.value = ' .';
// }
} }
}; };
// ( ) // ( )
const submitCommentPassword = async (comment, password) => { const submitCommentPassword = async (comment, password) => {
if (!password) { if (!password) {
passwordCommentAlert.value = "비밀번호를 입력해주세요."; passwordCommentAlert.value = '비밀번호를 입력해주세요.';
return; return;
} }
@ -615,68 +617,66 @@ const submitCommentPassword = async (comment, password) => {
}); });
if (response.data.code === 200 && response.data.data === true) { if (response.data.code === 200 && response.data.data === true) {
passwordCommentAlert.value = ""; passwordCommentAlert.value = '';
comment.isCommentPassword = false; comment.isCommentPassword = false;
// //
if (lastCommentClickedButton.value === "edit") { if (lastCommentClickedButton.value === 'edit') {
if (targetComment) { if (targetComment) {
// //
closeAllEditTextareas(); closeAllEditTextareas();
targetComment.isEditTextarea = true; targetComment.isEditTextarea = true;
passwordCommentAlert.value = ""; passwordCommentAlert.value = '';
currentPasswordCommentId.value = null; currentPasswordCommentId.value = null;
} else { } else {
alert("수정 취소를 실패했습니다."); alert('수정 취소를 실패했습니다.');
} }
// //
} else if (lastCommentClickedButton.value === "delete") { } else if (lastCommentClickedButton.value === 'delete') {
passwordCommentAlert.value = ""; passwordCommentAlert.value = '';
deleteReplyComment(comment) deleteReplyComment(comment);
} }
lastCommentClickedButton.value = null; lastCommentClickedButton.value = null;
} else { } else {
passwordCommentAlert.value = "비밀번호가 일치하지 않습니다."; passwordCommentAlert.value = '비밀번호가 일치하지 않습니다.';
} }
} catch (error) { } catch (error) {
if (error.response?.status === 401) { if (error.response?.status === 401) {
passwordCommentAlert.value = "비밀번호가 일치하지 않습니다"; passwordCommentAlert.value = '비밀번호가 일치하지 않습니다';
} }
passwordCommentAlert.value = "비밀번호가 일치하지 않습니다"; passwordCommentAlert.value = '비밀번호가 일치하지 않습니다';
} }
}; };
// //
const deletePost = async () => { const deletePost = async () => {
if (confirm("정말 삭제하시겠습니까?")) { if (confirm('정말 삭제하시겠습니까?')) {
try { try {
const response = await axios.delete(`board/${currentBoardId.value}`, { const response = await axios.delete(`board/${currentBoardId.value}`, {
data: { LOCBRDSEQ: currentBoardId.value } data: { LOCBRDSEQ: currentBoardId.value },
}); });
if (response.data.code === 200) { if (response.data.code === 200) {
alert("게시물이 삭제되었습니다."); alert('게시물이 삭제되었습니다.');
router.push({ name: "BoardList" }); router.push({ name: 'BoardList' });
} else { } else {
alert("삭제 실패: " + response.data.message); alert('삭제 실패: ' + response.data.message);
} }
} catch (error) { } catch (error) {
if (error.response) { if (error.response) {
alert(`삭제 실패: ${error.response.data.message || "서버 오류"}`); alert(`삭제 실패: ${error.response.data.message || '서버 오류'}`);
} else { } else {
alert("네트워크 오류가 발생했습니다. 다시 시도해주세요."); alert('네트워크 오류가 발생했습니다. 다시 시도해주세요.');
} }
} }
} }
}; };
// ( ) // ( )
const deleteReplyComment = async (comment) => { const deleteReplyComment = async comment => {
if (!confirm("정말 이 댓글을 삭제하시겠습니까?")) return; if (!confirm('정말 이 댓글을 삭제하시겠습니까?')) return;
const targetComment = findCommentById(comment.commentId, comments.value); const targetComment = findCommentById(comment.commentId, comments.value);
@ -684,7 +684,7 @@ const deleteReplyComment = async (comment) => {
try { try {
const response = await axios.delete(`board/comment/${comment.commentId}`, { const response = await axios.delete(`board/comment/${comment.commentId}`, {
data: { LOCCMTSEQ: comment.commentId } data: { LOCCMTSEQ: comment.commentId },
}); });
if (response.data.code === 200) { if (response.data.code === 200) {
@ -693,15 +693,15 @@ const deleteReplyComment = async (comment) => {
if (targetComment) { if (targetComment) {
// console.log('',targetComment) // console.log('',targetComment)
// " ." , // " ." ,
targetComment.content = "댓글이 삭제되었습니다."; targetComment.content = '댓글이 삭제되었습니다.';
targetComment.author = "알 수 없음"; // targetComment.author = '알 수 없음'; //
targetComment.isDeleted = true; // targetComment.isDeleted = true; //
} }
} else { } else {
alert("댓글 삭제에 실패했습니다."); alert('댓글 삭제에 실패했습니다.');
} }
} catch (error) { } catch (error) {
alert("댓글 삭제 중 오류가 발생했습니다."); alert('댓글 삭제 중 오류가 발생했습니다.');
} }
}; };
@ -710,39 +710,38 @@ const handleSubmitEdit = async (comment, editedContent) => {
try { try {
const response = await axios.put(`board/comment/${comment.commentId}`, { const response = await axios.put(`board/comment/${comment.commentId}`, {
LOCCMTSEQ: comment.commentId, LOCCMTSEQ: comment.commentId,
LOCCMTRPY: editedContent LOCCMTRPY: editedContent,
}); });
if (response.status === 200) { if (response.status === 200) {
const targetComment = findCommentById(comment.commentId, comments.value); const targetComment = findCommentById(comment.commentId, comments.value);
if (targetComment) { if (targetComment) {
targetComment.content = editedContent; // targetComment.content = editedContent; //
targetComment.isEditTextarea = false; // targetComment.isEditTextarea = false; //
} else { } else {
alert("수정할 댓글을 찾을 수 없습니다."); alert('수정할 댓글을 찾을 수 없습니다.');
} }
} else { } else {
alert("댓글 수정 실패했습니다."); alert('댓글 수정 실패했습니다.');
} }
} catch (error) { } catch (error) {
alert("댓글 수정 중 오류 발생했습니다."); alert('댓글 수정 중 오류 발생했습니다.');
} }
}; };
// ( ) // ( )
const handleCancelEdit = (comment) => { const handleCancelEdit = comment => {
const targetComment = findCommentById(comment.commentId, comments.value); const targetComment = findCommentById(comment.commentId, comments.value);
if (targetComment) { if (targetComment) {
targetComment.isEditTextarea = false; targetComment.isEditTextarea = false;
} else { } else {
alert("수정 취소를 실패했습니다."); alert('수정 취소를 실패했습니다.');
} }
}; };
// //
const handlePageChange = (page) => { const handlePageChange = page => {
if (page !== pagination.value.currentPage) { if (page !== pagination.value.currentPage) {
pagination.value.currentPage = page; pagination.value.currentPage = page;
fetchComments(page); fetchComments(page);
@ -750,7 +749,7 @@ const handlePageChange = (page) => {
}; };
// ( ) // ( )
const handleCommentDeleted = (deletedCommentId) => { const handleCommentDeleted = deletedCommentId => {
// //
const parentIndex = comments.value.findIndex(comment => comment.commentId === deletedCommentId); const parentIndex = comments.value.findIndex(comment => comment.commentId === deletedCommentId);
@ -770,8 +769,8 @@ const handleCommentDeleted = (deletedCommentId) => {
}; };
// //
const formattedDate = (dateString) => { const formattedDate = dateString => {
if (!dateString) return "날짜 없음"; if (!dateString) return '날짜 없음';
const dateObj = new Date(dateString); const dateObj = new Date(dateString);
return `${dateObj.getFullYear()}-${String(dateObj.getMonth() + 1).padStart(2, '0')}-${String(dateObj.getDate()).padStart(2, '0')} ${String(dateObj.getHours()).padStart(2, '0')}:${String(dateObj.getMinutes()).padStart(2, '0')}`; return `${dateObj.getFullYear()}-${String(dateObj.getMonth() + 1).padStart(2, '0')}-${String(dateObj.getDate()).padStart(2, '0')} ${String(dateObj.getHours()).padStart(2, '0')}:${String(dateObj.getMinutes()).padStart(2, '0')}`;
}; };
@ -780,7 +779,7 @@ const formattedBoardDate = computed(() => formattedDate(date.value));
// //
onMounted(() => { onMounted(() => {
fetchBoardDetails() fetchBoardDetails();
fetchComments() fetchComments();
}); });
</script> </script>