diff --git a/src/app/api/survey-sales/[id]/route.ts b/src/app/api/survey-sales/[id]/route.ts
index 5e4b83e..3da5981 100644
--- a/src/app/api/survey-sales/[id]/route.ts
+++ b/src/app/api/survey-sales/[id]/route.ts
@@ -1,108 +1,139 @@
import { NextResponse } from 'next/server'
+import { prisma } from '@/libs/prisma'
export async function GET(request: Request, context: { params: { id: string } }) {
- const { id } = await context.params
- // @ts-ignore
- const survey = await prisma.SD_SERVEY_SALES_BASIC_INFO.findUnique({
- where: { id: Number(id) },
- include: {
- detail_info: true,
- },
- })
- return NextResponse.json(survey)
-}
-
-export async function PUT(request: Request, context: { params: { id: string } }) {
- const { id } = await context.params
- const body = await request.json()
try {
+ const { id } = await context.params
// @ts-ignore
- const survey = await prisma.SD_SERVEY_SALES_BASIC_INFO.update({
- where: { id: Number(id) },
- data: {
- ...body,
+ const survey = await prisma.SD_SURVEY_SALES_BASIC_INFO.findUnique({
+ where: { ID: Number(id) },
+ include: {
+ DETAIL_INFO: true,
},
})
return NextResponse.json(survey)
} catch (error) {
- console.error(error)
- throw error
+ console.error('Error fetching survey:', error)
+ return NextResponse.json({ error: 'Failed to fetch survey' }, { status: 500 })
+ }
+}
+
+export async function PUT(request: Request, context: { params: { id: string } }) {
+ try {
+ const { id } = await context.params
+ const body = await request.json()
+ console.log('body:: ', body)
+
+ // DETAIL_INFO를 분리
+ const { DETAIL_INFO, ...basicInfo } = body
+
+ // @ts-ignore
+ const survey = await prisma.SD_SURVEY_SALES_BASIC_INFO.update({
+ where: { ID: Number(id) },
+ data: {
+ ...basicInfo,
+ UPT_DT: new Date(),
+ DETAIL_INFO: DETAIL_INFO
+ ? {
+ upsert: {
+ create: DETAIL_INFO,
+ update: DETAIL_INFO,
+ },
+ }
+ : undefined,
+ },
+ include: {
+ DETAIL_INFO: true,
+ },
+ })
+ return NextResponse.json(survey)
+ } catch (error) {
+ console.error('Error updating survey:', error)
+ return NextResponse.json({ error: 'Failed to update survey' }, { status: 500 })
}
}
export async function DELETE(request: Request, context: { params: { id: string } }) {
- const { id } = await context.params
-
try {
- //@ts-ignore
+ const { id } = await context.params
+
await prisma.$transaction(async (tx) => {
// @ts-ignore
- const detailData = await tx.SD_SERVEY_SALES_BASIC_INFO.findUnique({
- where: { id: Number(id) },
+ const detailData = await tx.SD_SURVEY_SALES_BASIC_INFO.findUnique({
+ where: { ID: Number(id) },
select: {
- detail_info: true,
+ DETAIL_INFO: true,
},
})
- console.log('detailData:: ', detailData)
- if (detailData?.detail_info?.id) {
+
+ if (detailData?.DETAIL_INFO?.ID) {
// @ts-ignore
- await tx.SD_SERVEY_SALES_DETAIL_INFO.delete({
- where: { id: Number(detailData?.detail_info?.id) },
+ await tx.SD_SURVEY_SALES_DETAIL_INFO.delete({
+ where: { ID: Number(detailData.DETAIL_INFO.ID) },
})
}
+
// @ts-ignore
- await tx.SD_SERVEY_SALES_BASIC_INFO.delete({
- where: { id: Number(id) },
+ await tx.SD_SURVEY_SALES_BASIC_INFO.delete({
+ where: { ID: Number(id) },
})
})
+
return NextResponse.json({ message: 'Survey deleted successfully' })
} catch (error) {
- console.error(error)
- throw error
+ console.error('Error deleting survey:', error)
+ return NextResponse.json({ error: 'Failed to delete survey' }, { status: 500 })
}
}
export async function PATCH(request: Request, context: { params: { id: string } }) {
- const { id } = await context.params
- const body = await request.json()
- if (body.submit) {
- // @ts-ignore
- const survey = await prisma.SD_SERVEY_SALES_BASIC_INFO.update({
- where: { id: Number(id) },
- data: {
- submission_status: true,
- submission_date: new Date(),
- },
- })
- return NextResponse.json({ message: 'Survey confirmed successfully' })
- } else {
- // @ts-ignore
- const hasDetails = await prisma.SD_SERVEY_SALES_DETAIL_INFO.findUnique({
- where: { basic_info_id: Number(id) },
- })
- if (hasDetails) {
- //@ts-ignore
- const result = await prisma.SD_SERVEY_SALES_BASIC_INFO.update({
- where: { id: Number(id) },
+ try {
+ const { id } = await context.params
+ const body = await request.json()
+
+ if (body.submit) {
+ // @ts-ignore
+ const survey = await prisma.SD_SURVEY_SALES_BASIC_INFO.update({
+ where: { ID: Number(id) },
data: {
- updated_at: new Date(),
- detail_info: {
- update: body.detail_info,
- },
+ SUBMISSION_STATUS: true,
+ SUBMISSION_DATE: new Date(),
},
})
- return NextResponse.json(result)
+ return NextResponse.json({ message: 'Survey confirmed successfully' })
} else {
// @ts-ignore
- const survey = await prisma.SD_SERVEY_SALES_BASIC_INFO.update({
- where: { id: Number(id) },
- data: {
- detail_info: {
- create: body.detail_info,
- },
- },
+ const hasDetails = await prisma.SD_SURVEY_SALES_DETAIL_INFO.findUnique({
+ where: { BASIC_INFO_ID: Number(id) },
})
- return NextResponse.json({ message: 'Survey detail created successfully' })
+
+ if (hasDetails) {
+ //@ts-ignore
+ const result = await prisma.SD_SURVEY_SALES_BASIC_INFO.update({
+ where: { ID: Number(id) },
+ data: {
+ UPT_DT: new Date(),
+ DETAIL_INFO: {
+ update: body.DETAIL_INFO,
+ },
+ },
+ })
+ return NextResponse.json(result)
+ } else {
+ // @ts-ignore
+ const survey = await prisma.SD_SURVEY_SALES_BASIC_INFO.update({
+ where: { ID: Number(id) },
+ data: {
+ DETAIL_INFO: {
+ create: body.DETAIL_INFO,
+ },
+ },
+ })
+ return NextResponse.json({ message: 'Survey detail created successfully' })
+ }
}
+ } catch (error) {
+ console.error('Error updating survey:', error)
+ return NextResponse.json({ error: 'Failed to update survey' }, { status: 500 })
}
}
diff --git a/src/app/api/survey-sales/route.ts b/src/app/api/survey-sales/route.ts
index 8c32ca6..d4b676a 100644
--- a/src/app/api/survey-sales/route.ts
+++ b/src/app/api/survey-sales/route.ts
@@ -1,105 +1,247 @@
import { NextResponse } from 'next/server'
import { prisma } from '@/libs/prisma'
-export async function POST(request: Request) {
- const body = await request.json()
- // @ts-ignore
- const res = await prisma.SD_SERVEY_SALES_BASIC_INFO.create({
- data: body,
- })
- return NextResponse.json(res)
+/**
+ * 검색 파라미터
+ */
+type SearchParams = {
+ keyword?: string | null // 검색어
+ searchOption?: string | null // 검색 옵션 (select 옵션)
+ isMySurvey?: string | null // 내가 작성한 매물
+ sort?: string | null // 정렬 방식
+ offset?: string | null
+ role?: string | null // 회원권한한
+ store?: string | null // 판매점ID
+ builderNo?: string | null // 시공ID
}
-export async function GET(request: Request) {
- const { searchParams } = new URL(request.url)
- const keyword = searchParams.get('keyword')
- const searchOption = searchParams.get('searchOption')
- const isMySurvey = searchParams.get('isMySurvey')
- const sort = searchParams.get('sort')
- const offset = searchParams.get('offset')
- const store = searchParams.get('store')
- const construction_point = searchParams.get('construction_point')
+type WhereCondition = {
+ AND?: any[]
+ OR?: any[]
+ [key: string]: any
+}
- const searchOptions = ['building_name', 'representative', 'store', 'construction_point', 'customer_name', 'post_code', 'address', 'address_detail']
- try {
- const where: any = {}
+// 검색 가능한 필드 옵션
+const SEARCH_OPTIONS = [
+ 'BUILDING_NAME', // 건물명
+ 'REPRESENTATIVE', // 담당자
+ 'STORE', // 판매점
+ 'CONSTRUCTION_POINT', // 시공점
+ 'CUSTOMER_NAME', // 고객명
+ 'POST_CODE', // 우편번호
+ 'ADDRESS', // 주소
+ 'ADDRESS_DETAIL', // 상세주소
+] as const
- if (isMySurvey !== null && isMySurvey !== undefined) {
- where.representative = isMySurvey
- }
+// 페이지당 항목 수
+const ITEMS_PER_PAGE = 10
- if (keyword && keyword.trim() !== '' && searchOption) {
- if (searchOption === 'all') {
- where.OR = []
- if (keyword.match(/^\d+$/) || !isNaN(Number(keyword))) {
- where.OR.push({
- id: {
- equals: Number(keyword),
- },
- })
- }
- where.OR.push(
- ...searchOptions.map((field) => ({
- [field]: {
- contains: keyword,
- },
- })),
- )
- } else if (searchOptions.includes(searchOption)) {
- where[searchOption] = {
- contains: keyword,
- }
- } else if (searchOption === 'id') {
- where[searchOption] = {
- equals: Number(keyword),
- }
- }
- }
+/**
+ * 키워드 검색 조건 생성 함수
+ * @param keyword 검색 키워드
+ * @param searchOption 검색 옵션
+ * @returns 검색 조건 객체
+ */
+const createKeywordSearchCondition = (keyword: string, searchOption: string): WhereCondition => {
+ const where: WhereCondition = {}
- where.AND = []
- if (store) {
- where.AND.push({
- store: {
- equals: store,
- },
- })
- }
- if (construction_point) {
- where.AND.push({
- construction_point: {
- equals: construction_point,
- },
+ if (searchOption === 'all') {
+ // 모든 필드 검색 시 OR 조건 사용
+ where.OR = []
+
+ // ID가 숫자인 경우 ID 검색 조건 추가
+ if (keyword.match(/^\d+$/) || !isNaN(Number(keyword))) {
+ where.OR.push({
+ ID: { equals: Number(keyword) },
})
}
- if (offset) {
- // @ts-ignore
- const res = await prisma.SD_SERVEY_SALES_BASIC_INFO.findMany({
- where,
- orderBy: sort === 'created' ? { created_at: 'desc' } : { updated_at: 'desc' },
- skip: Number(offset),
- take: 10,
- })
- return NextResponse.json(res)
+ where.OR.push(
+ ...SEARCH_OPTIONS.map((field) => ({
+ [field]: { contains: keyword },
+ })),
+ )
+ } else if (SEARCH_OPTIONS.includes(searchOption.toUpperCase() as any)) {
+ // 특정 필드 검색
+ where[searchOption.toUpperCase()] = { contains: keyword }
+ } else if (searchOption === 'id') {
+ // ID 검색 (숫자 변환 필요)
+ const number = Number(keyword)
+ if (!isNaN(number)) {
+ where.ID = { equals: number }
} else {
- // @ts-ignore
- const count = await prisma.SD_SERVEY_SALES_BASIC_INFO.count({
- where,
+ // 유효하지 않은 ID 검색 시 빈 결과 반환
+ where.ID = { equals: null }
+ }
+ }
+
+ return where
+}
+
+/**
+ * 회원 역할별 검색 조건 생성 함수
+ * @param params 검색 파라미터
+ * @returns 검색 조건 객체
+ */
+const createMemberRoleCondition = (params: SearchParams): WhereCondition => {
+ const where: WhereCondition = { AND: [] }
+
+ switch (params.role) {
+ case 'Admin': // 1차점
+ // 같은 판매점에서 작성된 매물 + 2차점에서 제출받은 매물
+ where.OR = [
+ {
+ AND: [{ STORE: { equals: params.store } }],
+ },
+ {
+ AND: [{ STORE: { startsWith: params.store } }, { SUBMISSION_STATUS: { equals: true } }],
+ },
+ ]
+ break
+
+ case 'Admin_Sub': // 2차점
+ where.OR = [
+ {
+ AND: [
+ { STORE: { equals: params.store } },
+ {
+ OR: [
+ { CONSTRUCTION_POINT: { equals: null } },
+ { CONSTRUCTION_POINT: { equals: '' } }
+ ]
+ }
+ ]
+ },
+ {
+ AND: [
+ { STORE: { equals: params.store } },
+ { CONSTRUCTION_POINT: { not: null } },
+ { CONSTRUCTION_POINT: { not: '' } },
+ { SUBMISSION_STATUS: { equals: true } }
+ ]
+ }
+ ]
+ break
+
+ case 'Builder': // 2차점 시공권한
+ case 'Partner': // Partner
+ // 같은 시공ID에서 작성된 매물
+ where.AND?.push({
+ CONSTRUCTION_POINT: { equals: params.builderNo },
})
+ break
+
+ case 'T01':
+ case 'User':
+ // 모든 매물 조회 가능 (추가 조건 없음)
+ break
+ }
+
+ return where
+}
+
+/**
+ * GET 핸들러 - 설문 목록 조회
+ */
+export async function GET(request: Request) {
+ try {
+ // URL 파라미터 파싱
+ const { searchParams } = new URL(request.url)
+ const params: SearchParams = {
+ keyword: searchParams.get('keyword'),
+ searchOption: searchParams.get('searchOption'),
+ isMySurvey: searchParams.get('isMySurvey'),
+ sort: searchParams.get('sort'),
+ offset: searchParams.get('offset'),
+ role: searchParams.get('role'),
+ store: searchParams.get('store'),
+ builderNo: searchParams.get('builderNo'),
+ }
+
+ // 검색 조건 구성
+ const where: WhereCondition = {}
+
+ // 내가 작성한 매물 조건 적용
+ if (params.isMySurvey) {
+ where.REPRESENTATIVE = params.isMySurvey
+ }
+
+ // 키워드 검색 조건 적용
+ if (params.keyword && params.searchOption) {
+ Object.assign(where, createKeywordSearchCondition(params.keyword, params.searchOption))
+ }
+
+ // 회원 유형 조건 적용
+ Object.assign(where, createMemberRoleCondition(params))
+
+ // 데이터 조회 또는 카운트
+ if (params.offset) {
+ // 페이지네이션 데이터 조회
+ //@ts-ignore
+ const surveys = await prisma.SD_SURVEY_SALES_BASIC_INFO.findMany({
+ where,
+ orderBy: params.sort === 'created' ? { REG_DT: 'desc' } : { UPT_DT: 'desc' },
+ skip: Number(params.offset),
+ take: ITEMS_PER_PAGE,
+ })
+ return NextResponse.json(surveys)
+ } else {
+ // 전체 개수만 조회
+ //@ts-ignore
+ const count = await prisma.SD_SURVEY_SALES_BASIC_INFO.count({ where })
return NextResponse.json(count)
}
} catch (error) {
console.error(error)
- throw error
+ return NextResponse.json({ error: 'Fail Read Survey' }, { status: 500 })
}
}
+/**
+ * PUT 핸들러 - 상세 정보 추가
+ */
export async function PUT(request: Request) {
- const body = await request.json()
- const detailInfo = { ...body.detail_info, basic_info_id: body.id }
- // @ts-ignore
- const res = await prisma.SD_SERVEY_SALES_DETAIL_INFO.create({
- data: detailInfo,
- })
- return NextResponse.json({ message: 'Survey sales updated successfully' })
+ try {
+ const body = await request.json()
+
+ // 상세 정보 생성을 위한 데이터 구성
+ const detailInfo = {
+ ...body.detail_info,
+ BASIC_INFO_ID: body.id,
+ }
+
+ // 상세 정보 생성
+ //@ts-ignore
+ await prisma.SD_SURVEY_SALES_DETAIL_INFO.create({
+ data: detailInfo,
+ })
+
+ return NextResponse.json({
+ message: 'Success Update Survey',
+ })
+ } catch (error) {
+ console.error(error)
+ return NextResponse.json({ error: 'Fail Update Survey' }, { status: 500 })
+ }
+}
+
+export async function POST(request: Request) {
+ try {
+ const body = await request.json()
+ const { DETAIL_INFO, ...basicInfo } = body
+ // 기본 정보 생성
+ //@ts-ignore
+ const result = await prisma.SD_SURVEY_SALES_BASIC_INFO.create({
+ data: {
+ ...basicInfo,
+ DETAIL_INFO: {
+ create: DETAIL_INFO,
+ },
+ },
+ })
+ return NextResponse.json(result)
+ } catch (error) {
+ console.error(error)
+ return NextResponse.json({ error: 'Fail Create Survey' }, { status: 500 })
+ }
}
diff --git a/src/app/survey-sale/regist/page.tsx b/src/app/survey-sale/regist/page.tsx
new file mode 100644
index 0000000..5090aaa
--- /dev/null
+++ b/src/app/survey-sale/regist/page.tsx
@@ -0,0 +1,9 @@
+import RegistForm from '@/components/survey-sale/temp/registForm'
+
+export default function RegistPage() {
+ return (
+ <>
+
+ >
+ )
+}
diff --git a/src/components/popup/ZipCodePopup.tsx b/src/components/popup/ZipCodePopup.tsx
index 2fec15c..4923833 100644
--- a/src/components/popup/ZipCodePopup.tsx
+++ b/src/components/popup/ZipCodePopup.tsx
@@ -28,10 +28,11 @@ export default function ZipCodePopup() {
const popupController = usePopupController()
const handleApply = () => {
+ console.log(addressInfo?.[0])
setAddressData({
post_code: addressInfo?.[0]?.zipcode || '',
- address: addressInfo?.[0]?.prefcode || '',
- address_detail: addressInfo?.[0]?.address1 + ' ' + addressInfo?.[0]?.address2 + ' ' + addressInfo?.[0]?.address3 || '',
+ address: addressInfo?.[0]?.address1 || '',
+ address_detail: addressInfo?.[0]?.address2 + ' ' + addressInfo?.[0]?.address3 || '',
})
popupController.setZipCodePopup(false)
}
diff --git a/src/components/survey-sale/common/NavTab.tsx b/src/components/survey-sale/common/NavTab.tsx
index 4131804..ffa6ea7 100644
--- a/src/components/survey-sale/common/NavTab.tsx
+++ b/src/components/survey-sale/common/NavTab.tsx
@@ -15,7 +15,7 @@ export default function NavTab() {
const params = useParams()
const detailId = params.id
- const { basicInfoSelected, roofInfoSelected, reset } = useSurveySaleTabState()
+ const { basicInfoSelected, roofInfoSelected, reset, setBasicInfoSelected, setRoofInfoSelected } = useSurveySaleTabState()
useEffect(() => {
return () => {
@@ -27,26 +27,36 @@ export default function NavTab() {
return null
}
- const handleBasicInfoClick = () => {
- if (id) {
- router.push(`/survey-sale/basic-info?id=${id}`)
- return
+ const scrollSection = (section: string) => {
+ const sectionElement = document.getElementById(section)
+ if (sectionElement) {
+ sectionElement.scrollIntoView({ behavior: 'smooth' })
}
+ }
+
+ const handleBasicInfoClick = () => {
+ // if (id) {
+ // router.push(`/survey-sale/basic-info?id=${id}`)
+ // return
+ // }
if (detailId) {
router.push(`/survey-sale/${detailId}`)
return
}
+ scrollSection('basic-form-section')
+
+ setBasicInfoSelected()
}
const handleRoofInfoClick = () => {
- if (id) {
- if (isTemp === 'true') {
- alert('基本情報が一時保存された状態です。')
- return
- }
- router.push(`/survey-sale/roof-info?id=${id}`)
- return
- }
+ // if (id) {
+ // if (isTemp === 'true') {
+ // alert('基本情報が一時保存された状態です。')
+ // return
+ // }
+ // router.push(`/survey-sale/roof-info?id=${id}`)
+ // return
+ // }
if (detailId) {
router.push(`/survey-sale/${detailId}?tab=roof-info`)
return
@@ -55,6 +65,10 @@ export default function NavTab() {
alert('基本情報を先に保存してください。')
return null
}
+ // if (pathname === '/survey-sale/regist') {
+ scrollSection('roof-form-section')
+ // }
+ setRoofInfoSelected()
}
return (
diff --git a/src/components/survey-sale/detail/DataTable.tsx b/src/components/survey-sale/detail/DataTable.tsx
index 6446be7..e7ce554 100644
--- a/src/components/survey-sale/detail/DataTable.tsx
+++ b/src/components/survey-sale/detail/DataTable.tsx
@@ -2,10 +2,8 @@
import { useServey } from '@/hooks/useSurvey'
import { useParams, useSearchParams } from 'next/navigation'
-import { useEffect } from 'react'
-import { useState } from 'react'
+import { useEffect, useState } from 'react'
import DetailForm from './DetailForm'
-import { useSurveySaleTabState } from '@/store/surveySaleTabState'
import RoofDetailForm from './RoofDetailForm'
export default function DataTable() {
@@ -14,21 +12,21 @@ export default function DataTable() {
const searchParams = useSearchParams()
const tab = searchParams.get('tab')
+ const isTemp = searchParams.get('isTemporary')
const { surveyDetail, isLoadingSurveyDetail } = useServey(Number(id))
- const [isTemporary, setIsTemporary] = useState(true)
- const { setBasicInfoSelected, setRoofInfoSelected } = useSurveySaleTabState()
+ const [isTemporary, setIsTemporary] = useState(isTemp === 'true')
+
+ const { validateSurveyDetail } = useServey(Number(id))
useEffect(() => {
- if (surveyDetail?.representative && surveyDetail?.store && surveyDetail?.construction_point) {
- setIsTemporary(false)
+ if (surveyDetail?.DETAIL_INFO) {
+ const validate = validateSurveyDetail(surveyDetail.DETAIL_INFO)
+ if (validate.trim() !== '') {
+ setIsTemporary(false)
+ }
}
- if (tab === 'roof-info') {
- setRoofInfoSelected()
- } else {
- setBasicInfoSelected()
- }
- }, [surveyDetail, tab, setBasicInfoSelected, setRoofInfoSelected])
+ }, [surveyDetail])
if (isLoadingSurveyDetail) {
return
Loading...
@@ -50,25 +48,25 @@ export default function DataTable() {
| 提出可否 |
- {surveyDetail?.submission_status && surveyDetail?.submission_date ? (
+ {surveyDetail?.SUBMISSION_STATUS && surveyDetail?.SUBMISSION_DATE ? (
<>
{/* TODO: 제출한 판매점 ID 추가 필요 */}
- {new Date(surveyDetail.submission_date).toLocaleString()}
- 販売店 ID...
+ {new Date(surveyDetail.SUBMISSION_DATE).toLocaleString()}
+ {surveyDetail.STORE}
>
) : (
'-'
diff --git a/src/components/survey-sale/detail/DetailButton.tsx b/src/components/survey-sale/detail/DetailButton.tsx
index a2fc44f..3a871bf 100644
--- a/src/components/survey-sale/detail/DetailButton.tsx
+++ b/src/components/survey-sale/detail/DetailButton.tsx
@@ -1,86 +1,119 @@
'use client'
-import { useRouter } from 'next/navigation'
+import { useRouter, useSearchParams } from 'next/navigation'
import { useServey } from '@/hooks/useSurvey'
import { useSessionStore } from '@/store/session'
-import { useEffect, useState } from 'react'
+import { SurveyBasicInfo } from '@/types/Survey'
+import { useState } from 'react'
-export default function DetailButton({ isTemporary, surveyId, representative }: { isTemporary: boolean; surveyId: number; representative: string }) {
+export default function DetailButton({ surveyDetail }: { surveyDetail: SurveyBasicInfo | null }) {
const router = useRouter()
const { session } = useSessionStore()
- const { submitSurvey, deleteSurvey } = useServey(surveyId)
- const [userNm, setUserNm] = useState('')
+ const { submitSurvey, deleteSurvey } = useServey(surveyDetail?.ID ?? 0)
- useEffect(() => {
- if (session?.isLoggedIn) {
- setUserNm(session?.userNm ?? '')
+ const searchParams = useSearchParams()
+ const isTemp = searchParams.get('isTemporary')
+ const [isTemporary, setIsTemporary] = useState(isTemp === 'true')
+
+ const checkRole = () => {
+ switch (session?.role) {
+ case 'T01':
+ return session?.userNm === surveyDetail?.REPRESENTATIVE ? true : false
+ case 'Admin':
+ return session?.storeNm === surveyDetail?.STORE ? true : false
+ case 'Admin_Sub':
+ return session?.storeNm === surveyDetail?.STORE ? true : false
+ case 'Builder':
+ return session?.builderNo === surveyDetail?.CONSTRUCTION_POINT ? true : false
+ case 'Partner':
+ return session?.builderNo === surveyDetail?.CONSTRUCTION_POINT ? true : false
+ default:
+ return ''
}
- }, [session, setUserNm])
+ }
const handleSubmit = async () => {
- if (isTemporary) {
- alert('一時保存されたデータは提出できません。')
- return
- }
- if (userNm === representative) {
- if (confirm('提出しますか??')) {
- if (surveyId) {
- // TODO: 제출 페이지 추가
- alert('SUBMIT POPUP!!!!!!!!!!!')
- await submitSurvey()
- }
+ const result = checkRole()
+ if (result) {
+ if (isTemporary) {
+ alert('一時保存されたデータは提出できません。')
+ return
}
- } else {
- alert('担当者のみ提出可能です。')
+ window.neoConfirm(
+ '提出しますか??',
+ async () => {
+ if (surveyDetail?.ID) {
+ // TODO: 제출 페이지 추가
+ alert('SUBMIT POPUP!!!!!!!!!!!')
+ await submitSurvey()
+ }
+ },
+ () => null,
+ )
}
}
const handleUpdate = () => {
- if (userNm === representative) {
- router.push(`/survey-sale/basic-info?id=${surveyId}&isTemp=${isTemporary}`)
+ const result = checkRole()
+ if (result) {
+ // router.push(`/survey-sale/basic-info?id=${surveyDetail?.ID}&isTemp=${isTemporary}`)
+ router.push(`/survey-sale/regist?id=${surveyDetail?.ID}`)
} else {
alert('担当者のみ修正可能です。')
}
}
const handleDelete = async () => {
- if (confirm('削除しますか?')) {
- if (surveyId) {
- if (userNm === representative) {
- await deleteSurvey()
- router.push('/survey-sale')
- } else {
- alert('担当者のみ削除可能です。')
+ window.neoConfirm(
+ '削除しますか?',
+ async () => {
+ if (surveyDetail?.ID) {
+ if (session.userNm === surveyDetail?.REPRESENTATIVE) {
+ await deleteSurvey()
+ alert('削除されました。')
+ router.push('/survey-sale')
+ } else {
+ alert('担当者のみ削除可能です。')
+ }
}
- }
- }
+ },
+ () => null,
+ )
}
+ const isSubmitter = session?.storeNm === surveyDetail?.STORE && session?.builderNo === surveyDetail?.CONSTRUCTION_POINT
+
return (
- {isTemporary ? (
+
+
+
+ {isSubmitter && surveyDetail?.SUBMISSION_STATUS ? (
<>>
) : (
<>
+ {isTemporary || surveyDetail?.SUBMISSION_STATUS ? (
+ <>>
+ ) : (
+ <>
+
+
+
+ >
+ )}
-
-
- 提出
+
+ 削除
>
)}
-
-
- 修正
-
-
-
-
- 削除
-
-
)
}
diff --git a/src/components/survey-sale/detail/DetailForm.tsx b/src/components/survey-sale/detail/DetailForm.tsx
index 31c33bb..73ce5c7 100644
--- a/src/components/survey-sale/detail/DetailForm.tsx
+++ b/src/components/survey-sale/detail/DetailForm.tsx
@@ -1,6 +1,5 @@
'use client'
-import { useEffect, useState } from 'react'
import DetailButton from './DetailButton'
import { SurveyBasicInfo } from '@/types/Survey'
@@ -11,14 +10,6 @@ export default function DetailForm({
surveyDetail: SurveyBasicInfo | null
isLoadingSurveyDetail: boolean
}) {
- const [isTemporary, setIsTemporary] = useState(true)
-
- useEffect(() => {
- if (surveyDetail?.representative && surveyDetail?.store && surveyDetail?.construction_point) {
- setIsTemporary(false)
- }
- }, [surveyDetail])
-
if (isLoadingSurveyDetail) {
return Loading...
}
@@ -28,15 +19,15 @@ export default function DetailForm({
@@ -45,18 +36,18 @@ export default function DetailForm({
-
+
>
)
diff --git a/src/components/survey-sale/detail/RoofDetailForm.tsx b/src/components/survey-sale/detail/RoofDetailForm.tsx
index 0291f9c..a9a4031 100644
--- a/src/components/survey-sale/detail/RoofDetailForm.tsx
+++ b/src/components/survey-sale/detail/RoofDetailForm.tsx
@@ -1,8 +1,8 @@
import { SurveyBasicInfo, SurveyDetailInfo } from '@/types/Survey'
import DetailButton from './DetailButton'
-import { roof_material, supplementary_facilities } from './form/MultiCheckEtc'
-import { selectBoxOptions } from './form/SelectBoxEtc'
-import { radioEtcData } from './form/RadioEtc'
+import { roof_material, supplementary_facilities } from './form/etcProcess/MultiCheckEtc'
+import { selectBoxOptions } from './form/etcProcess/SelectBoxEtc'
+import { radioEtcData } from './form/etcProcess/RadioEtc'
export default function RoofDetailForm({
surveyDetail,
@@ -30,12 +30,12 @@ export default function RoofDetailForm({
{/* 전기 소매 회사 */}
{/* 전기 부대 설비 */}
@@ -46,7 +46,7 @@ export default function RoofDetailForm({
@@ -56,7 +56,7 @@ export default function RoofDetailForm({
@@ -68,19 +68,19 @@ export default function RoofDetailForm({
className="input-frame"
placeholder="-"
readOnly
- value={surveyDetail?.detail_info?.supplementary_facilities_etc ?? ''}
+ value={surveyDetail?.DETAIL_INFO?.SUPPLEMENTARY_FACILITIES_ETC ?? ''}
/>
{/* 설치 희망 시스템 */}
{/* 건축 연수 */}
{/* 지붕재 */}
@@ -91,63 +91,63 @@ export default function RoofDetailForm({
))}
-
+
-
+
{/* 지붕 모양 */}
{/* 지붕 경사도 */}
{/* 주택 구조 */}
{/* 서까래 재질 */}
{/* 서까래 크기 */}
{/* 서까래 피치 */}
{/* 서까래 방향 */}
{/* 노지판 종류 */}
{/* 노지판 두께 */}
@@ -158,7 +158,7 @@ export default function RoofDetailForm({
type="text"
placeholder="-"
readOnly
- value={surveyDetail?.detail_info?.open_field_plate_thickness ?? ''}
+ value={surveyDetail?.DETAIL_INFO?.OPEN_FIELD_PLATE_THICKNESS ?? ''}
/>
mm
@@ -166,37 +166,40 @@ export default function RoofDetailForm({
{/* 누수 흔적 */}
{/* 방수재 종류 */}
{/* 단열재 유무 */}
{/* 구조 순서 */}
{/* 설치 가능 여부 */}
{/* 메모 */}
-
+
>
)
@@ -204,16 +207,14 @@ export default function RoofDetailForm({
const SelectedBox = ({ column, detailInfoData }: { column: string; detailInfoData: SurveyDetailInfo | null }) => {
const selectedId = detailInfoData?.[column as keyof SurveyDetailInfo]
- const etcValue = detailInfoData?.[`${column}_etc` as keyof SurveyDetailInfo]
+ const etcValue = detailInfoData?.[`${column}_ETC` as keyof SurveyDetailInfo]
return (
<>
{etcValue && }
>
@@ -222,28 +223,30 @@ const SelectedBox = ({ column, detailInfoData }: { column: string; detailInfoDat
const RadioSelected = ({ column, detailInfoData }: { column: string; detailInfoData: SurveyDetailInfo | null }) => {
let selectedId = detailInfoData?.[column as keyof SurveyDetailInfo]
- if (column === 'leak_trace') {
+ if (column === 'LEAK_TRACE') {
selectedId = Number(selectedId)
+ if (!selectedId) selectedId = 2
}
-
+
let etcValue = null
- if (column !== 'rafter_direction') {
- etcValue = detailInfoData?.[`${column}_etc` as keyof SurveyDetailInfo]
+ if (column !== 'RAFTER_DIRECTION') {
+ etcValue = detailInfoData?.[`${column}_ETC` as keyof SurveyDetailInfo]
}
const etcChecked = etcValue !== null && etcValue !== undefined && etcValue !== ''
+ console.log('column: selectedId', column, selectedId)
return (
<>
{radioEtcData[column as keyof typeof radioEtcData].map((item) => (
-
+
))}
- {column !== 'rafter_direction' && column !== 'leak_trace' && column !== 'insulation_presence' && (
+ {column !== 'RAFTER_DIRECTION' && column !== 'LEAK_TRACE' && column !== 'INSULATION_PRESENCE' && (
-
-
+
+
)}
{etcChecked && (
diff --git a/src/components/survey-sale/detail/form/BasicForm.tsx b/src/components/survey-sale/detail/form/BasicForm.tsx
index 2386e20..1f55838 100644
--- a/src/components/survey-sale/detail/form/BasicForm.tsx
+++ b/src/components/survey-sale/detail/form/BasicForm.tsx
@@ -8,23 +8,23 @@ import { useSurveySaleTabState } from '@/store/surveySaleTabState'
import { usePopupController } from '@/store/popupController'
import { useAddressStore } from '@/store/addressStore'
import { useSessionStore } from '@/store/session'
-import { useUserType } from '@/hooks/useUserType'
+// import { useUserType } from '@/hooks/useUserType'
const defaultBasicInfoForm: SurveyBasicRequest = {
- representative: '',
- store: null,
- construction_point: null,
- investigation_date: new Date().toLocaleDateString('en-CA'),
- building_name: null,
- customer_name: null,
- post_code: null,
- address: null,
- address_detail: null,
- submission_status: false,
- submission_date: null,
+ REPRESENTATIVE: '',
+ STORE: null,
+ CONSTRUCTION_POINT: null,
+ INVESTIGATION_DATE: new Date().toLocaleDateString('en-CA'),
+ BUILDING_NAME: null,
+ CUSTOMER_NAME: null,
+ POST_CODE: null,
+ ADDRESS: null,
+ ADDRESS_DETAIL: null,
+ SUBMISSION_STATUS: false,
+ SUBMISSION_DATE: null,
}
-const REQUIRED_FIELDS: (keyof SurveyBasicRequest)[] = ['representative', 'building_name', 'customer_name']
+const REQUIRED_FIELDS: (keyof SurveyBasicRequest)[] = ['REPRESENTATIVE', 'BUILDING_NAME', 'CUSTOMER_NAME']
export default function BasicForm() {
const searchParams = useSearchParams()
@@ -37,32 +37,33 @@ export default function BasicForm() {
const [basicInfoData, setBasicInfoData] = useState(defaultBasicInfoForm)
const { addressData } = useAddressStore()
- const { userType, store, construction_point } = useUserType()
const { session } = useSessionStore()
const popupController = usePopupController()
useEffect(() => {
if (surveyDetail) {
- const { id, updated_at, created_at, detail_info, ...rest } = surveyDetail
+ const { ID, UPT_DT, REG_DT, DETAIL_INFO, ...rest } = surveyDetail
setBasicInfoData(rest)
}
if (addressData) {
setBasicInfoData({
...basicInfoData,
- post_code: addressData.post_code,
- address: addressData.address,
- address_detail: addressData.address_detail,
+ POST_CODE: addressData.post_code,
+ ADDRESS: addressData.address,
+ ADDRESS_DETAIL: addressData.address_detail,
})
}
if (session?.isLoggedIn) {
setBasicInfoData((prev) => ({
...prev,
- representative: session?.userNm ?? '',
+ REPRESENTATIVE: session?.userId ?? '',
+ STORE: session?.storeNm ?? '',
+ CONSTRUCTION_POINT: session?.builderNo ?? '',
}))
}
setBasicInfoSelected()
- }, [surveyDetail, addressData, session?.isLoggedIn, session?.userNm])
+ }, [surveyDetail, addressData, session?.isLoggedIn, session?.userId, session?.storeNm, session?.builderNo])
const focusInput = (input: keyof SurveyBasicRequest) => {
const inputElement = document.getElementById(input)
@@ -86,19 +87,19 @@ export default function BasicForm() {
const handleSave = async (isTemporary: boolean) => {
if (id) {
- updateSurvey(basicInfoData)
+ // updateSurvey(basicInfoData)
alert('保存しました。')
- router.push(`/survey-sale/${id}?tab=basic-info`)
+ // router.push(`/survey-sale/${id}?tab=basic-info`)
}
if (isTemporary) {
- const saveId = await createSurvey(basicInfoData)
+ // const saveId = await createSurvey(basicInfoData)
alert('一時保存されました。')
- router.push(`/survey-sale/${saveId}?tab=basic-info`)
+ // router.push(`/survey-sale/${saveId}?tab=basic-info`)
} else {
if (validateSurvey(basicInfoData)) {
- const saveId = await createSurvey(basicInfoData)
- alert('保存しました。 登録番号: ' + saveId)
- router.push(`/survey-sale/${saveId}?tab=basic-info`)
+ // const saveId = await createSurvey(basicInfoData)
+ alert('保存しました。')
+ // router.push(`/survey-sale/${saveId}?tab=basic-info`)
}
}
}
@@ -117,11 +118,11 @@ export default function BasicForm() {
type="text"
className="input-frame"
id="representative"
- value={session?.userNm ? session?.userNm : basicInfoData.representative}
- onChange={(e) => handleChange('representative', e.target.value)}
+ value={session?.userId ? session?.userId : basicInfoData.REPRESENTATIVE}
+ onChange={(e) => handleChange('REPRESENTATIVE', e.target.value)}
/>
- {(userType === 'order' || userType?.includes('musubi')) && (
+ {(session?.role === 'Builder' || session?.role?.includes('Admin')) && (
<>
販売店
@@ -129,21 +130,21 @@ export default function BasicForm() {
type="text"
className="input-frame"
id="store"
- value={store ? store : basicInfoData.store ?? ''}
- onChange={(e) => handleChange('store', e.target.value)}
+ value={session?.storeNm ? session?.storeNm : basicInfoData.STORE ?? ''}
+ onChange={(e) => handleChange('STORE', e.target.value)}
/>
>
)}
- {(userType === 'partner' || userType === 'musubi_con') && (
+ {(session?.role === 'Partner' || session?.role === 'Builder') && (
)}
@@ -161,9 +162,9 @@ export default function BasicForm() {
handleChange('investigation_date', e.target.value)}
+ id="INVESTIGATION_DATE"
+ value={basicInfoData.INVESTIGATION_DATE ?? ''}
+ onChange={(e) => handleChange('INVESTIGATION_DATE', e.target.value)}
/>
@@ -172,9 +173,9 @@ export default function BasicForm() {
handleChange('building_name', e.target.value)}
+ id="BUILDING_NAME"
+ value={basicInfoData.BUILDING_NAME ?? ''}
+ onChange={(e) => handleChange('BUILDING_NAME', e.target.value)}
/>
@@ -182,27 +183,25 @@ export default function BasicForm() {
handleChange('customer_name', e.target.value)}
+ id="CUSTOMER_NAME"
+ value={basicInfoData.CUSTOMER_NAME ?? ''}
+ onChange={(e) => handleChange('CUSTOMER_NAME', e.target.value)}
/>
diff --git a/src/components/survey-sale/detail/form/RoofInfoForm.tsx b/src/components/survey-sale/detail/form/RoofInfoForm.tsx
index 173c18a..2a465d4 100644
--- a/src/components/survey-sale/detail/form/RoofInfoForm.tsx
+++ b/src/components/survey-sale/detail/form/RoofInfoForm.tsx
@@ -6,46 +6,46 @@ import { useServey } from '@/hooks/useSurvey'
import { SurveyDetailRequest } from '@/types/Survey'
import { useRouter, useSearchParams } from 'next/navigation'
import { useEffect, useState } from 'react'
-import MultiCheckEtc from './MultiCheckEtc'
-import SelectBoxEtc from './SelectBoxEtc'
-import RadioEtc from './RadioEtc'
+import MultiCheckEtc from './etcProcess/MultiCheckEtc'
+import SelectBoxEtc from './etcProcess/SelectBoxEtc'
+import RadioEtc from './etcProcess/RadioEtc'
const defaultDetailInfoForm: SurveyDetailRequest = {
- contract_capacity: null,
- retail_company: null,
- supplementary_facilities: null,
- supplementary_facilities_etc: null,
- installation_system: null,
- installation_system_etc: null,
- construction_year: null,
- construction_year_etc: null,
- roof_material: null,
- roof_material_etc: null,
- roof_shape: null,
- roof_shape_etc: null,
- roof_slope: null,
- house_structure: 1,
- house_structure_etc: null,
- rafter_material: 1,
- rafter_material_etc: null,
- rafter_size: null,
- rafter_size_etc: null,
- rafter_pitch: null,
- rafter_pitch_etc: null,
- rafter_direction: 1,
- open_field_plate_kind: null,
- open_field_plate_kind_etc: null,
- open_field_plate_thickness: null,
- leak_trace: false,
- waterproof_material: null,
- waterproof_material_etc: null,
- insulation_presence: 1,
- insulation_presence_etc: null,
- structure_order: null,
- structure_order_etc: null,
- installation_availability: null,
- installation_availability_etc: null,
- memo: null,
+ CONTRACT_CAPACITY: null,
+ RETAIL_COMPANY: null,
+ SUPPLEMENTARY_FACILITIES: null,
+ SUPPLEMENTARY_FACILITIES_ETC: null,
+ INSTALLATION_SYSTEM: null,
+ INSTALLATION_SYSTEM_ETC: null,
+ CONSTRUCTION_YEAR: null,
+ CONSTRUCTION_YEAR_ETC: null,
+ ROOF_MATERIAL: null,
+ ROOF_MATERIAL_ETC: null,
+ ROOF_SHAPE: null,
+ ROOF_SHAPE_ETC: null,
+ ROOF_SLOPE: null,
+ HOUSE_STRUCTURE: '1',
+ HOUSE_STRUCTURE_ETC: null,
+ RAFTER_MATERIAL: '1',
+ RAFTER_MATERIAL_ETC: null,
+ RAFTER_SIZE: null,
+ RAFTER_SIZE_ETC: null,
+ RAFTER_PITCH: null,
+ RAFTER_PITCH_ETC: null,
+ RAFTER_DIRECTION: '1',
+ OPEN_FIELD_PLATE_KIND: null,
+ OPEN_FIELD_PLATE_KIND_ETC: null,
+ OPEN_FIELD_PLATE_THICKNESS: null,
+ LEAK_TRACE: false,
+ WATERPROOF_MATERIAL: null,
+ WATERPROOF_MATERIAL_ETC: null,
+ INSULATION_PRESENCE: '1',
+ INSULATION_PRESENCE_ETC: null,
+ STRUCTURE_ORDER: null,
+ STRUCTURE_ORDER_ETC: null,
+ INSTALLATION_AVAILABILITY: null,
+ INSTALLATION_AVAILABILITY_ETC: null,
+ MEMO: null,
}
export default function RoofInfoForm() {
@@ -64,14 +64,14 @@ export default function RoofInfoForm() {
const [detailInfoData, setDetailInfoData] = useState(defaultDetailInfoForm)
useEffect(() => {
- if (surveyDetail?.detail_info) {
- const { id, updated_at, created_at, basic_info_id, ...rest } = surveyDetail.detail_info
+ if (surveyDetail?.DETAIL_INFO) {
+ const { ID, UPT_DT, REG_DT, BASIC_INFO_ID, ...rest } = surveyDetail.DETAIL_INFO
setDetailInfoData(rest)
}
}, [surveyDetail])
const handleNumberInput = (key: keyof SurveyDetailRequest, value: number | string) => {
- if (key === 'roof_slope' || key === 'open_field_plate_thickness') {
+ if (key === 'ROOF_SLOPE' || key === 'OPEN_FIELD_PLATE_THICKNESS') {
const stringValue = value.toString()
if (stringValue.length > 5) {
alert('保存できるサイズを超えました。')
@@ -86,7 +86,7 @@ export default function RoofInfoForm() {
}
setDetailInfoData({ ...detailInfoData, [key]: value.toString() })
} else {
- setDetailInfoData({ ...detailInfoData, [key]: value })
+ setDetailInfoData({ ...detailInfoData, [key]: value.toString() })
}
}
@@ -99,19 +99,20 @@ export default function RoofInfoForm() {
}
const handleUnitInput = (value: string) => {
- const numericValue = detailInfoData.contract_capacity?.replace(/[^0-9.]/g, '') || ''
+ const numericValue = detailInfoData.CONTRACT_CAPACITY?.replace(/[^0-9.]/g, '') || ''
setDetailInfoData({
...detailInfoData,
- contract_capacity: numericValue ? `${numericValue} ${value}` : value,
+ CONTRACT_CAPACITY: numericValue ? `${numericValue} ${value}` : value,
})
}
const handleSave = async () => {
+ console.log(detailInfoData)
if (id) {
const emptyField = validateSurveyDetail(detailInfoData)
if (emptyField.trim() === '') {
const updatedBasicInfoData = {
- detail_info: detailInfoData,
+ DETAIL_INFO: detailInfoData,
}
try {
createSurveyDetail({
@@ -151,17 +152,17 @@ export default function RoofInfoForm() {
type="number"
inputMode="decimal"
className="input-frame"
- value={detailInfoData.contract_capacity?.split(' ')[0] ?? ''}
- onChange={(e) => handleNumberInput('contract_capacity', e.target.value)}
+ value={detailInfoData.CONTRACT_CAPACITY?.split(' ')[0] ?? ''}
+ onChange={(e) => handleNumberInput('CONTRACT_CAPACITY', e.target.value)}
/>
{/* 전기 부대 설비 - supplementary_facilities */}
-
+
{/* 설치 희망 시스템 - installation_system */}
-
+
@@ -194,13 +195,13 @@ export default function RoofInfoForm() {
屋根関係
{/* 건축 연수 - construction_year */}
-
+
{/* 지붕재 - roof_material */}
-
+
{/* 지붕 모양 - roof_shape */}
-
+
{/* 지붕 경사도 - roof_slope */}
屋根の斜面
@@ -210,20 +211,20 @@ export default function RoofInfoForm() {
step={0.1}
inputMode="decimal"
className="input-frame"
- value={detailInfoData.roof_slope ?? ''}
- onChange={(e) => handleNumberInput('roof_slope', e.target.value)}
+ value={detailInfoData.ROOF_SLOPE ?? ''}
+ onChange={(e) => handleNumberInput('ROOF_SLOPE', e.target.value)}
/>
寸
{/* 주택 구조 - house_structure */}
-
+
{/* 서까래 재질 - rafter_material */}
-
+
{/* 서까래 크기 - rafter_size */}
-
+
{/* 서까래 피치 - rafter_pitch */}
-
+
{/* 서까래 방향 - rafter_direction */}
{/* 노지판 종류 - open_field_plate_kind */}
-
+
{/* 노지판 두께 - open_field_plate_thickness */}
@@ -265,8 +266,8 @@ export default function RoofInfoForm() {
step={0.1}
inputMode="decimal"
className="input-frame"
- value={detailInfoData.open_field_plate_thickness ?? ''}
- onChange={(e) => handleNumberInput('open_field_plate_thickness', e.target.value)}
+ value={detailInfoData.OPEN_FIELD_PLATE_THICKNESS ?? ''}
+ onChange={(e) => handleNumberInput('OPEN_FIELD_PLATE_THICKNESS', e.target.value)}
/>
mm
@@ -278,33 +279,33 @@ export default function RoofInfoForm() {
handleBooleanInput('leak_trace', true)}
+ name="LEAK_TRACE"
+ id="LEAK_TRACE_1"
+ checked={detailInfoData.LEAK_TRACE === true}
+ onChange={(e) => handleBooleanInput('LEAK_TRACE', true)}
/>
-
+
handleBooleanInput('leak_trace', false)}
+ name="LEAK_TRACE"
+ id="LEAK_TRACE_2"
+ checked={detailInfoData.LEAK_TRACE === false}
+ onChange={(e) => handleBooleanInput('LEAK_TRACE', false)}
/>
-
+
{/* 방수재 종류 - waterproof_material */}
-
+
{/* 단열재 유무 - insulation_presence */}
-
+
{/* 노지판 종류 - open_field_plate_kind */}
-
+
{/* 설치 가능 여부 - installation_availability */}
-
+
{/* 메모 - memo */}
メモ
@@ -320,10 +321,10 @@ export default function RoofInfoForm() {
diff --git a/src/components/survey-sale/detail/form/MultiCheckEtc.tsx b/src/components/survey-sale/detail/form/etcProcess/MultiCheckEtc.tsx
similarity index 86%
rename from src/components/survey-sale/detail/form/MultiCheckEtc.tsx
rename to src/components/survey-sale/detail/form/etcProcess/MultiCheckEtc.tsx
index 637d202..30a1ca7 100644
--- a/src/components/survey-sale/detail/form/MultiCheckEtc.tsx
+++ b/src/components/survey-sale/detail/form/etcProcess/MultiCheckEtc.tsx
@@ -24,7 +24,7 @@ export default function MultiCheckbox({
setDetailInfoData: (data: any) => void
detailInfoData: SurveyDetailRequest
}) {
- const selectList = column === 'supplementary_facilities' ? supplementary_facilities : roof_material
+ const selectList = column === 'SUPPLEMENTARY_FACILITIES' ? supplementary_facilities : roof_material
const [isOtherChecked, setIsOtherChecked] = useState(false)
const [otherValue, setOtherValue] = useState('')
@@ -37,9 +37,9 @@ export default function MultiCheckbox({
}
useEffect(() => {
- if (detailInfoData[`${column}_etc` as keyof SurveyDetailRequest]) {
+ if (detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest]) {
setIsOtherChecked(true)
- setOtherValue(detailInfoData[`${column}_etc` as keyof SurveyDetailRequest] as string)
+ setOtherValue(detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest] as string)
}
}, [detailInfoData])
@@ -52,7 +52,7 @@ export default function MultiCheckbox({
newValue = value.filter((v) => v !== String(dataIndex))
} else {
// 체크
- if (column === 'roof_material') {
+ if (column === 'ROOF_MATERIAL') {
// 기타가 체크되어 있는지 확인
const isOtherSelected = isOtherChecked
// 현재 선택된 항목 수 + 기타 선택 여부
@@ -73,27 +73,23 @@ export default function MultiCheckbox({
}
const handleOtherCheckbox = () => {
- if (column === 'roof_material') {
+ if (column === 'ROOF_MATERIAL') {
const value = makeNumArr(String(detailInfoData[column as keyof SurveyDetailRequest] ?? ''))
- // 현재 선택된 항목 수
const currentSelected = value.length
-
if (!isOtherChecked && currentSelected >= 2) {
alert('Up to two roofing materials can be selected.')
return
}
}
- setIsOtherChecked(!isOtherChecked)
- if (!isOtherChecked) {
- setOtherValue('')
- setDetailInfoData({
- ...detailInfoData,
- [`${column}_etc`]: null,
- })
- } else {
- setOtherValue('')
- }
+ const newIsOtherChecked = !isOtherChecked
+ setIsOtherChecked(newIsOtherChecked)
+ setOtherValue('')
+
+ setDetailInfoData({
+ ...detailInfoData,
+ [`${column}_ETC`]: newIsOtherChecked ? '' : null,
+ })
}
const handleOtherInputChange = (e: React.ChangeEvent ) => {
@@ -101,13 +97,13 @@ export default function MultiCheckbox({
setOtherValue(value)
setDetailInfoData({
...detailInfoData,
- [`${column}_etc`]: value,
+ [`${column}_ETC`]: value,
})
}
return (
<>
- {column === 'supplementary_facilities' ? (
+ {column === 'SUPPLEMENTARY_FACILITIES' ? (
<>
電気袋設備※複数選択可能
diff --git a/src/components/survey-sale/detail/form/RadioEtc.tsx b/src/components/survey-sale/detail/form/etcProcess/RadioEtc.tsx
similarity index 53%
rename from src/components/survey-sale/detail/form/RadioEtc.tsx
rename to src/components/survey-sale/detail/form/etcProcess/RadioEtc.tsx
index ea9eabc..29f3325 100644
--- a/src/components/survey-sale/detail/form/RadioEtc.tsx
+++ b/src/components/survey-sale/detail/form/etcProcess/RadioEtc.tsx
@@ -2,25 +2,25 @@
import { useEffect, useState } from 'react'
import { SurveyDetailRequest } from '@/types/Survey'
-type RadioEtcKeys = 'house_structure' | 'rafter_material' | 'waterproof_material' | 'insulation_presence' | 'rafter_direction' | 'leak_trace'
+type RadioEtcKeys = 'HOUSE_STRUCTURE' | 'RAFTER_MATERIAL' | 'WATERPROOF_MATERIAL' | 'INSULATION_PRESENCE' | 'RAFTER_DIRECTION' | 'LEAK_TRACE'
const translateJapanese: Record = {
- house_structure: '住宅構造',
- rafter_material: '垂木材質',
- waterproof_material: '防水材の種類',
- insulation_presence: '断熱材の有無',
- rafter_direction: '垂木の方向',
- leak_trace: '水漏れの痕跡',
+ HOUSE_STRUCTURE: '住宅構造',
+ RAFTER_MATERIAL: '垂木材質',
+ WATERPROOF_MATERIAL: '防水材の種類',
+ INSULATION_PRESENCE: '断熱材の有無',
+ RAFTER_DIRECTION: '垂木の方向',
+ LEAK_TRACE: '水漏れの痕跡',
}
export const radioEtcData: Record = {
- house_structure: [
+ HOUSE_STRUCTURE: [
{
id: 1,
label: '木製',
},
],
- rafter_material: [
+ RAFTER_MATERIAL: [
{
id: 1,
label: '木製',
@@ -30,13 +30,13 @@ export const radioEtcData: Record
label: '強制',
},
],
- waterproof_material: [
+ WATERPROOF_MATERIAL: [
{
id: 1,
label: 'アスファルト屋根940(22kg以上)',
},
],
- insulation_presence: [
+ INSULATION_PRESENCE: [
{
id: 1,
label: 'なし',
@@ -46,7 +46,7 @@ export const radioEtcData: Record
label: 'あり',
},
],
- rafter_direction: [
+ RAFTER_DIRECTION: [
{
id: 1,
label: '垂直垂木',
@@ -56,7 +56,7 @@ export const radioEtcData: Record
label: '水平垂木',
},
],
- leak_trace: [
+ LEAK_TRACE: [
{
id: 1,
label: 'あり',
@@ -81,35 +81,53 @@ export default function RadioEtc({
const [etcValue, setEtcValue] = useState('')
useEffect(() => {
- if (detailInfoData[`${column}_etc` as keyof SurveyDetailRequest]) {
+ if (detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest]) {
setIsEtcSelected(true)
- setEtcValue(detailInfoData[`${column}_etc` as keyof SurveyDetailRequest] as string)
+ setEtcValue(detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest] as string)
}
}, [detailInfoData])
const handleRadioChange = (e: React.ChangeEvent) => {
+ // const value = e.target.value
+ // if (column === 'INSULATION_PRESENCE') {
+ // setIsEtcSelected(value === '2')
+ // setDetailInfoData({
+ // ...detailInfoData,
+ // [column]: value,
+ // })
+ // } else if (value === 'etc') {
+ // setIsEtcSelected(true)
+ // setDetailInfoData({
+ // ...detailInfoData,
+ // [column]: null,
+ // })
+ // } else {
+ // setIsEtcSelected(false)
+ // setEtcValue('')
+ // setDetailInfoData({
+ // ...detailInfoData,
+ // [column]: value,
+ // [`${column}_ETC`]: null,
+ // })
+ // }
const value = e.target.value
- if (column === 'insulation_presence') {
- setIsEtcSelected(value === '2')
- setDetailInfoData({
- ...detailInfoData,
- [column]: Number(value),
- })
- } else if (value === 'etc') {
- setIsEtcSelected(true)
- setDetailInfoData({
- ...detailInfoData,
- [column]: null,
- })
- } else {
- setIsEtcSelected(false)
- setEtcValue('')
- setDetailInfoData({
- ...detailInfoData,
- [column]: Number(value),
- [`${column}_etc`]: null,
- })
+ const isSpecialCase = column === 'INSULATION_PRESENCE'
+ const isEtc = value === 'etc'
+ const isSpecialEtc = isSpecialCase && value === '2'
+
+ const updatedData: typeof detailInfoData = {
+ ...detailInfoData,
+ [column]: isEtc ? null : value,
+ [`${column}_ETC`]: isEtc ? '' : null,
}
+
+ if (isSpecialEtc) {
+ updatedData[column] = value
+ }
+
+ setIsEtcSelected(isEtc || isSpecialEtc)
+ if (!isEtc) setEtcValue('')
+ setDetailInfoData(updatedData)
}
const handleEtcInputChange = (e: React.ChangeEvent) => {
@@ -117,7 +135,7 @@ export default function RadioEtc({
setEtcValue(value)
setDetailInfoData({
...detailInfoData,
- [`${column}_etc`]: value,
+ [`${column}_ETC`]: value,
})
}
@@ -130,24 +148,24 @@ export default function RadioEtc({
type="radio"
name={column}
id={`${column}_${item.id}`}
- value={item.id}
+ value={item.id.toString()}
onChange={handleRadioChange}
- checked={detailInfoData[column] === item.id}
+ checked={detailInfoData[column] === item.id.toString()}
/>
))}
- {column !== 'insulation_presence' && (
+ {column !== 'INSULATION_PRESENCE' && (
-
-
+
+
)}
diff --git a/src/components/survey-sale/detail/form/SelectBoxEtc.tsx b/src/components/survey-sale/detail/form/etcProcess/SelectBoxEtc.tsx
similarity index 60%
rename from src/components/survey-sale/detail/form/SelectBoxEtc.tsx
rename to src/components/survey-sale/detail/form/etcProcess/SelectBoxEtc.tsx
index d1f1950..9469a40 100644
--- a/src/components/survey-sale/detail/form/SelectBoxEtc.tsx
+++ b/src/components/survey-sale/detail/form/etcProcess/SelectBoxEtc.tsx
@@ -2,39 +2,39 @@ import type { SurveyDetailRequest } from '@/types/Survey'
import { useEffect, useState } from 'react'
export type SelectBoxKeys =
- | 'installation_system'
- | 'construction_year'
- | 'roof_shape'
- | 'rafter_pitch'
- | 'rafter_size'
- | 'open_field_plate_kind'
- | 'structure_order'
- | 'installation_availability'
+ | 'INSTALLATION_SYSTEM'
+ | 'CONSTRUCTION_YEAR'
+ | 'ROOF_SHAPE'
+ | 'RAFTER_PITCH'
+ | 'RAFTER_SIZE'
+ | 'OPEN_FIELD_PLATE_KIND'
+ | 'STRUCTURE_ORDER'
+ | 'INSTALLATION_AVAILABILITY'
const font: Record = {
- installation_system: 'data-input-form-tit red-f',
- construction_year: 'data-input-form-tit red-f',
- roof_shape: 'data-input-form-tit',
- rafter_pitch: 'data-input-form-tit red-f',
- rafter_size: 'data-input-form-tit red-f',
- open_field_plate_kind: 'data-input-form-tit',
- structure_order: 'data-input-form-tit red-f',
- installation_availability: 'data-input-form-tit',
+ INSTALLATION_SYSTEM: 'data-input-form-tit red-f',
+ CONSTRUCTION_YEAR: 'data-input-form-tit red-f',
+ ROOF_SHAPE: 'data-input-form-tit',
+ RAFTER_PITCH: 'data-input-form-tit red-f',
+ RAFTER_SIZE: 'data-input-form-tit red-f',
+ OPEN_FIELD_PLATE_KIND: 'data-input-form-tit',
+ STRUCTURE_ORDER: 'data-input-form-tit red-f',
+ INSTALLATION_AVAILABILITY: 'data-input-form-tit',
}
const translateJapanese: Record = {
- installation_system: '設置希望システム',
- construction_year: '建築年数',
- roof_shape: '屋根の形状',
- rafter_pitch: '垂木傾斜',
- rafter_size: '垂木サイズ',
- open_field_plate_kind: '路地板の種類',
- structure_order: '屋根構造の順序',
- installation_availability: '屋根製品名 設置可否確認',
+ INSTALLATION_SYSTEM: '設置希望システム',
+ CONSTRUCTION_YEAR: '建築年数',
+ ROOF_SHAPE: '屋根の形状',
+ RAFTER_PITCH: '垂木傾斜',
+ RAFTER_SIZE: '垂木サイズ',
+ OPEN_FIELD_PLATE_KIND: '路地板の種類',
+ STRUCTURE_ORDER: '屋根構造の順序',
+ INSTALLATION_AVAILABILITY: '屋根製品名 設置可否確認',
}
export const selectBoxOptions: Record = {
- installation_system: [
+ INSTALLATION_SYSTEM: [
{
id: 1,
name: '太陽光発電', //태양광발전
@@ -48,7 +48,7 @@ export const selectBoxOptions: Record {
- if (detailInfoData[`${column}_etc` as keyof SurveyDetailRequest]) {
+ if (detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest]) {
setIsEtcSelected(true)
- setEtcValue(detailInfoData[`${column}_etc` as keyof SurveyDetailRequest] as string)
+ setEtcValue(detailInfoData[`${column}_ETC` as keyof SurveyDetailRequest] as string)
}
}, [detailInfoData])
const handleSelectChange = (e: React.ChangeEvent) => {
const value = e.target.value
- if (column === 'installation_availability' || column === 'construction_year') {
- setIsEtcSelected(value === '2') // 건축 연수 & 설치 가능 여부 컬럼 2번 선택 시 input 활성화
- setDetailInfoData({
- ...detailInfoData,
- [column]: Number(value),
- })
- } else if (value === 'etc') {
- setIsEtcSelected(true) // 기타 선택 시 input 활성화
- setDetailInfoData({
- ...detailInfoData,
- [column]: null,
- })
- } else {
- setIsEtcSelected(false) // 기타 선택 해제 시 input 비활성화
- setEtcValue('')
- setDetailInfoData({
- ...detailInfoData,
- [`${column}_etc`]: null,
- [column]: Number(value),
- })
+ const isSpecialCase = column === 'CONSTRUCTION_YEAR' || column === 'INSTALLATION_AVAILABILITY'
+ const isEtc = value === 'etc'
+ const isSpecialEtc = isSpecialCase && value === '2'
+
+ const updatedData: typeof detailInfoData = {
+ ...detailInfoData,
+ [column]: isEtc ? null : value,
+ [`${column}_ETC`]: isEtc ? '' : null,
}
+
+ // 건축연수 + 설치가능여부는 2번 선택 시 input 활성화
+ if (isSpecialEtc) {
+ updatedData[column] = value
+ }
+
+ setIsEtcSelected(isEtc || isSpecialEtc)
+ if (!isEtc) setEtcValue('')
+ setDetailInfoData(updatedData)
}
const handleEtcInputChange = (e: React.ChangeEvent) => {
@@ -201,31 +198,31 @@ export default function SelectBoxForm({
setEtcValue(value)
setDetailInfoData({
...detailInfoData,
- [`${column}_etc`]: value,
+ [`${column}_ETC`]: value,
})
}
return (
<>
- {translateJapanese[column]}
+ {translateJapanese[column as keyof typeof translateJapanese]}
@@ -235,10 +232,10 @@ export default function SelectBoxForm({
value={etcValue ?? ''}
onChange={handleEtcInputChange}
disabled={
- column === 'installation_availability'
+ column === 'INSTALLATION_AVAILABILITY'
? !Boolean(detailInfoData[column])
- : column === 'construction_year'
- ? detailInfoData[column] !== 2 // 既築(2)가 아닐 때 비활성화
+ : column === 'CONSTRUCTION_YEAR'
+ ? detailInfoData[column] !== '2' // 既築(2)가 아닐 때 비활성화
: !isEtcSelected
}
/>
diff --git a/src/components/survey-sale/list/ListTable.tsx b/src/components/survey-sale/list/ListTable.tsx
index ade76f2..16351b7 100644
--- a/src/components/survey-sale/list/ListTable.tsx
+++ b/src/components/survey-sale/list/ListTable.tsx
@@ -6,7 +6,7 @@ import { useEffect, useState } from 'react'
import { useRouter } from 'next/navigation'
import SearchForm from './SearchForm'
import { useSurveyFilterStore } from '@/store/surveyFilterStore'
-import { UserType } from '@/hooks/useUserType'
+import { useSessionStore } from '@/store/session'
export default function ListTable() {
const router = useRouter()
@@ -15,7 +15,8 @@ export default function ListTable() {
const [heldSurveyList, setHeldSurveyList] = useState ([])
const [hasMore, setHasMore] = useState(false)
- const [memberType, setMemberType] = useState('hwj')
+
+ const { session } = useSessionStore()
useEffect(() => {
if (surveyList && surveyList.length > 0) {
@@ -29,9 +30,7 @@ export default function ListTable() {
}
setHasMore(surveyListCount > offset + 10)
}
- // 회원 유형 설정 이후 변경
- setMemberType('hwj')
- }, [surveyList, surveyListCount, offset])
+ }, [surveyList, surveyListCount, offset, session?.role])
const handleDetailClick = (id: number) => {
router.push(`/survey-sale/${id}`)
@@ -45,22 +44,22 @@ export default function ListTable() {
return (
<>
-
+
{heldSurveyList.length > 0 ? (
{heldSurveyList.map((survey) => (
- - handleDetailClick(survey.id)}>
+
- handleDetailClick(survey.ID)}>
- {survey.id}
- {survey.investigation_date}
+ {survey.ID}
+ {survey.INVESTIGATION_DATE}
- {survey.building_name}
- {survey.customer_name}
+ {survey.BUILDING_NAME}
+ {survey.CUSTOMER_NAME}
- {survey.representative}
- {new Date(survey.updated_at).toLocaleString()}
+ {survey.REPRESENTATIVE}
+ {new Date(survey.UPT_DT).toLocaleString()}
diff --git a/src/components/survey-sale/list/SearchForm.tsx b/src/components/survey-sale/list/SearchForm.tsx
index 6cd8b57..3f3d234 100644
--- a/src/components/survey-sale/list/SearchForm.tsx
+++ b/src/components/survey-sale/list/SearchForm.tsx
@@ -1,31 +1,30 @@
'use client'
import { SEARCH_OPTIONS, SEARCH_OPTIONS_ENUM, SEARCH_OPTIONS_PARTNERS, useSurveyFilterStore } from '@/store/surveyFilterStore'
-import { UserType } from '@/hooks/useUserType'
import { useRouter } from 'next/navigation'
import { useState } from 'react'
-export default function SearchForm({ onItemsInit, memberType }: { onItemsInit: () => void; memberType: UserType }) {
+export default function SearchForm({ onItemsInit, memberRole, userId }: { onItemsInit: () => void; memberRole: string; userId: string }) {
const router = useRouter()
const { setSearchOption, setSort, setIsMySurvey, setKeyword, isMySurvey, keyword, searchOption, sort } = useSurveyFilterStore()
const [searchKeyword, setSearchKeyword] = useState(keyword)
-
- const username = 'test'
+ const [option, setOption] = useState(searchOption)
const handleSearch = () => {
- if (searchKeyword.trim().length < 2) {
+ if (option !== 'id' && searchKeyword.trim().length < 2) {
alert('2文字以上入力してください')
return
}
setKeyword(searchKeyword)
+ setSearchOption(option)
onItemsInit()
}
- const searchOptions = memberType === 'partner' ? SEARCH_OPTIONS_PARTNERS : SEARCH_OPTIONS
+ const searchOptions = memberRole === 'Partner' ? SEARCH_OPTIONS_PARTNERS : SEARCH_OPTIONS
return (
- router.push('/survey-sale/basic-info')}>
+ router.push('/survey-sale/regist')}>
新規売買登録
@@ -34,8 +33,18 @@ export default function SearchForm({ onItemsInit, memberType }: { onItemsInit: (
className="select-form"
name="search-option"
id="search-option"
- value={searchOption}
- onChange={(e) => setSearchOption(e.target.value as SEARCH_OPTIONS_ENUM)}
+ value={option}
+ onChange={(e) => {
+ if (e.target.value === 'all') {
+ setKeyword('')
+ setSearchKeyword('')
+ onItemsInit()
+ setSearchOption('all')
+ setOption('all')
+ } else {
+ setOption(e.target.value as SEARCH_OPTIONS_ENUM)
+ }
+ }}
>
{searchOptions.map((option) => (
|