File size: 2,200 Bytes
b6aa67a
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
// User Data Management Module
// TODO: Add error handling for network failures

/**

 * Fetches user data from the API

 * @param {string} userId - The user's unique identifier

 * @returns {Promise<Object>} User data object

 */
async function getUserData(userId) {
    const response = await fetch(`/api/users/${userId}`);
    return await response.json();
}

/**

 * Updates user profile information

 * @param {string} userId - The user's unique identifier

 * @param {Object} data - Updated user data

 */
async function updateUserProfile(userId, data) {
    // First get the current user data
    const currentData = await getUserData(userId);
    
    // Merge with new data
    const updatedData = { ...currentData, ...data };
    
    // Send update request
    await fetch(`/api/users/${userId}`, {
        method: 'PUT',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify(updatedData)
    });
}

// TODO: Implement caching mechanism for getUserData

/**

 * Display user information on the page

 * @param {string} userId - The user's unique identifier

 */
async function displayUserInfo(userId) {
    try {
        const userData = await getUserData(userId);
        document.getElementById('userName').textContent = userData.name;
        document.getElementById('userEmail').textContent = userData.email;
    } catch (error) {
        console.error('Failed to display user info:', error);
    }
}

/**

 * Delete user account

 * @param {string} userId - The user's unique identifier

 */
async function deleteUserAccount(userId) {
    // TODO: Add confirmation dialog
    const userData = await getUserData(userId);
    console.log(`Deleting account for ${userData.name}`);
    
    await fetch(`/api/users/${userId}`, {
        method: 'DELETE'
    });
}

// Initialize the application
document.addEventListener('DOMContentLoaded', () => {
    const userId = sessionStorage.getItem('currentUserId');
    if (userId) {
        displayUserInfo(userId);
    }
});

// Export functions for use in other modules
export { getUserData, updateUserProfile, displayUserInfo, deleteUserAccount };