Clear persistent budget data

Clear persistent budget data to ensure a clean state.
This commit is contained in:
gpt-engineer-app[bot]
2025-03-15 23:03:44 +00:00
parent 2ba8fdc31b
commit f8abebcac6
4 changed files with 166 additions and 78 deletions

View File

@@ -2,14 +2,14 @@
import { BudgetData, BudgetPeriod, CategoryBudget, Transaction } from './types'; import { BudgetData, BudgetPeriod, CategoryBudget, Transaction } from './types';
import { EXPENSE_CATEGORIES } from '@/constants/categoryIcons'; import { EXPENSE_CATEGORIES } from '@/constants/categoryIcons';
// 기본 데이터 상수 // 기본 데이터 상수 (기본값을 0으로 변경)
export const DEFAULT_CATEGORY_BUDGETS: Record<string, number> = { export const DEFAULT_CATEGORY_BUDGETS: Record<string, number> = {
식비: 400000, 식비: 0,
생활비: 600000, 생활비: 0,
교통비: 200000 교통비: 0
}; };
export const DEFAULT_MONTHLY_BUDGET = 1200000; export const DEFAULT_MONTHLY_BUDGET = 0;
// 카테고리별 지출 계산 // 카테고리별 지출 계산
export const calculateCategorySpending = ( export const calculateCategorySpending = (
@@ -126,19 +126,19 @@ export const calculateSpentAmounts = (
export const getInitialBudgetData = (): BudgetData => { export const getInitialBudgetData = (): BudgetData => {
return { return {
daily: { daily: {
targetAmount: Math.round(DEFAULT_MONTHLY_BUDGET / 30), targetAmount: 0,
spentAmount: 0, spentAmount: 0,
remainingAmount: Math.round(DEFAULT_MONTHLY_BUDGET / 30) remainingAmount: 0
}, },
weekly: { weekly: {
targetAmount: Math.round(DEFAULT_MONTHLY_BUDGET / 4.3), targetAmount: 0,
spentAmount: 0, spentAmount: 0,
remainingAmount: Math.round(DEFAULT_MONTHLY_BUDGET / 4.3) remainingAmount: 0
}, },
monthly: { monthly: {
targetAmount: DEFAULT_MONTHLY_BUDGET, targetAmount: 0,
spentAmount: 0, spentAmount: 0,
remainingAmount: DEFAULT_MONTHLY_BUDGET remainingAmount: 0
} }
}; };
}; };

View File

@@ -20,7 +20,7 @@ const Analytics = () => {
const savings = Math.max(0, totalBudget - totalExpense); const savings = Math.max(0, totalBudget - totalExpense);
const savingsPercentage = totalBudget > 0 ? Math.round(savings / totalBudget * 100) : 0; const savingsPercentage = totalBudget > 0 ? Math.round(savings / totalBudget * 100) : 0;
// 카테고리별 지출 차트 데이터 생성 (실제 데이터 사용) // 카테고리별 지출 차트 데이터 생성 (데이터 초기화 고려)
const categorySpending = getCategorySpending(); const categorySpending = getCategorySpending();
const expenseData = categorySpending.map(category => ({ const expenseData = categorySpending.map(category => ({
name: category.title, name: category.title,
@@ -30,30 +30,33 @@ const Analytics = () => {
category.title === '교통비' ? '#2E7D32' : '#4CAF50' category.title === '교통비' ? '#2E7D32' : '#4CAF50'
})); }));
// 최근 6개월 데이터를 위한 상태 // 최근 6개월 데이터를 위한 상태 (빈 데이터로 초기화)
const [monthlyData, setMonthlyData] = useState<any[]>([]); const [monthlyData, setMonthlyData] = useState<any[]>([]);
// 월별 데이터 생성 (실제 데이터 + 예상 데이터) // 월별 데이터 생성 (초기화 로직 개선)
useEffect(() => { useEffect(() => {
// 현재 월 가져오기 // 현재 월 가져오기
const today = new Date(); const today = new Date();
const currentMonth = today.getMonth(); const currentMonth = today.getMonth();
if (totalBudget === 0 && totalExpense === 0) {
// 모든 데이터가 초기화된 상태라면 빈 배열 사용
setMonthlyData([]);
return;
}
// 최근 6개월 데이터 배열 생성 // 최근 6개월 데이터 배열 생성
const last6Months = []; const last6Months = [];
for (let i = 5; i >= 0; i--) { for (let i = 5; i >= 0; i--) {
const monthIndex = (currentMonth - i + 12) % 12; // 순환적으로 이전 월 계산 const monthIndex = (currentMonth - i + 12) % 12; // 순환적으로 이전 월 계산
const month = MONTHS_KR[monthIndex]; // 월 이름 가져오기 const month = MONTHS_KR[monthIndex]; // 월 이름 가져오기
// 현재 달은 실제 데이터 사용, 이전 달은 예상 데이터 사용 // 현재 달은 실제 데이터 사용, 다른 달은 0으로 설정
const isCurrentMonth = i === 0; const expense = i === 0 ? totalExpense : 0;
const expense = isCurrentMonth
? totalExpense
: totalBudget * (0.5 + Math.random() * 0.3); // 예상 데이터 (총 예산의 50~80%)
last6Months.push({ last6Months.push({
name: month.split(' ')[0], // '8월' 형식으로 변환 name: month.split(' ')[0], // '8월' 형식으로 변환
budget: totalBudget, budget: i === 0 ? totalBudget : 0,
expense: expense expense: expense
}); });
} }
@@ -85,6 +88,14 @@ const Analytics = () => {
console.log('다음 기간으로 이동'); console.log('다음 기간으로 이동');
}; };
// 그래프 데이터 없을 때 표시할 빈 상태 메시지
const EmptyGraphState = () => (
<div className="flex flex-col items-center justify-center h-48 text-gray-400">
<p> </p>
<p className="text-sm mt-2"> </p>
</div>
);
return ( return (
<div className="min-h-screen bg-neuro-background pb-24"> <div className="min-h-screen bg-neuro-background pb-24">
<div className="max-w-md mx-auto px-6"> <div className="max-w-md mx-auto px-6">
@@ -149,54 +160,70 @@ const Analytics = () => {
<div className="mb-8"> <div className="mb-8">
<h2 className="text-lg font-semibold mb-3"> </h2> <h2 className="text-lg font-semibold mb-3"> </h2>
<div className="neuro-card h-72"> <div className="neuro-card h-72">
<ResponsiveContainer width="100%" height="100%"> {monthlyData.length > 0 ? (
<BarChart data={monthlyData} margin={{ <ResponsiveContainer width="100%" height="100%">
top: 20, <BarChart data={monthlyData} margin={{
right: 10, top: 20,
left: -10, right: 10,
bottom: 5 left: -10,
}} style={{ bottom: 5
fontSize: '11px' }} style={{
}}> fontSize: '11px'
<XAxis dataKey="name" /> }}>
<YAxis tickFormatter={formatYAxisTick} /> <XAxis dataKey="name" />
<Tooltip formatter={formatTooltip} /> <YAxis tickFormatter={formatYAxisTick} />
<Legend /> <Tooltip formatter={formatTooltip} />
<Bar dataKey="budget" name="예산" fill="#C8C8C9" radius={[4, 4, 0, 0]} /> <Legend />
<Bar dataKey="expense" name="지출" fill="#81c784" radius={[4, 4, 0, 0]} /> <Bar dataKey="budget" name="예산" fill="#C8C8C9" radius={[4, 4, 0, 0]} />
</BarChart> <Bar dataKey="expense" name="지출" fill="#81c784" radius={[4, 4, 0, 0]} />
</ResponsiveContainer> </BarChart>
</ResponsiveContainer>
) : (
<EmptyGraphState />
)}
</div> </div>
</div> </div>
{/* Category Pie Chart - MOVED DOWN */} {/* Category Pie Chart - MOVED DOWN */}
<h2 className="text-lg font-semibold mb-3"> </h2> <h2 className="text-lg font-semibold mb-3"> </h2>
<ExpenseChart data={expenseData} /> {expenseData.some(item => item.value > 0) ? (
<ExpenseChart data={expenseData} />
) : (
<div className="neuro-card h-52 flex items-center justify-center text-gray-400">
<p> </p>
</div>
)}
{/* Top Spending Categories */} {/* Top Spending Categories */}
<h2 className="text-lg font-semibold mb-3 mt-6"> </h2> <h2 className="text-lg font-semibold mb-3 mt-6"> </h2>
<div className="neuro-card mb-6"> <div className="neuro-card mb-6">
<div className="space-y-4"> {categorySpending.some(cat => cat.current > 0) ? (
{categorySpending.map((category) => ( <div className="space-y-4">
<div key={category.title} className="flex items-center justify-between"> {categorySpending.map((category) => (
<div className="flex items-center gap-3"> <div key={category.title} className="flex items-center justify-between">
<div className="w-6 h-6 rounded-full" style={{ <div className="flex items-center gap-3">
backgroundColor: category.title === '식비' ? '#81c784' : <div className="w-6 h-6 rounded-full" style={{
category.title === '생활비' ? '#AED581' : '#2E7D32' backgroundColor: category.title === '비' ? '#81c784' :
}}></div> category.title === '생활비' ? '#AED581' : '#2E7D32'
<span>{category.title}</span> }}></div>
<span>{category.title}</span>
</div>
<div className="text-right">
<p className="font-medium">
{formatCurrency(category.current)}
</p>
<p className="text-xs text-gray-500">
{totalExpense > 0 ? Math.round(category.current / totalExpense * 100) : 0}%
</p>
</div>
</div> </div>
<div className="text-right"> ))}
<p className="font-medium"> </div>
{formatCurrency(category.current)} ) : (
</p> <div className="py-8 text-center text-gray-400">
<p className="text-xs text-gray-500"> <p> </p>
{totalExpense > 0 ? Math.round(category.current / totalExpense * 100) : 0}% </div>
</p> )}
</div>
</div>
))}
</div>
</div> </div>
</div> </div>

View File

@@ -27,14 +27,32 @@ const Index = () => {
const { user } = useAuth(); const { user } = useAuth();
const [showWelcome, setShowWelcome] = useState(false); const [showWelcome, setShowWelcome] = useState(false);
const [isInitialized, setIsInitialized] = useState(false);
// 화면이 처음 로드될 때 데이터 초기화 // 화면이 처음 로드될 때 데이터 초기화
useEffect(() => { useEffect(() => {
// 데이터를 완전히 초기화 (두 가지 초기화 함수 모두 호출) if (!isInitialized) {
resetAllData(); // 모든 데이터 완전히 삭제 및 초기화 (두 가지 초기화 함수 모두 반복 호출)
resetAllStorageData(); resetAllData();
resetAllStorageData();
resetAllData(); // 한번 더 실행해서 확실히 지움
// localStorage 직접 초기화 (추가 보호)
localStorage.removeItem('budget');
localStorage.removeItem('budgetData');
localStorage.removeItem('categoryBudgets');
localStorage.removeItem('transactions');
localStorage.removeItem('monthlyExpenses');
localStorage.removeItem('monthlyData');
// 데이터를 비운 후 빈 값 저장
localStorage.setItem('transactions', JSON.stringify([]));
setIsInitialized(true);
console.log('모든 데이터 초기화 완료');
}
// 환영 다이얼로그 표시 여부 결정 // 환영 다이얼로그 표시 여부 결정 (데이터 초기화 후)
const dontShowWelcome = localStorage.getItem('dontShowWelcome') === 'true'; const dontShowWelcome = localStorage.getItem('dontShowWelcome') === 'true';
if (!dontShowWelcome) { if (!dontShowWelcome) {
setShowWelcome(true); setShowWelcome(true);
@@ -42,7 +60,7 @@ const Index = () => {
// 방문 기록 저장 (초기화 후에 저장) // 방문 기록 저장 (초기화 후에 저장)
localStorage.setItem('hasVisitedBefore', 'true'); localStorage.setItem('hasVisitedBefore', 'true');
}, []); }, [isInitialized]);
// 환영 팝업 닫기 // 환영 팝업 닫기
const handleCloseWelcome = (dontShowAgain: boolean) => { const handleCloseWelcome = (dontShowAgain: boolean) => {
@@ -52,6 +70,14 @@ const Index = () => {
} }
}; };
// 빈 데이터 상태 메시지
const EmptyState = () => (
<div className="neuro-card py-8 text-center text-gray-400 mb-4">
<p> </p>
<p className="text-sm mt-2"> </p>
</div>
);
return ( return (
<div className="min-h-screen bg-neuro-background pb-24"> <div className="min-h-screen bg-neuro-background pb-24">
<div className="max-w-md mx-auto px-6"> <div className="max-w-md mx-auto px-6">
@@ -69,13 +95,24 @@ const Index = () => {
/> />
{/* 지출 카테고리 */} {/* 지출 카테고리 */}
<BudgetCategoriesSection categories={getCategorySpending()} /> {getCategorySpending().some(cat => cat.current > 0 || cat.total > 0) ? (
<BudgetCategoriesSection categories={getCategorySpending()} />
) : (
<EmptyState />
)}
{/* 최근 지출 */} {/* 최근 지출 */}
<RecentTransactionsSection {transactions.length > 0 ? (
transactions={transactions.slice(0, 5)} <RecentTransactionsSection
onUpdateTransaction={updateTransaction} transactions={transactions.slice(0, 5)}
/> onUpdateTransaction={updateTransaction}
/>
) : (
<div className="mt-4">
<h2 className="text-lg font-semibold mb-3"> </h2>
<EmptyState />
</div>
)}
</div> </div>
<AddTransactionButton /> <AddTransactionButton />
<NavBar /> <NavBar />

View File

@@ -26,23 +26,47 @@ export const loadBudgetFromStorage = (): number => {
const budgetData = localStorage.getItem('budget'); const budgetData = localStorage.getItem('budget');
if (budgetData) { if (budgetData) {
const parsedBudget = JSON.parse(budgetData); const parsedBudget = JSON.parse(budgetData);
return parsedBudget.total || 1000000; return parsedBudget.total || 0; // 기본값을 0으로 변경
} }
return 1000000; // 기본 예산 return 0; // 기본값 0으로 변경
}; };
// 모든 데이터 완전히 초기화 // 모든 데이터 완전히 초기화
export const resetAllStorageData = (): void => { export const resetAllStorageData = (): void => {
// 트랜잭션 초기화 // 모든 Storage 키 삭제
localStorage.removeItem('transactions'); const keysToRemove = [
'transactions',
'budget',
'monthlyExpenses',
'budgetData',
'categoryBudgets',
'analyticData',
'expenseData',
'chartData',
'monthlyData',
'spendingData'
];
// 명시적으로 알려진 키들 삭제
keysToRemove.forEach(key => localStorage.removeItem(key));
// 명시적으로 트랜잭션 초기화
localStorage.setItem('transactions', JSON.stringify([])); localStorage.setItem('transactions', JSON.stringify([]));
// 월별 지출 데이터 초기화 // 모든 예산 관련, 지출 관련 데이터 검색 및 삭제
localStorage.removeItem('monthlyExpenses'); const keywordsToFind = ['budget', 'expense', 'transaction', 'analytic', 'spending', 'chart', 'financial', 'money', 'category'];
// 예산 초기화 // 모든 localStorage 순회하며 키워드 포함된 항목 삭제
localStorage.removeItem('budget'); for (let i = 0; i < localStorage.length; i++) {
const key = localStorage.key(i);
if (key) {
const lowerKey = key.toLowerCase();
if (keywordsToFind.some(keyword => lowerKey.includes(keyword))) {
console.log(`추가 데이터 삭제: ${key}`);
localStorage.removeItem(key);
}
}
}
console.log('모든 저장소 데이터가 초기화되었습니다.'); console.log('모든 저장소 데이터가 완전히 초기화되었습니다.');
}; };