-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.js
320 lines (281 loc) · 10.4 KB
/
app.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
const API_URL = 'http://localhost:5000/api';
// Load envelopes from API
async function loadEnvelopes() {
try {
const response = await fetch(`${API_URL}/envelopes`);
if (!response.ok) throw new Error('Failed to load envelopes');
return await response.json();
} catch (error) {
console.error('Error loading envelopes:', error);
return [];
}
}
// Save envelope to API
async function saveEnvelope(envelope) {
try {
const response = await fetch(`${API_URL}/envelopes`, {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(envelope)
});
if (!response.ok) throw new Error('Failed to save envelope');
return await response.json();
} catch (error) {
console.error('Error saving envelope:', error);
throw error;
}
}
// Update envelope in API
async function updateEnvelopeAPI(id, data) {
try {
const response = await fetch(`${API_URL}/envelopes/${id}`, {
method: 'PUT',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(data)
});
if (!response.ok) throw new Error('Failed to update envelope');
return await response.json();
} catch (error) {
console.error('Error updating envelope:', error);
throw error;
}
}
// Delete envelope from API
async function deleteEnvelopeAPI(id) {
try {
const response = await fetch(`${API_URL}/envelopes/${id}`, {
method: 'DELETE'
});
if (!response.ok) throw new Error('Failed to delete envelope');
} catch (error) {
console.error('Error deleting envelope:', error);
throw error;
}
}
// Load transactions for envelope
async function loadTransactions(envelopeId) {
try {
const response = await fetch(`${API_URL}/envelopes/${envelopeId}/transactions`);
if (!response.ok) throw new Error('Failed to load transactions');
return await response.json();
} catch (error) {
console.error('Error loading transactions:', error);
return [];
}
}
// Add transaction to envelope
async function addTransaction(envelopeId, transaction) {
try {
const response = await fetch(`${API_URL}/envelopes/${envelopeId}/transactions`, {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(transaction)
});
if (!response.ok) throw new Error('Failed to add transaction');
return await response.json();
} catch (error) {
console.error('Error adding transaction:', error);
throw error;
}
}
// Load achievements from API
async function loadAchievements() {
try {
const response = await fetch(`${API_URL}/achievements`);
if (!response.ok) throw new Error('Failed to load achievements');
return await response.json();
} catch (error) {
console.error('Error loading achievements:', error);
return [];
}
}
// Update achievement in API
async function updateAchievement(id, data) {
try {
const response = await fetch(`${API_URL}/achievements/${id}`, {
method: 'PUT',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(data)
});
if (!response.ok) throw new Error('Failed to update achievement');
return await response.json();
} catch (error) {
console.error('Error updating achievement:', error);
throw error;
}
}
// Initialize the app
let envelopes = [];
let achievements = [];
async function init() {
try {
envelopes = await loadEnvelopes();
achievements = await loadAchievements();
renderEnvelopes();
updateTotalBalance();
loadTheme();
} catch (error) {
console.error('Failed to initialize app:', error);
alert('Failed to load data from server. Please try again later.');
}
}
// Format currency
function formatCurrency(amount) {
return new Intl.NumberFormat('en-US', {
style: 'currency',
currency: 'USD',
minimumFractionDigits: 2,
maximumFractionDigits: 2
}).format(amount);
}
// Update total balance
function updateTotalBalance() {
const total = envelopes.reduce((sum, env) => sum + env.budget - env.spent, 0);
const totalBudget = envelopes.reduce((sum, env) => sum + env.budget, 0);
const progress = totalBudget > 0 ? ((totalBudget - total) / totalBudget) * 100 : 0;
const balanceEl = document.querySelector('.balance-amount');
balanceEl.textContent = formatCurrency(total);
balanceEl.innerHTML += `<div class="balance-progress">Progress to Goals: ${progress.toFixed(1)}%</div>`;
balanceEl.style.animation = 'none';
balanceEl.offsetHeight;
balanceEl.style.animation = 'pulse 0.5s ease-out';
}
// Add new envelope
async function addEnvelope() {
const nameInput = document.getElementById('envelope-name');
const budgetInput = document.getElementById('envelope-amount');
const name = nameInput.value.trim();
const budget = parseFloat(budgetInput.value);
if (!name || isNaN(budget) || budget < 0) {
alert('Please enter a valid name and budget');
return;
}
try {
const envelope = await saveEnvelope({ name, budget, spent: 0 });
envelopes.push(envelope);
renderEnvelopes();
updateTotalBalance();
nameInput.value = '';
budgetInput.value = '';
} catch (error) {
alert('Failed to create envelope. Please try again.');
}
}
// Update envelope amount
async function updateEnvelope(id, action, value) {
const amount = parseFloat(value);
if (isNaN(amount) || amount < 0) {
alert('Please enter a valid amount');
return;
}
const envelope = envelopes.find(e => e.id === id);
if (!envelope) return;
try {
const transaction = {
amount: action === 'add' ? amount : -amount,
description: action === 'add' ? 'Deposit' : 'Withdrawal',
date: new Date().toISOString()
};
await addTransaction(id, transaction);
const updatedEnvelope = await loadEnvelopes();
envelopes = updatedEnvelope;
renderEnvelopes();
updateTotalBalance();
} catch (error) {
alert('Failed to update envelope. Please try again.');
}
}
// Delete envelope
async function deleteEnvelope(id) {
if (!confirm('Are you sure you want to delete this envelope?')) return;
try {
await deleteEnvelopeAPI(id);
envelopes = envelopes.filter(e => e.id !== id);
renderEnvelopes();
updateTotalBalance();
} catch (error) {
alert('Failed to delete envelope. Please try again.');
}
}
// Export envelope transactions to CSV
async function exportToExcel(id) {
const envelope = envelopes.find(e => e.id === id);
if (!envelope) return;
try {
const transactions = await loadTransactions(id);
// Prepare CSV content
const headers = ['Date', 'Type', 'Description', 'Amount', 'Balance'];
let csvContent = headers.join(',') + '\n';
let runningBalance = 0;
transactions.forEach(transaction => {
const amount = transaction.amount;
runningBalance += amount;
const row = [
new Date(transaction.date).toLocaleDateString(),
amount > 0 ? 'deposit' : 'withdrawal',
`"${transaction.description}"`,
Math.abs(amount).toFixed(2),
runningBalance.toFixed(2)
];
csvContent += row.join(',') + '\n';
});
// Create and trigger download
const blob = new Blob([csvContent], { type: 'text/csv;charset=utf-8;' });
const link = document.createElement('a');
const url = URL.createObjectURL(blob);
link.setAttribute('href', url);
link.setAttribute('download', `${envelope.name}_transactions.csv`);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
} catch (error) {
console.error('Failed to export transactions:', error);
alert('Failed to export transactions. Please try again.');
}
}
// Render envelopes
function renderEnvelopes() {
const container = document.getElementById('envelopes-list');
container.innerHTML = '';
envelopes.forEach(envelope => {
const progress = envelope.budget > 0 ? (envelope.spent / envelope.budget) * 100 : 0;
const el = document.createElement('div');
el.className = 'envelope';
el.innerHTML = `
<h2 class="envelope-name">${envelope.name}</h2>
<div class="amount">Available: ${formatCurrency(envelope.budget - envelope.spent)}</div>
<div class="goal-info">Budget: ${formatCurrency(envelope.budget)}</div>
<div class="progress-container">
<div class="progress-bar">
<div class="progress-fill" style="width: ${Math.min(progress, 100)}%"></div>
</div>
<div class="progress-label">${progress.toFixed(1)}%</div>
</div>
<div class="actions">
<input type="number" min="0" step="0.01" placeholder="Amount">
<button class="add-btn" onclick="updateEnvelope(${envelope.id}, 'add', this.parentElement.querySelector('input').value)">Add</button>
<button class="subtract-btn" onclick="updateEnvelope(${envelope.id}, 'subtract', this.parentElement.querySelector('input').value)">Subtract</button>
</div>
<div class="top-actions">
<button class="export-btn" onclick="exportToExcel(${envelope.id})">📥</button>
<button class="delete-btn" onclick="deleteEnvelope(${envelope.id})">×</button>
</div>
`;
container.appendChild(el);
});
}
// Theme management
function setTheme(theme) {
document.body.setAttribute('data-theme', theme);
localStorage.setItem('theme', theme);
document.querySelectorAll('.theme-option').forEach(option => {
option.classList.toggle('active', option.getAttribute('data-theme') === theme);
});
}
function loadTheme() {
const savedTheme = localStorage.getItem('theme') || 'green';
setTheme(savedTheme);
}
// Initialize app
window.addEventListener('load', init);