docs: add annotations in SurveySale related Files

- Added detailed descriptions for search parameters and API functionalities in survey-sales routes.
- Improved documentation for inquiry-related hooks and types, enhancing clarity on their usage.
- Refactored comments for better readability and consistency across the codebase.
This commit is contained in:
Dayoung 2025-06-10 17:13:35 +09:00
parent cc90977cd9
commit f51b03cab7
19 changed files with 999 additions and 203 deletions

View File

@ -6,6 +6,9 @@ import { sessionOptions } from '@/libs/session'
import { cookies } from 'next/headers' import { cookies } from 'next/headers'
import type { SessionData } from '@/types/Auth' import type { SessionData } from '@/types/Auth'
/**
* @description
*/
const ERROR_MESSAGES = { const ERROR_MESSAGES = {
NOT_FOUND: 'データが見つかりません。', NOT_FOUND: 'データが見つかりません。',
UNAUTHORIZED: 'Unauthorized', UNAUTHORIZED: 'Unauthorized',
@ -13,14 +16,30 @@ const ERROR_MESSAGES = {
FETCH_ERROR: 'データの取得に失敗しました。', FETCH_ERROR: 'データの取得に失敗しました。',
} as const } as const
// Role check functions /**
* @description T01
* @param {any} survey
* @returns {boolean}
*/
const checkT01Role = (survey: any): boolean => survey.SRL_NO !== '一時保存' const checkT01Role = (survey: any): boolean => survey.SRL_NO !== '一時保存'
/**
* @description Admin (1 )
* @param {any} survey
* @param {string | null} storeId ID
* @returns {boolean}
*/
const checkAdminRole = (survey: any, storeId: string | null): boolean => { const checkAdminRole = (survey: any, storeId: string | null): boolean => {
if (!storeId) return false if (!storeId) return false
return survey.SUBMISSION_STATUS ? survey.SUBMISSION_TARGET_ID === storeId || survey.STORE_ID === storeId : survey.STORE_ID === storeId return survey.SUBMISSION_STATUS ? survey.SUBMISSION_TARGET_ID === storeId || survey.STORE_ID === storeId : survey.STORE_ID === storeId
} }
/**
* @description Admin_Sub (2 )
* @param {any} survey
* @param {string | null} storeId ID
* @returns {boolean}
*/
const checkAdminSubRole = (survey: any, storeId: string | null): boolean => { const checkAdminSubRole = (survey: any, storeId: string | null): boolean => {
if (!storeId) return false if (!storeId) return false
return survey.SUBMISSION_STATUS return survey.SUBMISSION_STATUS
@ -28,11 +47,23 @@ const checkAdminSubRole = (survey: any, storeId: string | null): boolean => {
: survey.STORE_ID === storeId && !survey.CONSTRUCTION_POINT_ID : survey.STORE_ID === storeId && !survey.CONSTRUCTION_POINT_ID
} }
/**
* @description Partner () Builder (2 )
* @param {any} survey
* @param {string | null} builderId ID
* @returns {boolean}
*/
const checkPartnerOrBuilderRole = (survey: any, builderId: string | null): boolean => { const checkPartnerOrBuilderRole = (survey: any, builderId: string | null): boolean => {
if (!builderId) return false if (!builderId) return false
return survey.CONSTRUCTION_POINT_ID === builderId return survey.CONSTRUCTION_POINT_ID === builderId
} }
/**
* @description
* @param {any} survey
* @param {any} session
* @returns {boolean}
*/
const checkRole = (survey: any, session: any): boolean => { const checkRole = (survey: any, session: any): boolean => {
if (!survey || !session.isLoggedIn) return false if (!survey || !session.isLoggedIn) return false
@ -47,6 +78,11 @@ const checkRole = (survey: any, session: any): boolean => {
return roleChecks[session.role as keyof typeof roleChecks]?.() ?? false return roleChecks[session.role as keyof typeof roleChecks]?.() ?? false
} }
/**
* @description
* @param {number} id ID
* @returns {Promise<any>}
*/
const fetchSurvey = async (id: number) => { const fetchSurvey = async (id: number) => {
// @ts-ignore // @ts-ignore
return await prisma.SD_SURVEY_SALES_BASIC_INFO.findFirst({ return await prisma.SD_SURVEY_SALES_BASIC_INFO.findFirst({
@ -55,7 +91,42 @@ const fetchSurvey = async (id: number) => {
}) })
} }
// API Route Handlers /**
* @api {GET} /api/survey-sales/:id API
* @apiName GET /api/survey-sales/:id
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Number} id PRIMARY KEY ID (required)
* @apiParam {Boolean} isPdf pdf (optional, default: false)
*
* @apiSuccess {Object} SurveySaleBasicInfo
*
* @apiError {Number} 401 ( )
* @apiError {Number} 403
* @apiError {Number} 404
* @apiError {Number} 500
*
* @apiExample {curl} Example usage:
* curl -X GET \
* -G "isPdf=true" \
* http://localhost:3000/api/survey-sales/1
*
* @apiSuccessExample {json} Success-Response:
* {
* "id": 1,
* "srlNo": "1234567890",
* "storeId": "1234567890",
* "detailInfo": {
* "id": 1,
* "trestleMfpcCd": "1234567890",
* "trestleManufacturerProductName": "1234567890",
* "memo": "1234567890"
* ...
* }
* ...
* }
*/
export async function GET(request: NextRequest, { params }: { params: Promise<{ id: string }> }) { export async function GET(request: NextRequest, { params }: { params: Promise<{ id: string }> }) {
try { try {
const cookieStore = await cookies() const cookieStore = await cookies()
@ -69,14 +140,17 @@ export async function GET(request: NextRequest, { params }: { params: Promise<{
return NextResponse.json({ error: ERROR_MESSAGES.NOT_FOUND }, { status: 404 }) return NextResponse.json({ error: ERROR_MESSAGES.NOT_FOUND }, { status: 404 })
} }
/** pdf 데이터 요청 여부, 권한 여부 확인 */
if (isPdf || checkRole(survey, session)) { if (isPdf || checkRole(survey, session)) {
return NextResponse.json(survey) return NextResponse.json(survey)
} }
/** 로그인 여부 확인 */
if (!session?.isLoggedIn || session?.role === null) { if (!session?.isLoggedIn || session?.role === null) {
return NextResponse.json({ error: ERROR_MESSAGES.UNAUTHORIZED }, { status: 401 }) return NextResponse.json({ error: ERROR_MESSAGES.UNAUTHORIZED }, { status: 401 })
} }
/** 권한 없음 */
return NextResponse.json({ error: ERROR_MESSAGES.NO_PERMISSION }, { status: 403 }) return NextResponse.json({ error: ERROR_MESSAGES.NO_PERMISSION }, { status: 403 })
} catch (error) { } catch (error) {
console.error('Error fetching survey:', error) console.error('Error fetching survey:', error)
@ -84,6 +158,13 @@ export async function GET(request: NextRequest, { params }: { params: Promise<{
} }
} }
/**
* @description SRL_NO
* @param {string} srlNo SRL_NO
* @param {string} storeId ID
* @param {string} role
* @returns {Promise<string>} SRL_NO
*/
const getNewSrlNo = async (srlNo: string, storeId: string, role: string) => { const getNewSrlNo = async (srlNo: string, storeId: string, role: string) => {
const srlRole = role === 'T01' || role === 'Admin' ? 'HO' : role === 'Admin_Sub' || role === 'Builder' ? 'HM' : '' const srlRole = role === 'T01' || role === 'Admin' ? 'HO' : role === 'Admin_Sub' || role === 'Builder' ? 'HM' : ''
@ -113,6 +194,39 @@ const getNewSrlNo = async (srlNo: string, storeId: string, role: string) => {
return newSrlNo return newSrlNo
} }
/**
* @api {PUT} /api/survey-sales/:id API
* @apiName PUT /api/survey-sales/:id
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Number} id PRIMARY KEY ID (required)
* @apiBody {Object} survey (required)
* @apiBody {Boolean} isTemporary (optional, default: false)
* @apiBody {String} storeId ID (optional)
* @apiBody {String} role (optional)
*
* @apiSuccess {Object} SurveySaleBasicInfo
*
* @apiExample {curl} Example usage:
* curl -X PUT \
* -H "Content-Type: application/json" \
* -d '{"survey": {"detailInfo": {"id": 1, "memo": "1234567890", ...}, "srlNo": "1234567890", ...},"storeId": "1234567890", "role": "T01", "isTemporary": false}' \
* http://localhost:3000/api/survey-sales/1
*
* @apiSuccessExample {json} Success-Response:
* {
* "id": 1,
* "srlNo": "1234567890",
* "storeId": "1234567890",
* "detailInfo": {
* "id": 1,
* "memo": "1234567890",
* ...
* }
* ...
* }
* */
export async function PUT(request: NextRequest, { params }: { params: Promise<{ id: string }> }) { export async function PUT(request: NextRequest, { params }: { params: Promise<{ id: string }> }) {
try { try {
const { id } = await params const { id } = await params
@ -142,7 +256,24 @@ export async function PUT(request: NextRequest, { params }: { params: Promise<{
return NextResponse.json({ error: 'データ保存に失敗しました。' }, { status: 500 }) return NextResponse.json({ error: 'データ保存に失敗しました。' }, { status: 500 })
} }
} }
/**
* @api {DELETE} /api/survey-sales/:id API
* @apiName DELETE /api/survey-sales/:id
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Number} id PRIMARY KEY ID (required)
*
* @apiSuccess {String} message
*
* @apiExample {curl} Example usage:
* curl -X DELETE \
* http://localhost:3000/api/survey-sales/1
*
* @apiSuccessExample {json} Success-Response:
* {
* "message": "success"
*/
export async function DELETE(request: NextRequest, { params }: { params: Promise<{ id: string }> }) { export async function DELETE(request: NextRequest, { params }: { params: Promise<{ id: string }> }) {
try { try {
const { id } = await params const { id } = await params
@ -176,6 +307,41 @@ export async function DELETE(request: NextRequest, { params }: { params: Promise
} }
} }
/**
* @api {PATCH} /api/survey-sales/:id API
* @apiName PATCH /api/survey-sales/:id
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Number} id PRIMARY KEY ID (required)
* @apiBody {String} targetId ID (required)
* @apiBody {String} targetNm (required)
*
* @apiSuccess {String} message
* @apiSuccess {Object} data
*
* @apiExample {curl} Example usage:
* curl -X PATCH \
* -H "Content-Type: application/json" \
* -d '{"targetId": "1234567890", "targetNm": "1234567890"}' \
* http://localhost:3000/api/survey-sales/1
*
* @apiSuccessExample {json} Success-Response:
* {
* "message": "success",
* "data": {
* "id": 1,
* "srlNo": "1234567890",
* "storeId": "1234567890",
* "detailInfo": {
* "id": 1,
* "memo": "1234567890",
* ...
* }
* ...
* }
* }
*/
export async function PATCH(request: NextRequest, { params }: { params: Promise<{ id: string }> }) { export async function PATCH(request: NextRequest, { params }: { params: Promise<{ id: string }> }) {
try { try {
const { id } = await params const { id } = await params

View File

@ -2,17 +2,17 @@ import { NextResponse } from 'next/server'
import { prisma } from '@/libs/prisma' import { prisma } from '@/libs/prisma'
import { convertToSnakeCase } from '@/utils/common-utils' import { convertToSnakeCase } from '@/utils/common-utils'
/** /**
* * @description
*/ */
type SearchParams = { type SearchParams = {
keyword?: string | null // 검색어 keyword?: string | null
searchOption?: string | null // 검색 옵션 (select 옵션) searchOption?: string | null
isMySurvey?: string | null // 내가 작성한 매물 isMySurvey?: string | null
sort?: string | null // 정렬 방식 sort?: string | null
offset?: string | null offset?: string | null
role?: string | null // 회원권한한 role?: string | null
storeId?: string | null // 판매점ID storeId?: string | null
builderId?: string | null // 시공ID builderId?: string | null
} }
type WhereCondition = { type WhereCondition = {
@ -21,35 +21,35 @@ type WhereCondition = {
[key: string]: any [key: string]: any
} }
// 검색 가능한 필드 옵션 /** 검색 가능한 필드 옵션 */
const SEARCH_OPTIONS = [ const SEARCH_OPTIONS = [
'BUILDING_NAME', // 건물명 'BUILDING_NAME',
'REPRESENTATIVE', // 담당자 'REPRESENTATIVE',
'STORE', // 판매점명 'STORE',
'STORE_ID', // 판매점ID 'STORE_ID',
'CONSTRUCTION_POINT', // 시공점명 'CONSTRUCTION_POINT',
'CONSTRUCTION_POINT_ID', // 시공점ID 'CONSTRUCTION_POINT_ID',
'CUSTOMER_NAME', // 고객명 'CUSTOMER_NAME',
'POST_CODE', // 우편번호 'POST_CODE',
'ADDRESS', // 주소 'ADDRESS',
'ADDRESS_DETAIL', // 상세주소 'ADDRESS_DETAIL',
'SRL_NO', // 등록번호 'SRL_NO',
] as const ] as const
// 페이지당 항목 수 /** 페이지당 기본 항목 수 */
const ITEMS_PER_PAGE = 10 const ITEMS_PER_PAGE = 10
/** /**
* * @description
* @param keyword * @param {string} keyword
* @param searchOption * @param {string} searchOption
* @returns * @returns {WhereCondition}
*/ */
const createKeywordSearchCondition = (keyword: string, searchOption: string): WhereCondition => { const createKeywordSearchCondition = (keyword: string, searchOption: string): WhereCondition => {
const where: WhereCondition = { AND: [] } const where: WhereCondition = { AND: [] }
if (searchOption === 'all') { if (searchOption === 'all') {
// 모든 필드 검색 시 OR 조건 사용 /** 모든 필드 검색 시 OR 조건 사용 */
where.OR = [] where.OR = []
where.OR.push( where.OR.push(
@ -58,42 +58,38 @@ const createKeywordSearchCondition = (keyword: string, searchOption: string): Wh
})), })),
) )
} else if (SEARCH_OPTIONS.includes(searchOption.toUpperCase() as any)) { } else if (SEARCH_OPTIONS.includes(searchOption.toUpperCase() as any)) {
// 특정 필드 검색 /** 특정 필드 검색 */
where[searchOption.toUpperCase()] = { contains: keyword } where[searchOption.toUpperCase()] = { contains: keyword }
} }
return where return where
} }
/** /**
* * @description
* @param params * @param {SearchParams} params
* @returns * @returns {WhereCondition}
*/ */
const createMemberRoleCondition = (params: SearchParams): WhereCondition => { const createMemberRoleCondition = (params: SearchParams): WhereCondition => {
const where: WhereCondition = { AND: [] } const where: WhereCondition = { AND: [] }
switch (params.role) { switch (params.role) {
case 'Admin': // 1차점 case 'Admin':
where.OR = [ where.OR = [
{ {
// 같은 판매점에서 작성한 제출/제출되지 않은 매물
AND: [{ STORE_ID: { equals: params.storeId } }], AND: [{ STORE_ID: { equals: params.storeId } }],
}, },
{ {
// MUSUBI (시공권한 X) 가 ORDER 에 제출한 매물
AND: [{ SUBMISSION_TARGET_ID: { equals: params.storeId } }, { SUBMISSION_STATUS: { equals: true } }], AND: [{ SUBMISSION_TARGET_ID: { equals: params.storeId } }, { SUBMISSION_STATUS: { equals: true } }],
}, },
] ]
break break
case 'Admin_Sub': // 2차점 case 'Admin_Sub':
where.OR = [ where.OR = [
{ {
// MUSUBI (시공권한 X) 같은 판매점에서 작성한 제출/제출되지 않은 매물
AND: [{ STORE_ID: { equals: params.storeId } }, { CONSTRUCTION_POINT_ID: { equals: params.builderId } }], AND: [{ STORE_ID: { equals: params.storeId } }, { CONSTRUCTION_POINT_ID: { equals: params.builderId } }],
}, },
{ {
// MUSUBI (시공권한 O) 가 MUSUBI 에 제출한 매물 + PARTNER 가 제출한 매물
AND: [ AND: [
{ SUBMISSION_TARGET_ID: { equals: params.storeId } }, { SUBMISSION_TARGET_ID: { equals: params.storeId } },
{ CONSTRUCTION_POINT_ID: { not: null } }, { CONSTRUCTION_POINT_ID: { not: null } },
@ -104,9 +100,8 @@ const createMemberRoleCondition = (params: SearchParams): WhereCondition => {
] ]
break break
case 'Builder': // MUSUBI (시공권한 O) case 'Builder':
case 'Partner': // PARTNER case 'Partner':
// 시공ID 같은 매물
where.AND?.push({ where.AND?.push({
CONSTRUCTION_POINT_ID: { equals: params.builderId }, CONSTRUCTION_POINT_ID: { equals: params.builderId },
}) })
@ -129,12 +124,16 @@ const createMemberRoleCondition = (params: SearchParams): WhereCondition => {
] ]
break break
case 'User': case 'User':
// 모든 매물 조회 가능 (추가 조건 없음)
break break
} }
return where return where
} }
/**
* @description ,
* @param {SearchParams} params
* @returns {NextResponse}
*/
const checkSession = (params: SearchParams) => { const checkSession = (params: SearchParams) => {
if (params.role === null) { if (params.role === null) {
return NextResponse.json({ data: [], count: 0 }) return NextResponse.json({ data: [], count: 0 })
@ -152,11 +151,50 @@ const checkSession = (params: SearchParams) => {
} }
/** /**
* GET - * @api {GET} /api/survey-sales API
* @apiName GET /api/survey-sales
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {String} keyword (optional)
* @apiParam {String} searchOption (optional)
* @apiParam {String} isMySurvey (optional)
* @apiParam {String} sort (optional)
* @apiParam {String} offset (optional)
* @apiParam {String} role (optional)
* @apiParam {String} storeId ID (optional)
* @apiParam {String} builderId ID (optional)
*
* @apiSuccess {Object[]} data
* @apiSuccess {Number} data.count
*
* @apiExample {curl} Example usage:
* curl -X GET \
* -G "keyword=test&searchOption=all&isMySurvey=true&sort=created&offset=0&role=Admin&storeId=1234567890&builderId=1234567890" \
* http://localhost:3000/api/survey-sales
*
* @apiSuccessExample {json} Success-Response:
* {
* "data": [
* {
* "id": 1,
* "srlNo": "1234567890",
* "storeId": "1234567890",
* "detailInfo": {
* "id": 1,
* "memo": "1234567890",
* ...
* }
* ...
* }
* ],
* "count": 1
* }
*
*/ */
export async function GET(request: Request) { export async function GET(request: Request) {
try { try {
// URL 파라미터 파싱 /** URL 파라미터 파싱 */
const { searchParams } = new URL(request.url) const { searchParams } = new URL(request.url)
const params: SearchParams = { const params: SearchParams = {
keyword: searchParams.get('keyword'), keyword: searchParams.get('keyword'),
@ -169,31 +207,31 @@ export async function GET(request: Request) {
builderId: searchParams.get('builderId'), builderId: searchParams.get('builderId'),
} }
// 세션 체크 결과 처리 /** 세션 체크 결과 처리 */
const sessionCheckResult = checkSession(params) const sessionCheckResult = checkSession(params)
if (sessionCheckResult) { if (sessionCheckResult) {
return sessionCheckResult return sessionCheckResult
} }
// 검색 조건 구성 /** 검색 조건 구성 */
const where: WhereCondition = { AND: [] } const where: WhereCondition = { AND: [] }
// 내가 작성한 매물 조건 적용 /** 내가 작성한 매물 조건 적용 */
if (params.isMySurvey) { if (params.isMySurvey) {
where.AND.push({ REPRESENTATIVE_ID: params.isMySurvey }) where.AND.push({ REPRESENTATIVE_ID: params.isMySurvey })
} }
// 키워드 검색 조건 적용 /** 키워드 검색 조건 적용 */
if (params.keyword && params.searchOption) { if (params.keyword && params.searchOption) {
where.AND.push(createKeywordSearchCondition(params.keyword, params.searchOption)) where.AND.push(createKeywordSearchCondition(params.keyword, params.searchOption))
} }
// 회원 유형 조건 적용 /** 회원 유형 조건 적용 */
const roleCondition = createMemberRoleCondition(params) const roleCondition = createMemberRoleCondition(params)
if (Object.keys(roleCondition).length > 0) { if (Object.keys(roleCondition).length > 0) {
where.AND.push(roleCondition) where.AND.push(roleCondition)
} }
// 페이지네이션 데이터 조회 /** 페이지네이션 데이터 조회 */
//@ts-ignore //@ts-ignore
const surveys = await prisma.SD_SURVEY_SALES_BASIC_INFO.findMany({ const surveys = await prisma.SD_SURVEY_SALES_BASIC_INFO.findMany({
where, where,
@ -201,7 +239,7 @@ export async function GET(request: Request) {
skip: Number(params.offset), skip: Number(params.offset),
take: ITEMS_PER_PAGE, take: ITEMS_PER_PAGE,
}) })
// 전체 개수만 조회 /** 전체 개수만 조회 */
//@ts-ignore //@ts-ignore
const count = await prisma.SD_SURVEY_SALES_BASIC_INFO.count({ where }) const count = await prisma.SD_SURVEY_SALES_BASIC_INFO.count({ where })
return NextResponse.json({ data: { data: surveys, count: count } }) return NextResponse.json({ data: { data: surveys, count: count } })
@ -212,19 +250,41 @@ export async function GET(request: Request) {
} }
/** /**
* PUT - * @api {PUT} /api/survey-sales API
* @apiName PUT /api/survey-sales
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Number} id ID (required)
* @apiBody {Object} detail_info (required)
*
* @apiSuccess {String} message
*
* @apiExample {curl} Example usage:
* curl -X PUT \
* -H "Content-Type: application/json" \
* -d '{"id": 1, "detail_info": {"memo": "1234567890"}}' \
* http://localhost:3000/api/survey-sales
*
* @apiSuccessExample {json} Success-Response:
* {
* "message": "Success Update Survey"
* }
*
* @apiError {Number} 500
*/ */
export async function PUT(request: Request) { export async function PUT(request: Request) {
try { try {
/** 요청 바디 파싱 */
const body = await request.json() const body = await request.json()
// 상세 정보 생성을 위한 데이터 구성 /** 상세 정보 생성을 위한 데이터 구성 */
const detailInfo = { const detailInfo = {
...body.detail_info, ...body.detail_info,
BASIC_INFO_ID: body.id, BASIC_INFO_ID: body.id,
} }
// 상세 정보 생성 /** 상세 정보 생성 */
//@ts-ignore //@ts-ignore
await prisma.SD_SURVEY_SALES_DETAIL_INFO.create({ await prisma.SD_SURVEY_SALES_DETAIL_INFO.create({
data: detailInfo, data: detailInfo,
@ -239,6 +299,42 @@ export async function PUT(request: Request) {
} }
} }
/**
* @api {POST} /api/survey-sales API
* @apiName POST /api/survey-sales
* @apiGroup SurveySales
* @apiDescription API
*
* @apiParam {Object} survey (required)
* @apiParam {String} role (required)
* @apiParam {String} storeId ID (required)
* @returns
*
* @apiSuccess {Object} data
*
* @apiExample {curl} Example usage:
* curl -X POST \
* -H "Content-Type: application/json" \
* -d '{"survey": {"srlNo": "1234567890", "storeId": "1234567890", "role": "T01", "detail_info": {"memo": "1234567890"}}}' \
* http://localhost:3000/api/survey-sales
*
* @apiSuccessExample {json} Success-Response:
* {
* "data": {
* "id": 1,
* "srlNo": "1234567890",
* "storeId": "1234567890",
* "detailInfo": {
* "id": 1,
* "memo": "1234567890",
* ...
* }
* ...
* }
* }
*
* @apiError {Number} 500
*/
export async function POST(request: Request) { export async function POST(request: Request) {
try { try {
const body = await request.json() const body = await request.json()
@ -252,8 +348,8 @@ export async function POST(request: Request) {
? '' ? ''
: null : null
// 임시 저장 시 임시저장으로 저장 /** 임시 저장 시 임시저장으로 저장 */
// 기본 저장 시 (HO/HM) + 판매점ID + yyMMdd + 000 으로 저장 /** 기본 저장 시 (HO/HM) + 판매점ID + yyMMdd + 000 으로 저장 */
const baseSrlNo = const baseSrlNo =
body.survey.srlNo ?? body.survey.srlNo ??
role + role +
@ -274,10 +370,10 @@ export async function POST(request: Request) {
}, },
}) })
// 마지막 번호 추출 /** 마지막 번호 추출 */
const lastNumber = lastSurvey ? parseInt(lastSurvey.SRL_NO.slice(-3)) : 0 const lastNumber = lastSurvey ? parseInt(lastSurvey.SRL_NO.slice(-3)) : 0
// 새로운 srlNo 생성 - 임시저장일 경우 '임시저장' 으로 저장 /** 새로운 srlNo 생성 - 임시저장일 경우 '임시저장' 으로 저장 */
const newSrlNo = baseSrlNo.startsWith('一時保存') ? baseSrlNo : baseSrlNo + (lastNumber + 1).toString().padStart(3, '0') const newSrlNo = baseSrlNo.startsWith('一時保存') ? baseSrlNo : baseSrlNo + (lastNumber + 1).toString().padStart(3, '0')
const { detailInfo, ...basicInfo } = body.survey const { detailInfo, ...basicInfo } = body.survey

View File

@ -50,6 +50,7 @@ export default function RegistForm() {
const [attachedFiles, setAttachedFiles] = useState<File[]>([]) const [attachedFiles, setAttachedFiles] = useState<File[]>([])
/** 파일 첨부 처리 */
const handleFileChange = (e: React.ChangeEvent<HTMLInputElement>) => { const handleFileChange = (e: React.ChangeEvent<HTMLInputElement>) => {
const files = e.target.files const files = e.target.files
if (files && files.length > 0) { if (files && files.length > 0) {
@ -58,15 +59,18 @@ export default function RegistForm() {
e.target.value = '' e.target.value = ''
} }
/** 파일 삭제 처리 */
const handleRemoveFile = (index: number) => { const handleRemoveFile = (index: number) => {
setAttachedFiles(attachedFiles.filter((_, i) => i !== index)) setAttachedFiles(attachedFiles.filter((_, i) => i !== index))
} }
/** 필수 필드 포커스 처리 */
const focusOnRequiredField = (fieldId: string) => { const focusOnRequiredField = (fieldId: string) => {
const element = document.getElementById(fieldId) const element = document.getElementById(fieldId)
if (element) element.focus() if (element) element.focus()
} }
/** 제출 처리 */
const handleSubmit = async () => { const handleSubmit = async () => {
const emptyField = requiredFieldNames.find((field) => inquiryRequest[field.id as keyof InquiryRequest] === '') const emptyField = requiredFieldNames.find((field) => inquiryRequest[field.id as keyof InquiryRequest] === '')
if (emptyField) { if (emptyField) {

View File

@ -57,6 +57,7 @@ export default function ListTable() {
} }
}, [session, inquiryList]) }, [session, inquiryList])
/** 내 문의 필터 처리 - 체크 시 자신의 문의 목록만 조회 */
const handleMyInquiry = () => { const handleMyInquiry = () => {
setOffset(1) setOffset(1)
setInquiryListRequest({ setInquiryListRequest({
@ -65,6 +66,7 @@ export default function ListTable() {
}) })
} }
/** 답변 여부 필터 처리리 */
const handleFilter = (e: React.ChangeEvent<HTMLSelectElement>) => { const handleFilter = (e: React.ChangeEvent<HTMLSelectElement>) => {
switch (e.target.value) { switch (e.target.value) {
case 'N': case 'N':

View File

@ -20,6 +20,7 @@ export default function SurveySaleDownloadPdf() {
const targetRef = useRef<HTMLDivElement>(null) const targetRef = useRef<HTMLDivElement>(null)
const isGeneratedRef = useRef(false) const isGeneratedRef = useRef(false)
/** 페이지 랜더링 이후 PDF 생성 */
useEffect(() => { useEffect(() => {
if (isLoadingSurveyDetail || isGeneratedRef.current) return if (isLoadingSurveyDetail || isGeneratedRef.current) return
if (surveyDetail === null) { if (surveyDetail === null) {
@ -55,6 +56,7 @@ export default function SurveySaleDownloadPdf() {
}, },
} }
/** PDF 생성 이후 세션 여부에 따른 라우팅 처리 */
generatePDF(targetRef, options) generatePDF(targetRef, options)
.then(() => { .then(() => {
setIsShow(false) setIsShow(false)
@ -75,8 +77,8 @@ export default function SurveySaleDownloadPdf() {
<div <div
ref={targetRef} ref={targetRef}
style={{ style={{
width: '794px', // A4 너비 width: '794px',
minHeight: '1123px', // A4 높이 minHeight: '1123px',
transform: 'scale(1.0)', transform: 'scale(1.0)',
transformOrigin: 'top left', transformOrigin: 'top left',
padding: '20px', padding: '20px',

View File

@ -94,6 +94,7 @@ export default function SurveySaleSubmitPopup() {
setSubmitData((prev) => ({ ...prev, [field]: value })) setSubmitData((prev) => ({ ...prev, [field]: value }))
} }
/** 필수값 검증 */
const validateData = (data: SubmitFormData): boolean => { const validateData = (data: SubmitFormData): boolean => {
const requiredFields = FORM_FIELDS.filter((field) => field.required) const requiredFields = FORM_FIELDS.filter((field) => field.required)
@ -110,7 +111,7 @@ export default function SurveySaleSubmitPopup() {
return true return true
} }
// TODO: Admin_Sub 계정 매핑된 submit target id 추가!!!! && 메일 테스트트 /** 제출 처리 - 데이터 검증 이후 메일 전송 완료되면 데이터 저장 */
const handleSubmit = () => { const handleSubmit = () => {
if (validateData(submitData)) { if (validateData(submitData)) {
window.neoConfirm('送信しますか? 送信後は変更・修正することはできません。', () => { window.neoConfirm('送信しますか? 送信後は変更・修正することはできません。', () => {
@ -145,6 +146,7 @@ export default function SurveySaleSubmitPopup() {
popupController.setSurveySaleSubmitPopup(false) popupController.setSurveySaleSubmitPopup(false)
} }
/** 권한 별 폼 필드 렌더링 */
const renderFormField = (field: FormField) => { const renderFormField = (field: FormField) => {
const isReadOnly = false const isReadOnly = false

View File

@ -1,7 +1,6 @@
'use client' 'use client'
import { useEffect, useState } from 'react' import { useEffect, useState } from 'react'
import { useSurveySaleTabState } from '@/store/surveySaleTabState'
import type { SurveyBasicRequest } from '@/types/Survey' import type { SurveyBasicRequest } from '@/types/Survey'
import type { Mode } from 'fs' import type { Mode } from 'fs'
import { usePopupController } from '@/store/popupController' import { usePopupController } from '@/store/popupController'
@ -16,16 +15,10 @@ interface BasicFormProps {
} }
export default function BasicForm({ basicInfo, setBasicInfo, mode, session }: BasicFormProps) { export default function BasicForm({ basicInfo, setBasicInfo, mode, session }: BasicFormProps) {
const { setBasicInfoSelected } = useSurveySaleTabState()
const [isFlip, setIsFlip] = useState<boolean>(true) const [isFlip, setIsFlip] = useState<boolean>(true)
const { addressData, resetAddressData } = useAddressStore() const { addressData, resetAddressData } = useAddressStore()
const popupController = usePopupController() const popupController = usePopupController()
useEffect(() => {
setBasicInfoSelected()
}, [])
// 주소 데이터가 변경될 때만 업데이트
useEffect(() => { useEffect(() => {
if (!addressData) return if (!addressData) return
setBasicInfo({ setBasicInfo({
@ -59,6 +52,7 @@ export default function BasicForm({ basicInfo, setBasicInfo, mode, session }: Ba
onChange={(e) => setBasicInfo({ ...basicInfo, representative: e.target.value })} onChange={(e) => setBasicInfo({ ...basicInfo, representative: e.target.value })}
/> />
</div> </div>
{/* 페이지 모드 별, 권한 별 판매점, 시공점 입력 여부 처리 */}
{mode === 'READ' || session?.role === 'Builder' ? ( {mode === 'READ' || session?.role === 'Builder' ? (
<> <>
{storeInput(basicInfo, setBasicInfo, mode)} {storeInput(basicInfo, setBasicInfo, mode)}
@ -148,6 +142,7 @@ export default function BasicForm({ basicInfo, setBasicInfo, mode, session }: Ba
) )
} }
/** 판매점 입력 창 */
const storeInput = (basicInfo: SurveyBasicRequest, setBasicInfo: (basicInfo: SurveyBasicRequest) => void, mode: Mode) => { const storeInput = (basicInfo: SurveyBasicRequest, setBasicInfo: (basicInfo: SurveyBasicRequest) => void, mode: Mode) => {
return ( return (
<div className="data-input-form-bx"> <div className="data-input-form-bx">
@ -163,6 +158,7 @@ const storeInput = (basicInfo: SurveyBasicRequest, setBasicInfo: (basicInfo: Sur
) )
} }
/** 시공점 입력 창 */
const builderInput = (basicInfo: SurveyBasicRequest, setBasicInfo: (basicInfo: SurveyBasicRequest) => void, mode: Mode) => { const builderInput = (basicInfo: SurveyBasicRequest, setBasicInfo: (basicInfo: SurveyBasicRequest) => void, mode: Mode) => {
return ( return (
<div className="data-input-form-bx"> <div className="data-input-form-bx">

View File

@ -3,7 +3,7 @@
import type { Mode, SurveyBasicRequest, SurveyDetailInfo, SurveyDetailRequest } from '@/types/Survey' import type { Mode, SurveyBasicRequest, SurveyDetailInfo, SurveyDetailRequest } from '@/types/Survey'
import { useSessionStore } from '@/store/session' import { useSessionStore } from '@/store/session'
import { useEffect, useState } from 'react' import { useEffect, useState } from 'react'
import { useParams, useRouter, useSearchParams } from 'next/navigation' import { useParams, useRouter } from 'next/navigation'
import { requiredFields, useSurvey } from '@/hooks/useSurvey' import { requiredFields, useSurvey } from '@/hooks/useSurvey'
import { usePopupController } from '@/store/popupController' import { usePopupController } from '@/store/popupController'
@ -62,6 +62,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
}) })
}, [session, data]) }, [session, data])
/** 권한 정리 로직 - 작성자(담당자), 제출 권한자, 제출 수신자*/
const calculatePermissions = (session: any, basicData: SurveyBasicRequest): PermissionState => { const calculatePermissions = (session: any, basicData: SurveyBasicRequest): PermissionState => {
const isSubmiter = calculateSubmitPermission(session, basicData) const isSubmiter = calculateSubmitPermission(session, basicData)
const isWriter = session.userId === basicData.representativeId const isWriter = session.userId === basicData.representativeId
@ -70,6 +71,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
return { isSubmiter, isWriter, isReceiver } return { isSubmiter, isWriter, isReceiver }
} }
/** 제출 권한 체크 */
const calculateSubmitPermission = (session: any, basicData: SurveyBasicRequest): boolean => { const calculateSubmitPermission = (session: any, basicData: SurveyBasicRequest): boolean => {
switch (session?.role) { switch (session?.role) {
case 'T01': case 'T01':
@ -85,6 +87,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 저장 로직 */
const handleSave = (isTemporary: boolean, isSubmitProcess: boolean) => { const handleSave = (isTemporary: boolean, isSubmitProcess: boolean) => {
const emptyField = validateSurveyDetail(data.roof) const emptyField = validateSurveyDetail(data.roof)
const hasEmptyField = emptyField?.trim() !== '' const hasEmptyField = emptyField?.trim() !== ''
@ -96,7 +99,9 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 임시 저장 로직 */
const tempSaveProcess = async () => { const tempSaveProcess = async () => {
/**route 에 id 가 있는 경우 업데이트, 없는 경우 생성 */
if (!Number.isNaN(id)) { if (!Number.isNaN(id)) {
await updateSurvey({ survey: saveData, isTemporary: true }) await updateSurvey({ survey: saveData, isTemporary: true })
if (!isUpdatingSurvey) { if (!isUpdatingSurvey) {
@ -115,11 +120,13 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
alert('一時保存されました。') alert('一時保存されました。')
} }
/** 입력 필드 포커스 처리 */
const focusInput = (field: keyof SurveyDetailInfo) => { const focusInput = (field: keyof SurveyDetailInfo) => {
const input = document.getElementById(field) const input = document.getElementById(field)
input?.focus() input?.focus()
} }
/** 저장 로직 */
const saveProcess = async (emptyField: string | null, isSubmitProcess?: boolean) => { const saveProcess = async (emptyField: string | null, isSubmitProcess?: boolean) => {
if (emptyField?.trim() === '') { if (emptyField?.trim() === '') {
await handleSuccessfulSave(isSubmitProcess) await handleSuccessfulSave(isSubmitProcess)
@ -128,7 +135,9 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 저장 성공 로직 */
const handleSuccessfulSave = async (isSubmitProcess?: boolean) => { const handleSuccessfulSave = async (isSubmitProcess?: boolean) => {
/** route 에 id 가 있는 경우 업데이트, 없는 경우 생성 */
if (!Number.isNaN(id)) { if (!Number.isNaN(id)) {
await updateSurvey({ await updateSurvey({
survey: saveData, survey: saveData,
@ -139,6 +148,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
setMode('READ') setMode('READ')
} }
} else { } else {
/** 제출 로직인 경우 search param 추가 */
const savedId = await createSurvey(saveData) const savedId = await createSurvey(saveData)
if (isSubmitProcess) { if (isSubmitProcess) {
await router.push(`/survey-sale/${savedId}?show=true`) await router.push(`/survey-sale/${savedId}?show=true`)
@ -149,6 +159,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 필수값 미입력 처리 */
const handleFailedSave = (emptyField: string | null) => { const handleFailedSave = (emptyField: string | null) => {
if (emptyField?.includes('Unit')) { if (emptyField?.includes('Unit')) {
alert('電気契約容量の単位を入力してください。') alert('電気契約容量の単位を入力してください。')
@ -158,6 +169,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
focusInput(emptyField as keyof SurveyDetailInfo) focusInput(emptyField as keyof SurveyDetailInfo)
} }
/** 삭제 로직 */
const handleDelete = async () => { const handleDelete = async () => {
if (!Number.isNaN(id)) { if (!Number.isNaN(id)) {
window.neoConfirm('削除しますか?', async () => { window.neoConfirm('削除しますか?', async () => {
@ -170,6 +182,7 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 제출 로직 */
const handleSubmit = async () => { const handleSubmit = async () => {
if (data.basic.srlNo?.startsWith('一時保存') && Number.isNaN(id)) { if (data.basic.srlNo?.startsWith('一時保存') && Number.isNaN(id)) {
alert('一時保存されたデータは提出できません。') alert('一時保存されたデータは提出できません。')
@ -187,8 +200,10 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
} }
} }
/** 로그인 여부 체크 */
if (!session?.isLoggedIn) return null if (!session?.isLoggedIn) return null
/** 읽기 모드, 제출 된 데이터, 제출 권한자는 리스트 버튼만 표시 */
if (mode === 'READ' && isSubmit && permissions.isSubmiter) { if (mode === 'READ' && isSubmit && permissions.isSubmiter) {
return ( return (
<div className="sale-form-btn-wrap"> <div className="sale-form-btn-wrap">
@ -201,6 +216,10 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
return ( return (
<> <>
{/* 읽기 모드 버튼 처리 */}
{/* 작성자 - 수정, 삭제, 제출(미제출인 매물) 버튼 표시 */}
{/* 제출권한자 - 수정, 제출(미제출인 매물) 버튼 표시 */}
{/* 제출수신자 - 수정, 삭제 버튼 표시 */}
{mode === 'READ' && ( {mode === 'READ' && (
<div className="sale-form-btn-wrap"> <div className="sale-form-btn-wrap">
<div className="btn-flex-wrap"> <div className="btn-flex-wrap">
@ -212,6 +231,10 @@ export default function ButtonForm({ mode, setMode, data }: ButtonFormProps) {
</div> </div>
)} )}
{/* 수정, 작성 모드 */}
{/* 작성자 - 임시저장, 저장, 제출(미제출인 매물) 버튼 표시 */}
{/* 제출권한자 - 임시저장, 저장, 제출(미제출인 매물) 버튼 표시 */}
{/* 제출수신자 - 임시저장, 저장 버튼 표시 */}
{(mode === 'CREATE' || mode === 'EDIT') && ( {(mode === 'CREATE' || mode === 'EDIT') && (
<div className="sale-form-btn-wrap"> <div className="sale-form-btn-wrap">
<div className="btn-flex-wrap"> <div className="btn-flex-wrap">

View File

@ -6,6 +6,7 @@ import { SurveyBasicInfo } from '@/types/Survey'
export default function DataTable({ surveyDetail }: { surveyDetail: SurveyBasicInfo }) { export default function DataTable({ surveyDetail }: { surveyDetail: SurveyBasicInfo }) {
const router = useRouter() const router = useRouter()
/** 제출 상태 처리 */
const submitStatus = () => { const submitStatus = () => {
const { submissionTargetNm, submissionTargetId } = surveyDetail ?? {} const { submissionTargetNm, submissionTargetId } = surveyDetail ?? {}

View File

@ -94,6 +94,7 @@ export default function DetailForm() {
})) }))
const [roofInfoData, setRoofInfoData] = useState<SurveyDetailRequest>(roofInfoForm) const [roofInfoData, setRoofInfoData] = useState<SurveyDetailRequest>(roofInfoForm)
/** 제출 팝업 처리 - createSurvey 이후 popup 처리 시 노드 삽입 오류로 인해 별도 처리 */
useEffect(() => { useEffect(() => {
const show = searchParams.get('show') const show = searchParams.get('show')
if (show === 'true') { if (show === 'true') {
@ -102,7 +103,7 @@ export default function DetailForm() {
} }
}, [searchParams, pathname]) }, [searchParams, pathname])
// 세션 데이터가 변경될 때 기본 정보 업데이트 /** 세션 데이터가 변경될 때 기본 정보 업데이트 */
useEffect(() => { useEffect(() => {
if (!session?.isLoggedIn) return if (!session?.isLoggedIn) return
setBasicInfoData((prev) => ({ setBasicInfoData((prev) => ({
@ -116,6 +117,7 @@ export default function DetailForm() {
})) }))
}, [session?.isLoggedIn]) }, [session?.isLoggedIn])
/** 조사매물 상세 데이터 업데이트 */
useEffect(() => { useEffect(() => {
if (!isLoadingSurveyDetail && surveyDetail && (mode === 'EDIT' || mode === 'READ')) { if (!isLoadingSurveyDetail && surveyDetail && (mode === 'EDIT' || mode === 'READ')) {
const { id, uptDt, regDt, detailInfo, ...rest } = surveyDetail const { id, uptDt, regDt, detailInfo, ...rest } = surveyDetail

View File

@ -19,116 +19,145 @@ type SelectBoxKeys =
| 'installationAvailability' | 'installationAvailability'
export const supplementaryFacilities = [ export const supplementaryFacilities = [
{ id: 1, name: 'エコキュート' }, //에코큐트 /** 에코큐트 */
{ id: 2, name: 'エネパーム' }, //에네팜 { id: 1, name: 'エコキュート' },
{ id: 3, name: '蓄電池システム' }, //축전지시스템 /** 에네팜 */
{ id: 4, name: '太陽光発電' }, //태양광발전 { id: 2, name: 'エネパーム' },
/** 축전지시스템 */
{ id: 3, name: '蓄電池システム' },
/** 태양광발전 */
{ id: 4, name: '太陽光発電' },
] ]
export const roofMaterial = [ export const roofMaterial = [
{ id: 1, name: 'スレート' }, //슬레이트 /** 슬레이트 */
{ id: 2, name: 'アスファルトシングル' }, //아스팔트 싱글 { id: 1, name: 'スレート' },
{ id: 3, name: '瓦' }, //기와 /** 아스팔트 싱글 */
{ id: 4, name: '金属屋根' }, //금속지붕 { id: 2, name: 'アスファルトシングル' },
/** 기와 */
{ id: 3, name: '瓦' },
/** 금속지붕 */
{ id: 4, name: '金属屋根' },
] ]
export const selectBoxOptions: Record<SelectBoxKeys, { id: number; name: string }[]> = { export const selectBoxOptions: Record<SelectBoxKeys, { id: number; name: string }[]> = {
installationSystem: [ installationSystem: [
{ {
/** 태양광발전 */
id: 1, id: 1,
name: '太陽光発電', //태양광발전 name: '太陽光発電',
}, },
{ {
/** 하이브리드축전지시스템 */
id: 2, id: 2,
name: 'ハイブリッド蓄電システム', //하이브리드축전지시스템 name: 'ハイブリッド蓄電システム',
}, },
{ {
/** 축전지시스템 */
id: 3, id: 3,
name: '蓄電池システム', //축전지시스템 name: '蓄電池システム',
}, },
], ],
constructionYear: [ constructionYear: [
{ {
/** 신축 */
id: 1, id: 1,
name: '新築', //신축 name: '新築',
}, },
{ {
/** 기축 */
id: 2, id: 2,
name: '既築', //기존 name: '既築',
}, },
], ],
roofShape: [ roofShape: [
{ {
/** 박공지붕 */
id: 1, id: 1,
name: '切妻', //박공지붕 name: '切妻',
}, },
{ {
/** 기동 */
id: 2, id: 2,
name: '寄棟', //기동 name: '寄棟',
}, },
{ {
/** 한쪽흐름 */
id: 3, id: 3,
name: '片流れ', //한쪽흐름 name: '片流れ',
}, },
], ],
rafterSize: [ rafterSize: [
{ {
/** 35mm 이상×48mm 이상 */
id: 1, id: 1,
name: '幅35mm以上×高さ48mm以上', name: '幅35mm以上×高さ48mm以上',
}, },
{ {
/** 36mm 이상×46mm 이상 */
id: 2, id: 2,
name: '幅36mm以上×高さ46mm以上', name: '幅36mm以上×高さ46mm以上',
}, },
{ {
/** 37mm 이상×43mm 이상 */
id: 3, id: 3,
name: '幅37mm以上×高さ43mm以上', name: '幅37mm以上×高さ43mm以上',
}, },
{ {
/** 38mm 이상×40mm 이상 */
id: 4, id: 4,
name: '幅38mm以上×高さ40mm以上', name: '幅38mm以上×高さ40mm以上',
}, },
], ],
rafterPitch: [ rafterPitch: [
{ {
/** 455mm 이하 */
id: 1, id: 1,
name: '455mm以下', name: '455mm以下',
}, },
{ {
/** 500mm 이하 */
id: 2, id: 2,
name: '500mm以下', name: '500mm以下',
}, },
{ {
/** 606mm 이하 */
id: 3, id: 3,
name: '606mm以下', name: '606mm以下',
}, },
], ],
openFieldPlateKind: [ openFieldPlateKind: [
{ {
/** 구조용합판 */
id: 1, id: 1,
name: '構造用合板', //구조용합판 name: '構造用合板',
}, },
{ {
/** OSB */
id: 2, id: 2,
name: 'OSB', //OSB name: 'OSB',
}, },
{ {
/** 파티클보드 */
id: 3, id: 3,
name: 'パーティクルボード', //파티클보드 name: 'パーティクルボード',
}, },
{ {
/** 소판 */
id: 4, id: 4,
name: '小幅板', //소판 name: '小幅板',
}, },
], ],
installationAvailability: [ installationAvailability: [
{ {
/** 확인완료 */
id: 1, id: 1,
name: '確認済み', //확인완료 name: '確認済み',
}, },
{ {
/** 미확인 */
id: 2, id: 2,
name: '未確認', //미확인 name: '未確認',
}, },
], ],
} }
@ -136,58 +165,69 @@ export const selectBoxOptions: Record<SelectBoxKeys, { id: number; name: string
export const radioEtcData: Record<RadioEtcKeys, { id: number; label: string }[]> = { export const radioEtcData: Record<RadioEtcKeys, { id: number; label: string }[]> = {
structureOrder: [ structureOrder: [
{ {
/** 지붕재 - 방수재 - 지붕의기초 - 서까래 */
id: 1, id: 1,
label: '屋根材 > 防水材 > 屋根の基礎 > 垂木', //지붕재 방수재 지붕의기초 서까래 label: '屋根材 > 防水材 > 屋根の基礎 > 垂木',
}, },
], ],
houseStructure: [ houseStructure: [
{ {
/** 목재 */
id: 1, id: 1,
label: '木製', label: '木製',
}, },
], ],
rafterMaterial: [ rafterMaterial: [
{ {
/** 목재 */
id: 1, id: 1,
label: '木製', label: '木製',
}, },
{ {
/** 강재 */
id: 2, id: 2,
label: '強制', label: '強制',
}, },
], ],
waterproofMaterial: [ waterproofMaterial: [
{ {
/** 아스팔트 지붕 940(22kg 이상) */
id: 1, id: 1,
label: 'アスファルト屋根94022kg以上', label: 'アスファルト屋根94022kg以上',
}, },
], ],
insulationPresence: [ insulationPresence: [
{ {
/** 없음 */
id: 1, id: 1,
label: 'なし', label: 'なし',
}, },
{ {
/** 있음 */
id: 2, id: 2,
label: 'あり', label: 'あり',
}, },
], ],
rafterDirection: [ rafterDirection: [
{ {
/** 수직 */
id: 1, id: 1,
label: '垂直垂木', label: '垂直垂木',
}, },
{ {
/** 수평 */
id: 2, id: 2,
label: '水平垂木', label: '水平垂木',
}, },
], ],
leakTrace: [ leakTrace: [
{ {
/** 있음 */
id: 1, id: 1,
label: 'あり', label: 'あり',
}, },
{ {
/** 없음 */
id: 2, id: 2,
label: 'なし', label: 'なし',
}, },
@ -210,6 +250,7 @@ export default function RoofForm(props: {
const [isFlip, setIsFlip] = useState<boolean>(true) const [isFlip, setIsFlip] = useState<boolean>(true)
const handleNumberInput = (key: keyof SurveyDetailRequest, value: number | string) => { const handleNumberInput = (key: keyof SurveyDetailRequest, value: number | string) => {
/** 지붕 경사도, 노지판 두께 처리 - 최대 5자리, 소수점 1자리 처리 */
if (key === 'roofSlope' || key === 'openFieldPlateThickness') { if (key === 'roofSlope' || key === 'openFieldPlateThickness') {
const stringValue = value.toString() const stringValue = value.toString()
if (stringValue.length > 5) { if (stringValue.length > 5) {
@ -224,6 +265,7 @@ export default function RoofForm(props: {
} }
} }
} }
/** 전기 계약 용량 처리 - 단위 붙여서 저장*/
if (key === 'contractCapacity') { if (key === 'contractCapacity') {
const remainValue = roofInfo.contractCapacity?.split(' ')[1] ?? roofInfo.contractCapacity const remainValue = roofInfo.contractCapacity?.split(' ')[1] ?? roofInfo.contractCapacity
if (Number.isNaN(Number(remainValue))) { if (Number.isNaN(Number(remainValue))) {
@ -235,6 +277,7 @@ export default function RoofForm(props: {
setRoofInfo({ ...roofInfo, [key]: value.toString() }) setRoofInfo({ ...roofInfo, [key]: value.toString() })
} }
/** 전기 계약 용량 단위 처리 */
const handleUnitInput = (value: string) => { const handleUnitInput = (value: string) => {
const numericValue = roofInfo.contractCapacity?.replace(/[^0-9.]/g, '') || '' const numericValue = roofInfo.contractCapacity?.replace(/[^0-9.]/g, '') || ''
setRoofInfo({ setRoofInfo({
@ -461,6 +504,7 @@ export default function RoofForm(props: {
) )
} }
/** SelectBox 처리 */
const SelectedBox = ({ const SelectedBox = ({
mode, mode,
column, column,
@ -479,6 +523,7 @@ const SelectedBox = ({
const isSpecialCase = column === 'constructionYear' || column === 'installationAvailability' const isSpecialCase = column === 'constructionYear' || column === 'installationAvailability'
const showEtcOption = !isSpecialCase const showEtcOption = !isSpecialCase
/** SelectBox 값 변경 처리 */
const handleSelectChange = (e: React.ChangeEvent<HTMLSelectElement>) => { const handleSelectChange = (e: React.ChangeEvent<HTMLSelectElement>) => {
const value = e.target.value const value = e.target.value
const isEtc = value === 'etc' const isEtc = value === 'etc'
@ -498,10 +543,16 @@ const SelectedBox = ({
setRoofInfo(updatedData) setRoofInfo(updatedData)
} }
/** 기타 입력 처리 */
const handleEtcInputChange = (e: React.ChangeEvent<HTMLInputElement>) => { const handleEtcInputChange = (e: React.ChangeEvent<HTMLInputElement>) => {
setRoofInfo({ ...detailInfoData, [`${column}Etc`]: e.target.value }) setRoofInfo({ ...detailInfoData, [`${column}Etc`]: e.target.value })
} }
/** Input box
* - 모드 : 비활성화
* - 여부 : 기타
* - 연수 : 신축(1)
* */
const isInputDisabled = () => { const isInputDisabled = () => {
if (mode === 'READ') return true if (mode === 'READ') return true
if (column === 'installationAvailability') return false if (column === 'installationAvailability') return false
@ -552,6 +603,7 @@ const SelectedBox = ({
) )
} }
/** RadioBox 선택 처리 */
const RadioSelected = ({ const RadioSelected = ({
mode, mode,
column, column,
@ -572,20 +624,26 @@ const RadioSelected = ({
const isSpecialColumn = column === 'rafterDirection' || column === 'leakTrace' || column === 'insulationPresence' const isSpecialColumn = column === 'rafterDirection' || column === 'leakTrace' || column === 'insulationPresence'
const showEtcOption = !isSpecialColumn const showEtcOption = !isSpecialColumn
/** RadioBox 값 변경 처리 */
const handleRadioChange = (e: React.ChangeEvent<HTMLInputElement>) => { const handleRadioChange = (e: React.ChangeEvent<HTMLInputElement>) => {
const value = e.target.value const value = e.target.value
/** 누수 흔적 처리 - boolean 타입이므로 별도 처리 */
if (column === 'leakTrace') { if (column === 'leakTrace') {
setRoofInfo({ ...detailInfoData, leakTrace: value === '1' }) setRoofInfo({ ...detailInfoData, leakTrace: value === '1' })
return return
} }
/** 기타 체크 처리 */
if (value === 'etc') { if (value === 'etc') {
setEtcChecked(true) setEtcChecked(true)
setRoofInfo({ ...detailInfoData, [column]: null, [`${column}Etc`]: '' }) setRoofInfo({ ...detailInfoData, [column]: null, [`${column}Etc`]: '' })
return return
} }
/** - (1)
* -
* */
const isInsulationPresence = column === 'insulationPresence' const isInsulationPresence = column === 'insulationPresence'
const isRafterDirection = column === 'rafterDirection' const isRafterDirection = column === 'rafterDirection'
@ -598,10 +656,15 @@ const RadioSelected = ({
}) })
} }
/** 기타 입력 처리 */
const handleEtcInputChange = (e: React.ChangeEvent<HTMLInputElement>) => { const handleEtcInputChange = (e: React.ChangeEvent<HTMLInputElement>) => {
setRoofInfo({ ...detailInfoData, [`${column}Etc`]: e.target.value }) setRoofInfo({ ...detailInfoData, [`${column}Etc`]: e.target.value })
} }
/** Input box
* - 모드 : 비활성화
* - 유무 : 단열재 (1)
* */
const isInputDisabled = () => { const isInputDisabled = () => {
if (mode === 'READ') return true if (mode === 'READ') return true
if (column === 'insulationPresence') { if (column === 'insulationPresence') {
@ -657,6 +720,7 @@ const RadioSelected = ({
) )
} }
/** 다중 선택 처리 */
const MultiCheck = ({ const MultiCheck = ({
mode, mode,
column, column,
@ -675,6 +739,7 @@ const MultiCheck = ({
const isRoofMaterial = column === 'roofMaterial' const isRoofMaterial = column === 'roofMaterial'
const selectedValues = makeNumArr(String(roofInfo[column as keyof SurveyDetailInfo] ?? '')) const selectedValues = makeNumArr(String(roofInfo[column as keyof SurveyDetailInfo] ?? ''))
/** 다중 선택 처리 */
const handleCheckbox = (id: number) => { const handleCheckbox = (id: number) => {
const isOtherSelected = Boolean(etcValue) const isOtherSelected = Boolean(etcValue)
let newValue: string[] let newValue: string[]
@ -682,6 +747,7 @@ const MultiCheck = ({
if (selectedValues.includes(String(id))) { if (selectedValues.includes(String(id))) {
newValue = selectedValues.filter((v) => v !== String(id)) newValue = selectedValues.filter((v) => v !== String(id))
} else { } else {
/** 지붕 재료 처리 - 최대 2개 선택 처리 */
if (isRoofMaterial) { if (isRoofMaterial) {
const totalSelected = selectedValues.length + (isOtherSelected || isOtherCheck ? 1 : 0) const totalSelected = selectedValues.length + (isOtherSelected || isOtherCheck ? 1 : 0)
if (totalSelected >= 2) { if (totalSelected >= 2) {
@ -694,6 +760,7 @@ const MultiCheck = ({
setRoofInfo({ ...roofInfo, [column]: newValue.join(',') }) setRoofInfo({ ...roofInfo, [column]: newValue.join(',') })
} }
/** 기타 선택 처리 */
const handleOtherCheckbox = () => { const handleOtherCheckbox = () => {
if (isRoofMaterial) { if (isRoofMaterial) {
const currentSelected = selectedValues.length const currentSelected = selectedValues.length
@ -706,17 +773,19 @@ const MultiCheck = ({
const newIsOtherCheck = !isOtherCheck const newIsOtherCheck = !isOtherCheck
setIsOtherCheck(newIsOtherCheck) setIsOtherCheck(newIsOtherCheck)
// 기타 선택 해제 시 값도 null로 설정 /** 기타 선택 해제 시 값도 null로 설정 */
setRoofInfo({ setRoofInfo({
...roofInfo, ...roofInfo,
[`${column}Etc`]: newIsOtherCheck ? '' : null, [`${column}Etc`]: newIsOtherCheck ? '' : null,
}) })
} }
/** 기타 입력 처리 */
const handleOtherInputChange = (e: React.ChangeEvent<HTMLInputElement>) => { const handleOtherInputChange = (e: React.ChangeEvent<HTMLInputElement>) => {
setRoofInfo({ ...roofInfo, [`${column}Etc`]: e.target.value }) setRoofInfo({ ...roofInfo, [`${column}Etc`]: e.target.value })
} }
/** Input box 비활성화 처리 */
const isInputDisabled = () => { const isInputDisabled = () => {
return mode === 'READ' || (!isOtherCheck && !etcValue) return mode === 'READ' || (!isOtherCheck && !etcValue)
} }

View File

@ -19,6 +19,7 @@ export default function SearchForm({ memberRole, userId }: { memberRole: string;
setKeyword(searchKeyword) setKeyword(searchKeyword)
setSearchOption(option) setSearchOption(option)
} }
/** 권한 별 검색 옵션 목록 처리 */
const searchOptions = memberRole === 'Partner' ? SEARCH_OPTIONS_PARTNERS : SEARCH_OPTIONS const searchOptions = memberRole === 'Partner' ? SEARCH_OPTIONS_PARTNERS : SEARCH_OPTIONS
return ( return (

View File

@ -6,6 +6,21 @@ import { useMemo } from 'react'
import { useSessionStore } from '@/store/session' import { useSessionStore } from '@/store/session'
import { useRouter } from 'next/navigation' import { useRouter } from 'next/navigation'
/**
* @description
*
* @param {number} [qnoNo]
* @param {string} [compCd]
* @returns {Object}
* @returns {InquiryList[]} inquiryList -
* @returns {boolean} isLoadingInquiryList -
* @returns {Inquiry|null} inquiryDetail -
* @returns {boolean} isLoadingInquiryDetail -
* @returns {boolean} isSavingInquiry -
* @returns {Function} saveInquiry -
* @returns {Function} downloadFile -
* @returns {CommonCode[]} commonCodeList -
*/
export function useInquiry( export function useInquiry(
qnoNo?: number, qnoNo?: number,
compCd?: string, compCd?: string,
@ -25,6 +40,12 @@ export function useInquiry(
const { axiosInstance } = useAxios() const { axiosInstance } = useAxios()
const router = useRouter() const router = useRouter()
/**
* @description API
*
* @param {any} error
* @returns {void}
*/
const errorRouter = (error: any) => { const errorRouter = (error: any) => {
const status = error.response?.status const status = error.response?.status
alert(error.response?.data.error) alert(error.response?.data.error)
@ -50,6 +71,13 @@ export function useInquiry(
} }
} }
/**
* @description
*
* @returns {Object}
* @returns {InquiryList[]} data -
* @returns {boolean} isLoading -
*/
const { data: inquiryList, isLoading: isLoadingInquiryList } = useQuery({ const { data: inquiryList, isLoading: isLoadingInquiryList } = useQuery({
queryKey: ['inquiryList', inquiryListRequest, offset], queryKey: ['inquiryList', inquiryListRequest, offset],
queryFn: async () => { queryFn: async () => {
@ -66,6 +94,12 @@ export function useInquiry(
enabled: !!inquiryListRequest, enabled: !!inquiryListRequest,
}) })
/**
* @description
*
* @returns {Object}
* @returns {InquiryList[]} inquiryList -
*/
const inquriyListData = useMemo(() => { const inquriyListData = useMemo(() => {
if (isLoadingInquiryList) { if (isLoadingInquiryList) {
return { inquiryList: [] } return { inquiryList: [] }
@ -75,6 +109,13 @@ export function useInquiry(
} }
}, [inquiryList, isLoadingInquiryList]) }, [inquiryList, isLoadingInquiryList])
/**
* @description
*
* @returns {Object}
* @returns {Inquiry|null} data -
* @returns {boolean} isLoading -
*/
const { data: inquiryDetail, isLoading: isLoadingInquiryDetail } = useQuery({ const { data: inquiryDetail, isLoading: isLoadingInquiryDetail } = useQuery({
queryKey: ['inquiryDetail', qnoNo, compCd, session?.userId], queryKey: ['inquiryDetail', qnoNo, compCd, session?.userId],
queryFn: async () => { queryFn: async () => {
@ -91,6 +132,12 @@ export function useInquiry(
enabled: qnoNo !== undefined && compCd !== undefined, enabled: qnoNo !== undefined && compCd !== undefined,
}) })
/**
* @description
*
* @param {FormData} formData
* @returns {Promise<InquirySaveResponse>}
*/
const { mutateAsync: saveInquiry, isPending: isSavingInquiry } = useMutation({ const { mutateAsync: saveInquiry, isPending: isSavingInquiry } = useMutation({
mutationFn: async (formData: FormData) => { mutationFn: async (formData: FormData) => {
const resp = await axiosInstance(null).post<{ data: InquirySaveResponse }>('/api/qna/save', formData) const resp = await axiosInstance(null).post<{ data: InquirySaveResponse }>('/api/qna/save', formData)
@ -104,6 +151,13 @@ export function useInquiry(
}, },
}) })
/**
* @description
*
* @param {number} encodeFileNo
* @param {string} srcFileNm
* @returns {Promise<Blob|null>} null
*/
const downloadFile = async (encodeFileNo: number, srcFileNm: string) => { const downloadFile = async (encodeFileNo: number, srcFileNm: string) => {
try { try {
const resp = await fetch(`/api/qna/file?encodeFileNo=${encodeFileNo}&srcFileNm=${srcFileNm}`) const resp = await fetch(`/api/qna/file?encodeFileNo=${encodeFileNo}&srcFileNm=${srcFileNm}`)
@ -125,6 +179,13 @@ export function useInquiry(
} }
} }
/**
* @description
*
* @returns {Object}
* @returns {CommonCode[]} data -
* @returns {boolean} isLoading -
*/
const { data: commonCodeList, isLoading: isLoadingCommonCodeList } = useQuery({ const { data: commonCodeList, isLoading: isLoadingCommonCodeList } = useQuery({
queryKey: ['commonCodeList'], queryKey: ['commonCodeList'],
queryFn: async () => { queryFn: async () => {

View File

@ -6,7 +6,6 @@ import { useSessionStore } from '@/store/session'
import { useAxios } from './useAxios' import { useAxios } from './useAxios'
import { queryStringFormatter } from '@/utils/common-utils' import { queryStringFormatter } from '@/utils/common-utils'
import { useRouter } from 'next/navigation' import { useRouter } from 'next/navigation'
import { usePopupController } from '@/store/popupController'
export const requiredFields = [ export const requiredFields = [
{ {
@ -55,7 +54,24 @@ type ZipCode = {
kana2: string kana2: string
kana3: string kana3: string
} }
/**
* @description
*
* @param {number} [id] ID
* @param {boolean} [isPdf] PDF
* @returns {Object}
* @returns {SurveyBasicInfo[]} surveyList -
* @returns {SurveyBasicInfo} surveyDetail -
* @returns {boolean} isLoadingSurveyList -
* @returns {boolean} isLoadingSurveyDetail -
* @returns {boolean} isCreatingSurvey -
* @returns {boolean} isUpdatingSurvey -
* @returns {boolean} isDeletingSurvey -
* @returns {boolean} isSubmittingSurvey -
* @returns {Function} createSurvey -
* @returns {Function} updateSurvey -
* @returns {Function} deleteSurvey -
*/
export function useSurvey( export function useSurvey(
id?: number, id?: number,
isPdf?: boolean, isPdf?: boolean,
@ -84,6 +100,12 @@ export function useSurvey(
const { axiosInstance } = useAxios() const { axiosInstance } = useAxios()
const router = useRouter() const router = useRouter()
/**
* @description ,
*
* @param {any} error
* @returns {void}
*/
const errorRouter = (error: any) => { const errorRouter = (error: any) => {
const status = error.response?.status const status = error.response?.status
alert(error.response?.data.error) alert(error.response?.data.error)
@ -109,6 +131,15 @@ export function useSurvey(
} }
} }
/**
* @description
*
* @returns {Object}
* @returns {SurveyBasicInfo[]}
* @returns {number}
* @returns {() => void}
* @returns {boolean}
*/
const { const {
data: surveyListData, data: surveyListData,
isLoading: isLoadingSurveyList, isLoading: isLoadingSurveyList,
@ -136,6 +167,14 @@ export function useSurvey(
} }
}, },
}) })
/**
* @description
*
* @returns {Object}
* @returns {number} count -
* @returns {SurveyBasicInfo[]} data -
*/
const surveyData = useMemo(() => { const surveyData = useMemo(() => {
if (!surveyListData) return { count: 0, data: [] } if (!surveyListData) return { count: 0, data: [] }
return { return {
@ -143,6 +182,14 @@ export function useSurvey(
} }
}, [surveyListData]) }, [surveyListData])
/**
* @description
*
* @returns {Object}
* @returns {SurveyBasicInfo} surveyDetail -
* @returns {boolean} isLoadingSurveyDetail -
* @returns {() => void} refetchSurveyDetail -
*/
const { const {
data: surveyDetail, data: surveyDetail,
isLoading: isLoadingSurveyDetail, isLoading: isLoadingSurveyDetail,
@ -166,6 +213,12 @@ export function useSurvey(
enabled: id !== 0 && id !== undefined && id !== null, enabled: id !== 0 && id !== undefined && id !== null,
}) })
/**
* @description
*
* @param {SurveyRegistRequest} survey
* @returns {Promise<number>} ID
*/
const { mutateAsync: createSurvey, isPending: isCreatingSurvey } = useMutation({ const { mutateAsync: createSurvey, isPending: isCreatingSurvey } = useMutation({
mutationFn: async (survey: SurveyRegistRequest) => { mutationFn: async (survey: SurveyRegistRequest) => {
const resp = await axiosInstance(null).post<{ id: number }>('/api/survey-sales', { const resp = await axiosInstance(null).post<{ id: number }>('/api/survey-sales', {
@ -181,6 +234,16 @@ export function useSurvey(
}, },
}) })
/**
* @description
*
* @param {Object} params
* @param {SurveyRegistRequest} params.survey
* @param {boolean} params.isTemporary
* @param {string|null} [params.storeId] ID
* @returns {Promise<SurveyRegistRequest>}
* @throws {Error} id가
*/
const { mutate: updateSurvey, isPending: isUpdatingSurvey } = useMutation({ const { mutate: updateSurvey, isPending: isUpdatingSurvey } = useMutation({
mutationFn: async ({ survey, isTemporary, storeId }: { survey: SurveyRegistRequest; isTemporary: boolean; storeId?: string | null }) => { mutationFn: async ({ survey, isTemporary, storeId }: { survey: SurveyRegistRequest; isTemporary: boolean; storeId?: string | null }) => {
if (id === undefined) throw new Error('id is required') if (id === undefined) throw new Error('id is required')
@ -198,6 +261,16 @@ export function useSurvey(
}, },
}) })
/**
* @description
*
* @returns {Promise<boolean>}
* @throws {Error} id가
*
* @example
* // 삭제 성공 시 목록 데이터만 갱신하고, 상세 데이터는 갱신하지 않음
* // 상세 데이터를 갱신하면 404 에러가 발생할 수 있음
*/
const { mutateAsync: deleteSurvey, isPending: isDeletingSurvey } = useMutation({ const { mutateAsync: deleteSurvey, isPending: isDeletingSurvey } = useMutation({
mutationFn: async () => { mutationFn: async () => {
if (id === null) throw new Error('id is required') if (id === null) throw new Error('id is required')
@ -212,6 +285,15 @@ export function useSurvey(
}, },
}) })
/**
* @description
*
* @param {Object} params
* @param {string|null} [params.targetId] ID
* @param {string|null} [params.targetNm]
* @returns {Promise<boolean>}
* @throws {Error} id가
*/
const { mutateAsync: submitSurvey, isPending: isSubmittingSurvey } = useMutation({ const { mutateAsync: submitSurvey, isPending: isSubmittingSurvey } = useMutation({
mutationFn: async ({ targetId, targetNm }: { targetId?: string | null; targetNm?: string | null }) => { mutationFn: async ({ targetId, targetNm }: { targetId?: string | null; targetNm?: string | null }) => {
if (!id) throw new Error('id is required') if (!id) throw new Error('id is required')
@ -230,6 +312,12 @@ export function useSurvey(
}, },
}) })
/**
* @description
*
* @param {SurveyDetailRequest} surveyDetail
* @returns {string}
*/
const validateSurveyDetail = (surveyDetail: SurveyDetailRequest) => { const validateSurveyDetail = (surveyDetail: SurveyDetailRequest) => {
const ETC_FIELDS = ['installationSystem', 'rafterSize', 'rafterPitch', 'waterproofMaterial', 'structureOrder'] as const const ETC_FIELDS = ['installationSystem', 'rafterSize', 'rafterPitch', 'waterproofMaterial', 'structureOrder'] as const
@ -269,6 +357,13 @@ export function useSurvey(
return '' return ''
} }
/**
* @description
*
* @param {string} zipCode
* @returns {Promise<ZipCode[]|null>}
* @throws {Error}
*/
const getZipCode = async (zipCode: string): Promise<ZipCode[] | null> => { const getZipCode = async (zipCode: string): Promise<ZipCode[] | null> => {
try { try {
const { data } = await axiosInstance(null).get<ZipCodeResponse>( const { data } = await axiosInstance(null).get<ZipCodeResponse>(
@ -281,6 +376,14 @@ export function useSurvey(
} }
} }
/**
* @description
*
* @param {Object} params
* @param {string} params.storeId ID
* @param {string} params.role
* @returns {Promise<SubmitTargetResponse[]|null>}
*/
const getSubmitTarget = async (params: { storeId: string; role: string }): Promise<SubmitTargetResponse[] | null> => { const getSubmitTarget = async (params: { storeId: string; role: string }): Promise<SubmitTargetResponse[] | null> => {
try { try {
if (!params.storeId) { if (!params.storeId) {

View File

@ -1,6 +1,9 @@
import { InquiryListRequest } from '@/types/Inquiry' import { InquiryListRequest } from '@/types/Inquiry'
import { create } from 'zustand' import { create } from 'zustand'
/**
* @description
*/
type InquiryFilterState = { type InquiryFilterState = {
inquiryListRequest: InquiryListRequest inquiryListRequest: InquiryListRequest
setInquiryListRequest: (inquiryListRequest: InquiryListRequest) => void setInquiryListRequest: (inquiryListRequest: InquiryListRequest) => void
@ -9,6 +12,15 @@ type InquiryFilterState = {
setOffset: (offset: number) => void setOffset: (offset: number) => void
} }
/**
* @description
*
* @param {InquiryListRequest} inquiryListRequest
* @param {Function} setInquiryListRequest
* @param {Function} reset
* @param {number} offset
* @param {Function} setOffset
*/
export const useInquiryFilterStore = create<InquiryFilterState>((set) => ({ export const useInquiryFilterStore = create<InquiryFilterState>((set) => ({
inquiryListRequest: { inquiryListRequest: {
compCd: '5200', compCd: '5200',

View File

@ -1,5 +1,11 @@
import { create } from 'zustand' import { create } from 'zustand'
/**
* @description
*
* @param {string} id ID
* @param {string} label
*/
export const SEARCH_OPTIONS = [ export const SEARCH_OPTIONS = [
{ {
id: 'all', id: 'all',
@ -35,6 +41,12 @@ export const SEARCH_OPTIONS = [
}, },
] ]
/**
* @description -
*
* @param {string} id ID
* @param {string} label
*/
export const SEARCH_OPTIONS_PARTNERS = [ export const SEARCH_OPTIONS_PARTNERS = [
{ {
id: 'all', id: 'all',
@ -54,8 +66,19 @@ export const SEARCH_OPTIONS_PARTNERS = [
}, },
] ]
/**
* @description
*/
export type SEARCH_OPTIONS_ENUM = (typeof SEARCH_OPTIONS)[number]['id'] export type SEARCH_OPTIONS_ENUM = (typeof SEARCH_OPTIONS)[number]['id']
/**
* @description
*/
export type SEARCH_OPTIONS_PARTNERS_ENUM = (typeof SEARCH_OPTIONS_PARTNERS)[number]['id'] export type SEARCH_OPTIONS_PARTNERS_ENUM = (typeof SEARCH_OPTIONS_PARTNERS)[number]['id']
/**
* @description
*/
export type SORT_OPTIONS_ENUM = 'created' | 'updated' export type SORT_OPTIONS_ENUM = 'created' | 'updated'
type SurveyFilterState = { type SurveyFilterState = {
@ -72,6 +95,22 @@ type SurveyFilterState = {
reset: () => void reset: () => void
} }
/**
* @description
*
* @param {string} keyword
* @param {SEARCH_OPTIONS_ENUM | SEARCH_OPTIONS_PARTNERS_ENUM} searchOption
* @param {string | null} isMySurvey
* @param {SORT_OPTIONS_ENUM} sort
* @param {number} offset
*
* @param {Function} setKeyword
* @param {Function} setSearchOption
* @param {Function} setIsMySurvey
* @param {Function} setSort
* @param {Function} setOffset
* @param {Function} reset
*/
export const useSurveyFilterStore = create<SurveyFilterState>((set) => ({ export const useSurveyFilterStore = create<SurveyFilterState>((set) => ({
keyword: '', keyword: '',
searchOption: 'all', searchOption: 'all',

View File

@ -1,26 +0,0 @@
import { create } from 'zustand'
type SurveySaleTabState = {
basicInfoSelected: boolean
roofInfoSelected: boolean
setBasicInfoSelected: () => void
setRoofInfoSelected: () => void
reset: () => void
}
type InitialState = {
basicInfoSelected: boolean
roofInfoSelected: boolean
}
const initialState: InitialState = {
basicInfoSelected: true,
roofInfoSelected: false,
}
export const useSurveySaleTabState = create<SurveySaleTabState>((set) => ({
...initialState,
setBasicInfoSelected: () => set((state) => ({ ...state, basicInfoSelected: true, roofInfoSelected: false })),
setRoofInfoSelected: () => set((state) => ({ ...state, basicInfoSelected: false, roofInfoSelected: true })),
reset: () => set(initialState),
}))

View File

@ -1,94 +1,190 @@
/**
* @description
*/
export type InquiryListRequest = { export type InquiryListRequest = {
compCd: string //company code /* 회사 코드 */
langCd: string //language code compCd: string
storeId: string //store id /* 언어 코드 */
siteTpCd: string //site type code (QC: QCast, QR: QRead) langCd: string
schTitle: string | null //search title /* 판매점 ID */
schRegId: string | null //search regId storeId: string
schFromDt: string | null //search start date /* 사이트 유형 코드 */
schToDt: string | null //search end date siteTpCd: string
schAnswerYn: string | null //search answer yn /* 검색 제목 */
loginId: string //login id schTitle: string | null
/* 검색 등록자 ID */
schRegId: string | null
/* 검색 시작 일자 */
schFromDt: string | null
/* 검색 종료 일자 */
schToDt: string | null
/* 검색 답변 여부 */
schAnswerYn: string | null
/* 로그인 ID */
loginId: string
} }
/**
* @description
*/
export type InquiryList = { export type InquiryList = {
totCnt: number //total count /* 총 건수 */
rowNumber: number //row number totCnt: number
compCd: string //company code /* 행 번호 */
qnaNo: number //qna number rowNumber: number
qstTitle: string //title /* 회사 코드 */
regDt: string //registration date compCd: string
regId: string //registration Userid /* 문의 번호 */
regNm: string //registration User name qnaNo: number
answerYn: string //answer yn - Y / N /* 문의 제목 */
attachYn: string | null //attach yn - Y / N qstTitle: string
qnaClsLrgCd: string //qna CLS large Code /* 문의 등록 일자 */
qnaClsMidCd: string //qna CLS Mid Code regDt: string
qnaClsSmlCd: string | null //qna CLS Small Code /* 문의 등록자 이메일 */
regUserNm: string //registration User name regEmail: string
/* 문의 등록자 ID */
regId: string
/* 문의 등록자 이름 */
regNm: string
/* 답변 여부 */
answerYn: string
/* 첨부 여부 */
attachYn: string | null
/* 문의 대분류 코드 */
qnaClsLrgCd: string
/* 문의 중분류 코드 */
qnaClsMidCd: string
/* 문의 소분류 코드 */
qnaClsSmlCd: string | null
/* 문의 등록자 이름 */
regUserNm: string
} }
/**
* @description
*/
export type InquiryDetailRequest = { export type InquiryDetailRequest = {
compCd: string //company code /* 회사 코드 */
langCd: string //language code compCd: string
qnaNo: number //qna number /* 언어 코드 */
loginId: string //login id langCd: string
/* 문의 번호 */
qnaNo: number
/* 로그인 ID */
loginId: string
} }
/**
* @description
*/
export type Inquiry = { export type Inquiry = {
compCd: string //company code /* 회사 코드 */
qnaNo: number //qna number compCd: string
qstTitle: string //title /* 문의 번호 */
qstContents: string //content qnaNo: number
regDt: string //registration date /* 문의 제목 */
regId: string //registration Userid qstTitle: string
regNm: string //registration User name /* 문의 내용 */
regEmail: string //registration User email qstContents: string
answerYn: string //answer yn - Y / N /* 문의 등록 일자 */
ansContents: string | null //answer content regDt: string
ansRegDt: string | null //answer registration date /* 문의 등록자 ID */
ansRegNm: string | null //answer registration User name regId: string
storeId: string | null //store id /* 문의 등록자 이름 */
storeNm: string | null //store name regNm: string
regUserNm: string //registration User name /* 문의 등록자 이메일 */
regUserTelNo: string | null //registration User tel number regEmail: string
qnaClsLrgCd: string //qna CLS large Code /* 답변 여부 */
qnaClsMidCd: string //qna CLS Mid Code answerYn: string
qnaClsSmlCd: string | null //qna CLS Small Code /* 답변 내용 */
listFile: listFile[] | null //Question list file ansContents: string | null
ansListFile: listFile[] | null //Answer list file /* 답변 등록 일자 */
ansRegDt: string | null
/* 답변 등록자 이름 */
ansRegNm: string | null
/* 판매점 ID */
storeId: string | null
/* 판매점 이름 */
storeNm: string | null
/* 문의 등록자 이름 */
regUserNm: string
/* 문의 등록자 전화번호 */
regUserTelNo: string | null
/* 문의 대분류 코드 */
qnaClsLrgCd: string
/* 문의 중분류 코드 */
qnaClsMidCd: string
/* 문의 소분류 코드 */
qnaClsSmlCd: string | null
/* 문의 첨부 파일 */
listFile: listFile[] | null
/* 답변 첨부 파일 */
ansListFile: listFile[] | null
} }
/**
* @description
*/
export type listFile = { export type listFile = {
fileNo: number //file number /* 파일 번호 */
encodeFileNo: string //encode file number fileNo: number
srcFileNm: string //source file name /* 인코딩 파일 번호 */
fileCours: string //file course encodeFileNo: string
fileSize: number //file size(Byte) /* 소스 파일 이름 */
regDt: string //registration date srcFileNm: string
/* 파일 코스 */
fileCours: string
/* 파일 크기 */
fileSize: number
/* 등록 일자 */
regDt: string
} }
/**
* @description
*/
export type InquiryRequest = { export type InquiryRequest = {
compCd: string //company code /* 회사 코드 */
siteTpCd: string //site type code(QC: QCast, QR: QRead) compCd: string
qnaClsLrgCd: string //qna CLS large Code /* 사이트 유형 코드 */
qnaClsMidCd: string //qna CLS Mid Code siteTpCd: string
qnaClsSmlCd: string | null //qna CLS Small Code /* 문의 대분류 코드 */
title: string //title qnaClsLrgCd: string
contents: string //contents /* 문의 중분류 코드 */
regId: string //registration Userid qnaClsMidCd: string
storeId: string //store id /* 문의 소분류 코드 */
regUserNm: string //registration User name qnaClsSmlCd: string | null
regUserTelNo: string | null //registration User tel number /* 문의 제목 */
qstMail: string //mail title: string
/* 문의 내용 */
contents: string
/* 문의 등록자 ID */
regId: string
/* 판매점 ID */
storeId: string
/* 문의 등록자 이름 */
regUserNm: string
/* 문의 등록자 전화번호 */
regUserTelNo: string | null
/* 문의 이메일 */
qstMail: string
} }
/**
* @description
*/
export type InquirySaveResponse = { export type InquirySaveResponse = {
cnt: number | null //count /* 건수 */
qnaNo: number //qna number cnt: number | null
mailYn: string //mail yn - Y / N /* 문의 번호 */
qnaNo: number
/* 메일 여부 */
mailYn: string
} }
/**
* @description
*/
export type CommonCode = { export type CommonCode = {
headCd: string headCd: string
code: string code: string

View File

@ -1,156 +1,303 @@
/**
* @description
*/
export type SurveyBasicInfo = { export type SurveyBasicInfo = {
/* 조사 매물 ID */
id: number id: number
/* 담당자명 */
representative: string representative: string
/* 담당자 ID */
representativeId: string | null representativeId: string | null
/* 판매점명 */
store: string | null store: string | null
/* 판매점 ID */
storeId: string | null storeId: string | null
/* 시공점명 */
constructionPoint: string | null constructionPoint: string | null
/* 시공점 ID */
constructionPointId: string | null constructionPointId: string | null
/* 조사 일자 */
investigationDate: string | null investigationDate: string | null
/* 건물 이름 */
buildingName: string | null buildingName: string | null
/* 고객명 */
customerName: string | null customerName: string | null
/* 우편번호 */
postCode: string | null postCode: string | null
/* 주소 (도도부현) */
address: string | null address: string | null
/* 상세 주소 */
addressDetail: string | null addressDetail: string | null
/* 제출 상태 */
submissionStatus: boolean submissionStatus: boolean
/* 제출 일시 */
submissionDate: string | null submissionDate: string | null
/* 조사 매물 상세 데이터 */
detailInfo: SurveyDetailInfo | null detailInfo: SurveyDetailInfo | null
/* 등록 일시 */
regDt: Date regDt: Date
/* 수정 일시 */
uptDt: Date uptDt: Date
/* 제출 대상 판매점 ID */
submissionTargetId: string | null submissionTargetId: string | null
/* 제출 대상 판매점명 */
submissionTargetNm: string | null submissionTargetNm: string | null
srlNo: string | null //판매점IDyyMMdd000 /* 일련번호 */
srlNo: string | null
} }
/**
* @description
*/
export type SurveyDetailInfo = { export type SurveyDetailInfo = {
/* 조사 매물 상세 ID */
id: number id: number
/* 조사 매물 기본 데이터 ID */
basicInfoId: number basicInfoId: number
/* 전기계약 용량 */
contractCapacity: string | null contractCapacity: string | null
/* 전기 소매 회사 */
retailCompany: string | null retailCompany: string | null
/* 전기 부대 설비 */
supplementaryFacilities: string | null // number 배열 supplementaryFacilities: string | null // number 배열
/* 전기 부대 설비 기타 */
supplementaryFacilitiesEtc: string | null supplementaryFacilitiesEtc: string | null
/* 설치 희망 시스템 */
installationSystem: string | null installationSystem: string | null
/* 설치 희망 시스템 기타 */
installationSystemEtc: string | null installationSystemEtc: string | null
/* 건축 년도 */
constructionYear: string | null constructionYear: string | null
/* 건축 년도 기타 */
constructionYearEtc: string | null constructionYearEtc: string | null
roofMaterial: string | null // number 배열 /* 지붕재 - 다중 선택 가능 [number]*/
roofMaterial: string | null
/* 지붕재 기타 */
roofMaterialEtc: string | null roofMaterialEtc: string | null
/* 지붕모양 */
roofShape: string | null roofShape: string | null
/* 지붕모양 기타 */
roofShapeEtc: string | null roofShapeEtc: string | null
/* 지붕 경사 */
roofSlope: string | null roofSlope: string | null
/* 주택 구조 */
houseStructure: string | null houseStructure: string | null
/* 주택 구조 기타 */
houseStructureEtc: string | null houseStructureEtc: string | null
/* 서까래 재질*/
rafterMaterial: string | null rafterMaterial: string | null
/* 서까래 재질 기타 */
rafterMaterialEtc: string | null rafterMaterialEtc: string | null
/* 서까래 크기 */
rafterSize: string | null rafterSize: string | null
/* 서까래 크기 기타 */
rafterSizeEtc: string | null rafterSizeEtc: string | null
/* 서까래 피치 */
rafterPitch: string | null rafterPitch: string | null
/* 서까래 피치 기타 */
rafterPitchEtc: string | null rafterPitchEtc: string | null
/* 서까래 방향 */
rafterDirection: string | null rafterDirection: string | null
/* 노지판의 종류 */
openFieldPlateKind: string | null openFieldPlateKind: string | null
/* 노지판의 종류 기타 */
openFieldPlateKindEtc: string | null openFieldPlateKindEtc: string | null
/* 노지판의 두께 */
openFieldPlateThickness: string | null openFieldPlateThickness: string | null
/* 누수 흔적 */
leakTrace: boolean | null leakTrace: boolean | null
/* 방수재 종류*/
waterproofMaterial: string | null waterproofMaterial: string | null
/* 방수재 종류 기타 */
waterproofMaterialEtc: string | null waterproofMaterialEtc: string | null
/* 단열재 유무 */
insulationPresence: string | null insulationPresence: string | null
/* 단열재 유무 기타 */
insulationPresenceEtc: string | null insulationPresenceEtc: string | null
/* 지붕 구조의 순서*/
structureOrder: string | null structureOrder: string | null
/* 지붕 구조의 순서 기타 */
structureOrderEtc: string | null structureOrderEtc: string | null
/* 지붕 제품명 설치 가능 여부 확인*/
installationAvailability: string | null installationAvailability: string | null
/* 지붕 제품명 설치 가능 여부 확인 기타 */
installationAvailabilityEtc: string | null installationAvailabilityEtc: string | null
/* 메모 */
memo: string | null memo: string | null
/* 등록 일시 */
regDt: Date regDt: Date
/* 수정 일시 */
uptDt: Date uptDt: Date
} }
/**
* @description
*/
export type SurveyBasicRequest = { export type SurveyBasicRequest = {
/* 담당자명 */
representative: string representative: string
/* 담당자 ID */
representativeId: string | null representativeId: string | null
/* 판매점명 */
store: string | null store: string | null
/* 판매점 ID */
storeId: string | null storeId: string | null
/* 시공점명 */
constructionPoint: string | null constructionPoint: string | null
/* 시공점 ID */
constructionPointId: string | null constructionPointId: string | null
/* 조사 일자 */
investigationDate: string | null investigationDate: string | null
/* 건물 이름 */
buildingName: string | null buildingName: string | null
/* 고객명 */
customerName: string | null customerName: string | null
/* 우편번호 */
postCode: string | null postCode: string | null
/* 주소 (도도부현) */
address: string | null address: string | null
/* 상세 주소 */
addressDetail: string | null addressDetail: string | null
/* 제출 상태 */
submissionStatus: boolean submissionStatus: boolean
/* 제출 일시 */
submissionDate: string | null submissionDate: string | null
/* 제출 대상 판매점 ID */
submissionTargetId: string | null submissionTargetId: string | null
/* 제출 대상 판매점명 */
submissionTargetNm: string | null submissionTargetNm: string | null
srlNo: string | null //판매점IDyyMMdd000 /* 일련번호 */
srlNo: string | null
} }
/**
* @description
*/
export type SurveyDetailRequest = { export type SurveyDetailRequest = {
/* 전기계약 용량 */
contractCapacity: string | null contractCapacity: string | null
/* 전기 소매 회사 */
retailCompany: string | null retailCompany: string | null
/* 전기 부대 설비 */
supplementaryFacilities: string | null // number 배열 supplementaryFacilities: string | null // number 배열
/* 전기 부대 설비 기타 */
supplementaryFacilitiesEtc: string | null supplementaryFacilitiesEtc: string | null
/* 설치 희망 시스템 */
installationSystem: string | null installationSystem: string | null
/* 설치 희망 시스템 기타 */
installationSystemEtc: string | null installationSystemEtc: string | null
/* 건축 년도 */
constructionYear: string | null constructionYear: string | null
/* 건축 년도 기타 */
constructionYearEtc: string | null constructionYearEtc: string | null
roofMaterial: string | null // number 배열 /* 지붕재 - 다중 선택 가능 [number]*/
roofMaterial: string | null
/* 지붕재 기타 */
roofMaterialEtc: string | null roofMaterialEtc: string | null
/* 지붕모양 */
roofShape: string | null roofShape: string | null
/* 지붕모양 기타 */
roofShapeEtc: string | null roofShapeEtc: string | null
/* 지붕 경사 */
roofSlope: string | null roofSlope: string | null
/* 주택 구조 */
houseStructure: string | null houseStructure: string | null
/* 주택 구조 기타 */
houseStructureEtc: string | null houseStructureEtc: string | null
/* 서까래 재질*/
rafterMaterial: string | null rafterMaterial: string | null
/* 서까래 재질 기타 */
rafterMaterialEtc: string | null rafterMaterialEtc: string | null
/* 서까래 크기 */
rafterSize: string | null rafterSize: string | null
/* 서까래 크기 기타 */
rafterSizeEtc: string | null rafterSizeEtc: string | null
/* 서까래 피치 */
rafterPitch: string | null rafterPitch: string | null
/* 서까래 피치 기타 */
rafterPitchEtc: string | null rafterPitchEtc: string | null
/* 서까래 방향 */
rafterDirection: string | null rafterDirection: string | null
/* 노지판의 종류 */
openFieldPlateKind: string | null openFieldPlateKind: string | null
/* 노지판의 종류 기타 */
openFieldPlateKindEtc: string | null openFieldPlateKindEtc: string | null
/* 노지판의 두께 */
openFieldPlateThickness: string | null openFieldPlateThickness: string | null
/* 누수 흔적 */
leakTrace: boolean | null leakTrace: boolean | null
/* 방수재 종류*/
waterproofMaterial: string | null waterproofMaterial: string | null
/* 방수재 종류 기타 */
waterproofMaterialEtc: string | null waterproofMaterialEtc: string | null
/* 단열재 유무 */
insulationPresence: string | null insulationPresence: string | null
/* 단열재 유무 기타 */
insulationPresenceEtc: string | null insulationPresenceEtc: string | null
/* 지붕 구조의 순서*/
structureOrder: string | null structureOrder: string | null
/* 지붕 구조의 순서 기타 */
structureOrderEtc: string | null structureOrderEtc: string | null
/* 지붕 제품명 설치 가능 여부 확인*/
installationAvailability: string | null installationAvailability: string | null
/* 지붕 제품명 설치 가능 여부 확인 기타 */
installationAvailabilityEtc: string | null installationAvailabilityEtc: string | null
/* 메모 */
memo: string | null memo: string | null
} }
export type SurveyDetailCoverRequest = { /**
detailInfo: SurveyDetailRequest * @description
} */
export type SurveyRegistRequest = { export type SurveyRegistRequest = {
/* 담당자명 */
representative: string representative: string
/* 담당자 ID */
representativeId: string | null representativeId: string | null
/* 판매점명 */
store: string | null store: string | null
/* 판매점 ID */
storeId: string | null storeId: string | null
/* 시공점명 */
constructionPoint: string | null constructionPoint: string | null
/* 조사 일자 */
investigationDate: string | null investigationDate: string | null
/* 건물 이름 */
buildingName: string | null buildingName: string | null
/* 고객명 */
customerName: string | null customerName: string | null
/* 우편번호 */
postCode: string | null postCode: string | null
/* 주소 (도도부현) */
address: string | null address: string | null
/* 상세 주소 */
addressDetail: string | null addressDetail: string | null
/* 제출 상태 */
submissionStatus: boolean submissionStatus: boolean
/* 제출 일시 */
submissionDate: string | null submissionDate: string | null
/* 조사 매물 상세 데이터 */
detailInfo: SurveyDetailRequest | null detailInfo: SurveyDetailRequest | null
/* 제출 대상 판매점 ID */
submissionTargetId: string | null submissionTargetId: string | null
srlNo: string | null //판매점IDyyMMdd000 /* 일련번호 */
srlNo: string | null
} }
export type Mode = 'CREATE' | 'EDIT' | 'READ' | 'SUBMIT' // 등록 | 수정 | 상세 | 제출 /**
* @description
*/
export type Mode = 'CREATE' | 'EDIT' | 'READ' | 'SUBMIT'
export type SubmitTargetResponse = { export type SubmitTargetResponse = {
/* 제출 대상 판매점 ID */
targetStoreId: string targetStoreId: string
/* 제출 대상 판매점명 */
targetStoreNm: string targetStoreNm: string
/* 담당자 ID */
repUserId: string repUserId: string
/* 담당자 이메일 */
repUserEmail: string repUserEmail: string
/* 권한 */
auth: string auth: string
} }