화면 디자이너(비개발자)가 버튼 작업 설정을 직관적으로 할 수 있도록
설정 패널의 용어, 레이아웃, 구조를 전면 개선한다.
[디자인 통일]
- Input/Select 높이 h-8, 라벨 text-xs font-medium, 도움말 text-[11px]로 통일
- db-conditional UI를 가로 나열에서 세로 스택으로 전환 (좁은 패널 잘림 방지)
- 작업 항목 간 간격, 패딩, 둥근 모서리 일관성 확보
[자연어 라벨]
- "대상 테이블" → "어떤 테이블을 수정할까요?"
- "변경 컬럼" → "어떤 항목(컬럼)을 바꿀까요?"
- "연산" → "어떻게 바꿀까요?" + 각 연산별 설명 도움말
- "값 출처: 고정값" → "직접 입력", "연결 데이터" → "화면 데이터에서 가져오기"
- 비교 연산자에 한글 설명 추가 (">=" → ">= (이상이면)")
[구조 개선]
- "조회 키"를 "고급 설정" 토글로 숨김 (기본 접힘, 대부분 자동 매칭)
- "연결 필드명" 수동 입력 → 카드 컴포넌트 필드 목록에서 Select 선택
- 접힌 헤더에 요약 텍스트 표시 + 마우스 호버 시 전체 툴팁
- 펼친 상태 하단에 설정 요약 미리보기
[컬럼 코멘트 표시]
- 백엔드: getTableSchema SQL에 col_description() 추가
- 프론트: ColumnCombobox에서 코멘트 표시 + 한글명 검색 지원
- ColumnInfo 인터페이스에 comment 필드 추가
127 lines
3.6 KiB
TypeScript
127 lines
3.6 KiB
TypeScript
"use client";
|
|
|
|
import React, { useState, useMemo } from "react";
|
|
import { Check, ChevronsUpDown } from "lucide-react";
|
|
import { Button } from "@/components/ui/button";
|
|
import {
|
|
Command,
|
|
CommandEmpty,
|
|
CommandGroup,
|
|
CommandInput,
|
|
CommandItem,
|
|
CommandList,
|
|
} from "@/components/ui/command";
|
|
import {
|
|
Popover,
|
|
PopoverContent,
|
|
PopoverTrigger,
|
|
} from "@/components/ui/popover";
|
|
import { cn } from "@/lib/utils";
|
|
import type { ColumnInfo } from "../pop-dashboard/utils/dataFetcher";
|
|
|
|
interface ColumnComboboxProps {
|
|
columns: ColumnInfo[];
|
|
value: string;
|
|
onSelect: (columnName: string) => void;
|
|
placeholder?: string;
|
|
}
|
|
|
|
export function ColumnCombobox({
|
|
columns,
|
|
value,
|
|
onSelect,
|
|
placeholder = "컬럼을 선택하세요",
|
|
}: ColumnComboboxProps) {
|
|
const [open, setOpen] = useState(false);
|
|
const [search, setSearch] = useState("");
|
|
|
|
const filtered = useMemo(() => {
|
|
if (!search) return columns;
|
|
const q = search.toLowerCase();
|
|
return columns.filter(
|
|
(c) =>
|
|
c.name.toLowerCase().includes(q) ||
|
|
(c.comment && c.comment.toLowerCase().includes(q))
|
|
);
|
|
}, [columns, search]);
|
|
|
|
const selectedCol = useMemo(
|
|
() => columns.find((c) => c.name === value),
|
|
[columns, value],
|
|
);
|
|
const displayValue = selectedCol
|
|
? selectedCol.comment
|
|
? `${selectedCol.name} (${selectedCol.comment})`
|
|
: selectedCol.name
|
|
: "";
|
|
|
|
return (
|
|
<Popover open={open} onOpenChange={setOpen}>
|
|
<PopoverTrigger asChild>
|
|
<Button
|
|
variant="outline"
|
|
role="combobox"
|
|
aria-expanded={open}
|
|
className="mt-1 h-8 w-full justify-between text-xs"
|
|
>
|
|
<span className="truncate">{displayValue || placeholder}</span>
|
|
<ChevronsUpDown className="ml-2 h-3.5 w-3.5 shrink-0 opacity-50" />
|
|
</Button>
|
|
</PopoverTrigger>
|
|
<PopoverContent
|
|
className="p-0"
|
|
style={{ width: "var(--radix-popover-trigger-width)" }}
|
|
align="start"
|
|
>
|
|
<Command shouldFilter={false}>
|
|
<CommandInput
|
|
placeholder="컬럼명 또는 한글명 검색..."
|
|
className="text-xs"
|
|
value={search}
|
|
onValueChange={setSearch}
|
|
/>
|
|
<CommandList>
|
|
<CommandEmpty className="py-4 text-center text-xs">
|
|
검색 결과가 없습니다.
|
|
</CommandEmpty>
|
|
<CommandGroup>
|
|
{filtered.map((col) => (
|
|
<CommandItem
|
|
key={col.name}
|
|
value={col.name}
|
|
onSelect={() => {
|
|
onSelect(col.name);
|
|
setOpen(false);
|
|
setSearch("");
|
|
}}
|
|
className="text-xs"
|
|
>
|
|
<Check
|
|
className={cn(
|
|
"mr-2 h-3.5 w-3.5",
|
|
value === col.name ? "opacity-100" : "opacity-0"
|
|
)}
|
|
/>
|
|
<div className="flex flex-col">
|
|
<div className="flex items-center gap-2">
|
|
<span>{col.name}</span>
|
|
{col.comment && (
|
|
<span className="text-[11px] text-muted-foreground">
|
|
({col.comment})
|
|
</span>
|
|
)}
|
|
</div>
|
|
<span className="text-[10px] text-muted-foreground">
|
|
{col.type}
|
|
</span>
|
|
</div>
|
|
</CommandItem>
|
|
))}
|
|
</CommandGroup>
|
|
</CommandList>
|
|
</Command>
|
|
</PopoverContent>
|
|
</Popover>
|
|
);
|
|
}
|