Files
orion/static/admin/js/user-edit.js
Samir Boulahtit be9c892739 feat(users): implement full user management CRUD
API endpoints (app/api/v1/admin/users.py):
- GET /users: Paginated list with search and filters
- POST /users: Create new user
- GET /users/{id}: Get user details with related counts
- PUT /users/{id}: Update user information
- PUT /users/{id}/status: Toggle active status
- DELETE /users/{id}: Delete user (with ownership check)

Pydantic schemas (models/schema/auth.py):
- UserCreate: For creating new users
- UserUpdate: For updating user information
- UserDetailResponse: Extended user details with counts
- UserListResponse: Paginated list response

Frontend:
- Updated users.html with server-side pagination and filters
- New user-create.html/js for user creation form
- New user-detail.html/js for viewing user details
- New user-edit.html/js for editing users

Routes added for user create, detail, and edit pages.

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
2025-12-03 21:37:23 +01:00

224 lines
8.1 KiB
JavaScript

// static/admin/js/user-edit.js
// Create custom logger for user edit
const userEditLog = window.LogConfig.createLogger('USER-EDIT');
function adminUserEdit() {
return {
// Inherit base layout functionality from init-alpine.js
...data(),
// User edit page specific state
currentPage: 'user-edit',
user: null,
formData: {},
errors: {},
loadingUser: false,
saving: false,
userId: null,
// Initialize
async init() {
userEditLog.info('=== USER EDIT PAGE INITIALIZING ===');
// Prevent multiple initializations
if (window._userEditInitialized) {
userEditLog.warn('User edit page already initialized, skipping...');
return;
}
window._userEditInitialized = true;
// Get user ID from URL
const path = window.location.pathname;
const match = path.match(/\/admin\/users\/(\d+)\/edit/);
if (match) {
this.userId = parseInt(match[1], 10);
userEditLog.info('Editing user:', this.userId);
await this.loadUser();
} else {
userEditLog.error('No user ID in URL');
Utils.showToast('Invalid user URL', 'error');
setTimeout(() => window.location.href = '/admin/users', 2000);
}
userEditLog.info('=== USER EDIT PAGE INITIALIZATION COMPLETE ===');
},
// Load user data
async loadUser() {
userEditLog.info('Loading user data...');
this.loadingUser = true;
try {
const url = `/admin/users/${this.userId}`;
window.LogConfig.logApiCall('GET', url, null, 'request');
const startTime = performance.now();
const response = await apiClient.get(url);
const duration = performance.now() - startTime;
window.LogConfig.logApiCall('GET', url, response, 'response');
window.LogConfig.logPerformance('Load User', duration);
this.user = response;
// Initialize form data
this.formData = {
username: response.username || '',
email: response.email || '',
first_name: response.first_name || '',
last_name: response.last_name || '',
role: response.role || 'vendor',
is_email_verified: response.is_email_verified || false
};
userEditLog.info(`User loaded in ${duration}ms`, {
user_id: this.user.id,
username: this.user.username
});
userEditLog.debug('Form data initialized:', this.formData);
} catch (error) {
window.LogConfig.logError(error, 'Load User');
Utils.showToast('Failed to load user', 'error');
setTimeout(() => window.location.href = '/admin/users', 2000);
} finally {
this.loadingUser = false;
}
},
// Format date
formatDate(dateString) {
if (!dateString) {
return '-';
}
return Utils.formatDate(dateString);
},
// Submit form
async handleSubmit() {
userEditLog.info('=== SUBMITTING USER UPDATE ===');
userEditLog.debug('Form data:', this.formData);
this.errors = {};
this.saving = true;
try {
const url = `/admin/users/${this.userId}`;
window.LogConfig.logApiCall('PUT', url, this.formData, 'request');
const startTime = performance.now();
const response = await apiClient.put(url, this.formData);
const duration = performance.now() - startTime;
window.LogConfig.logApiCall('PUT', url, response, 'response');
window.LogConfig.logPerformance('Update User', duration);
this.user = response;
Utils.showToast('User updated successfully', 'success');
userEditLog.info(`User updated successfully in ${duration}ms`, response);
} catch (error) {
window.LogConfig.logError(error, 'Update User');
// Handle validation errors
if (error.details && error.details.validation_errors) {
error.details.validation_errors.forEach(err => {
const field = err.loc?.[1] || err.loc?.[0];
if (field) {
this.errors[field] = err.msg;
}
});
userEditLog.debug('Validation errors:', this.errors);
}
Utils.showToast(error.message || 'Failed to update user', 'error');
} finally {
this.saving = false;
userEditLog.info('=== USER UPDATE COMPLETE ===');
}
},
// Toggle user status
async toggleStatus() {
const action = this.user.is_active ? 'deactivate' : 'activate';
userEditLog.info(`Toggle status: ${action}`);
if (!confirm(`Are you sure you want to ${action} ${this.user.username}?`)) {
userEditLog.info('Status toggle cancelled by user');
return;
}
this.saving = true;
try {
const url = `/admin/users/${this.userId}/status`;
window.LogConfig.logApiCall('PUT', url, null, 'request');
const response = await apiClient.put(url);
window.LogConfig.logApiCall('PUT', url, response, 'response');
this.user.is_active = response.is_active;
Utils.showToast(`User ${action}d successfully`, 'success');
userEditLog.info(`User ${action}d successfully`);
} catch (error) {
window.LogConfig.logError(error, `Toggle Status (${action})`);
Utils.showToast(error.message || `Failed to ${action} user`, 'error');
} finally {
this.saving = false;
}
},
// Delete user
async deleteUser() {
userEditLog.info('=== DELETING USER ===');
if (this.user.owned_companies_count > 0) {
Utils.showToast(`Cannot delete user who owns ${this.user.owned_companies_count} company(ies). Transfer ownership first.`, 'error');
return;
}
if (!confirm(`Are you sure you want to delete user "${this.user.username}"?\n\nThis action cannot be undone.`)) {
userEditLog.info('User deletion cancelled by user');
return;
}
// Double confirmation for critical action
if (!confirm(`FINAL CONFIRMATION: Delete "${this.user.username}"?\n\nThis will permanently delete the user.`)) {
userEditLog.info('User deletion cancelled at final confirmation');
return;
}
this.saving = true;
try {
const url = `/admin/users/${this.userId}`;
window.LogConfig.logApiCall('DELETE', url, null, 'request');
await apiClient.delete(url);
window.LogConfig.logApiCall('DELETE', url, null, 'response');
Utils.showToast('User deleted successfully', 'success');
userEditLog.info('User deleted successfully');
// Redirect to users list
setTimeout(() => {
window.location.href = '/admin/users';
}, 1500);
} catch (error) {
window.LogConfig.logError(error, 'Delete User');
Utils.showToast(error.message || 'Failed to delete user', 'error');
} finally {
this.saving = false;
userEditLog.info('=== USER DELETION COMPLETE ===');
}
}
};
}
userEditLog.info('User edit module loaded');