- Add loading: false to 5 components for JS-007 compliance - Add try/catch to async init() functions for JS-006 compliance - Remove noqa comments from company-edit, vendor-edit, user-edit 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
393 lines
15 KiB
JavaScript
393 lines
15 KiB
JavaScript
// static/admin/js/company-edit.js
|
|
|
|
// Create custom logger for company edit
|
|
const companyEditLog = window.LogConfig.createLogger('COMPANY-EDIT');
|
|
|
|
function adminCompanyEdit() {
|
|
return {
|
|
// Inherit base layout functionality from init-alpine.js
|
|
...data(),
|
|
|
|
// Company edit page specific state
|
|
currentPage: 'company-edit',
|
|
loading: false,
|
|
company: null,
|
|
formData: {},
|
|
errors: {},
|
|
loadingCompany: false,
|
|
saving: false,
|
|
companyId: null,
|
|
|
|
// Transfer ownership state
|
|
showTransferOwnershipModal: false,
|
|
transferring: false,
|
|
transferData: {
|
|
new_owner_user_id: null,
|
|
confirm_transfer: false,
|
|
transfer_reason: ''
|
|
},
|
|
|
|
// User search state
|
|
userSearchQuery: '',
|
|
userSearchResults: [],
|
|
selectedUser: null,
|
|
showUserDropdown: false,
|
|
searchingUsers: false,
|
|
searchDebounceTimer: null,
|
|
showConfirmError: false,
|
|
showOwnerError: false,
|
|
|
|
// Initialize
|
|
async init() {
|
|
companyEditLog.info('=== COMPANY EDIT PAGE INITIALIZING ===');
|
|
|
|
// Prevent multiple initializations
|
|
if (window._companyEditInitialized) {
|
|
companyEditLog.warn('Company edit page already initialized, skipping...');
|
|
return;
|
|
}
|
|
window._companyEditInitialized = true;
|
|
|
|
try {
|
|
// Get company ID from URL
|
|
const path = window.location.pathname;
|
|
const match = path.match(/\/admin\/companies\/(\d+)\/edit/);
|
|
|
|
if (match) {
|
|
this.companyId = parseInt(match[1], 10);
|
|
companyEditLog.info('Editing company:', this.companyId);
|
|
await this.loadCompany();
|
|
} else {
|
|
companyEditLog.error('No company ID in URL');
|
|
Utils.showToast('Invalid company URL', 'error');
|
|
setTimeout(() => window.location.href = '/admin/companies', 2000);
|
|
}
|
|
|
|
companyEditLog.info('=== COMPANY EDIT PAGE INITIALIZATION COMPLETE ===');
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Company Edit Init');
|
|
Utils.showToast('Failed to initialize page', 'error');
|
|
}
|
|
},
|
|
|
|
// Load company data
|
|
async loadCompany() {
|
|
companyEditLog.info('Loading company data...');
|
|
this.loadingCompany = true;
|
|
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}`;
|
|
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 Company', duration);
|
|
|
|
this.company = response;
|
|
|
|
// Initialize form data
|
|
this.formData = {
|
|
name: response.name || '',
|
|
description: response.description || '',
|
|
contact_email: response.contact_email || '',
|
|
contact_phone: response.contact_phone || '',
|
|
website: response.website || '',
|
|
business_address: response.business_address || '',
|
|
tax_number: response.tax_number || ''
|
|
};
|
|
|
|
companyEditLog.info(`Company loaded in ${duration}ms`, {
|
|
company_id: this.company.id,
|
|
name: this.company.name
|
|
});
|
|
companyEditLog.debug('Form data initialized:', this.formData);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Load Company');
|
|
Utils.showToast('Failed to load company', 'error');
|
|
setTimeout(() => window.location.href = '/admin/companies', 2000);
|
|
} finally {
|
|
this.loadingCompany = false;
|
|
}
|
|
},
|
|
|
|
// Submit form
|
|
async handleSubmit() {
|
|
companyEditLog.info('=== SUBMITTING COMPANY UPDATE ===');
|
|
companyEditLog.debug('Form data:', this.formData);
|
|
|
|
this.errors = {};
|
|
this.saving = true;
|
|
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}`;
|
|
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 Company', duration);
|
|
|
|
this.company = response;
|
|
Utils.showToast('Company updated successfully', 'success');
|
|
companyEditLog.info(`Company updated successfully in ${duration}ms`, response);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Update Company');
|
|
|
|
// 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;
|
|
}
|
|
});
|
|
companyEditLog.debug('Validation errors:', this.errors);
|
|
}
|
|
|
|
Utils.showToast(error.message || 'Failed to update company', 'error');
|
|
} finally {
|
|
this.saving = false;
|
|
companyEditLog.info('=== COMPANY UPDATE COMPLETE ===');
|
|
}
|
|
},
|
|
|
|
// Toggle verification
|
|
async toggleVerification() {
|
|
const action = this.company.is_verified ? 'unverify' : 'verify';
|
|
companyEditLog.info(`Toggle verification: ${action}`);
|
|
|
|
if (!confirm(`Are you sure you want to ${action} this company?`)) {
|
|
companyEditLog.info('Verification toggle cancelled by user');
|
|
return;
|
|
}
|
|
|
|
this.saving = true;
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}/verification`;
|
|
const payload = { is_verified: !this.company.is_verified };
|
|
|
|
window.LogConfig.logApiCall('PUT', url, payload, 'request');
|
|
|
|
const response = await apiClient.put(url, payload);
|
|
|
|
window.LogConfig.logApiCall('PUT', url, response, 'response');
|
|
|
|
this.company = response;
|
|
Utils.showToast(`Company ${action}ed successfully`, 'success');
|
|
companyEditLog.info(`Company ${action}ed successfully`);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, `Toggle Verification (${action})`);
|
|
Utils.showToast(`Failed to ${action} company`, 'error');
|
|
} finally {
|
|
this.saving = false;
|
|
}
|
|
},
|
|
|
|
// Toggle active status
|
|
async toggleActive() {
|
|
const action = this.company.is_active ? 'deactivate' : 'activate';
|
|
companyEditLog.info(`Toggle active status: ${action}`);
|
|
|
|
if (!confirm(`Are you sure you want to ${action} this company?\n\nThis will affect all vendors under this company.`)) {
|
|
companyEditLog.info('Active status toggle cancelled by user');
|
|
return;
|
|
}
|
|
|
|
this.saving = true;
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}/status`;
|
|
const payload = { is_active: !this.company.is_active };
|
|
|
|
window.LogConfig.logApiCall('PUT', url, payload, 'request');
|
|
|
|
const response = await apiClient.put(url, payload);
|
|
|
|
window.LogConfig.logApiCall('PUT', url, response, 'response');
|
|
|
|
this.company = response;
|
|
Utils.showToast(`Company ${action}d successfully`, 'success');
|
|
companyEditLog.info(`Company ${action}d successfully`);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, `Toggle Active Status (${action})`);
|
|
Utils.showToast(`Failed to ${action} company`, 'error');
|
|
} finally {
|
|
this.saving = false;
|
|
}
|
|
},
|
|
|
|
// Transfer company ownership
|
|
async transferOwnership() {
|
|
companyEditLog.info('=== TRANSFERRING COMPANY OWNERSHIP ===');
|
|
companyEditLog.debug('Transfer data:', this.transferData);
|
|
|
|
if (!this.transferData.new_owner_user_id) {
|
|
this.showOwnerError = true;
|
|
return;
|
|
}
|
|
|
|
if (!this.transferData.confirm_transfer) {
|
|
this.showConfirmError = true;
|
|
return;
|
|
}
|
|
|
|
// Clear errors
|
|
this.showOwnerError = false;
|
|
this.showConfirmError = false;
|
|
|
|
this.transferring = true;
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}/transfer-ownership`;
|
|
const payload = {
|
|
new_owner_user_id: parseInt(this.transferData.new_owner_user_id, 10),
|
|
confirm_transfer: true,
|
|
transfer_reason: this.transferData.transfer_reason || null
|
|
};
|
|
|
|
window.LogConfig.logApiCall('POST', url, payload, 'request');
|
|
|
|
const response = await apiClient.post(url, payload);
|
|
|
|
window.LogConfig.logApiCall('POST', url, response, 'response');
|
|
|
|
Utils.showToast('Ownership transferred successfully', 'success');
|
|
companyEditLog.info('Ownership transferred successfully', response);
|
|
|
|
// Close modal and reload company data
|
|
this.showTransferOwnershipModal = false;
|
|
this.resetTransferData();
|
|
await this.loadCompany();
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Transfer Ownership');
|
|
Utils.showToast(error.message || 'Failed to transfer ownership', 'error');
|
|
} finally {
|
|
this.transferring = false;
|
|
companyEditLog.info('=== OWNERSHIP TRANSFER COMPLETE ===');
|
|
}
|
|
},
|
|
|
|
// Reset transfer data
|
|
resetTransferData() {
|
|
this.transferData = {
|
|
new_owner_user_id: null,
|
|
confirm_transfer: false,
|
|
transfer_reason: ''
|
|
};
|
|
this.userSearchQuery = '';
|
|
this.userSearchResults = [];
|
|
this.selectedUser = null;
|
|
this.showUserDropdown = false;
|
|
this.showConfirmError = false;
|
|
this.showOwnerError = false;
|
|
},
|
|
|
|
// Search users for transfer ownership
|
|
searchUsers() {
|
|
// Debounce search
|
|
clearTimeout(this.searchDebounceTimer);
|
|
|
|
if (this.userSearchQuery.length < 2) {
|
|
this.userSearchResults = [];
|
|
this.showUserDropdown = false;
|
|
return;
|
|
}
|
|
|
|
this.searchDebounceTimer = setTimeout(async () => {
|
|
companyEditLog.info('Searching users:', this.userSearchQuery);
|
|
this.searchingUsers = true;
|
|
this.showUserDropdown = true;
|
|
|
|
try {
|
|
const url = `/admin/users/search?q=${encodeURIComponent(this.userSearchQuery)}&limit=10`;
|
|
const response = await apiClient.get(url);
|
|
|
|
this.userSearchResults = response.users || response || [];
|
|
companyEditLog.debug('User search results:', this.userSearchResults);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Search Users');
|
|
this.userSearchResults = [];
|
|
} finally {
|
|
this.searchingUsers = false;
|
|
}
|
|
}, 300);
|
|
},
|
|
|
|
// Select a user from search results
|
|
selectUser(user) {
|
|
companyEditLog.info('Selected user:', user);
|
|
this.selectedUser = user;
|
|
this.transferData.new_owner_user_id = user.id;
|
|
this.userSearchQuery = user.username;
|
|
this.showUserDropdown = false;
|
|
this.userSearchResults = [];
|
|
},
|
|
|
|
// Clear selected user
|
|
clearSelectedUser() {
|
|
this.selectedUser = null;
|
|
this.transferData.new_owner_user_id = null;
|
|
this.userSearchQuery = '';
|
|
this.userSearchResults = [];
|
|
},
|
|
|
|
// Delete company
|
|
async deleteCompany() {
|
|
companyEditLog.info('=== DELETING COMPANY ===');
|
|
|
|
if (this.company.vendor_count > 0) {
|
|
Utils.showToast(`Cannot delete company with ${this.company.vendor_count} vendors. Remove vendors first.`, 'error');
|
|
return;
|
|
}
|
|
|
|
if (!confirm(`Are you sure you want to delete company "${this.company.name}"?\n\nThis action cannot be undone.`)) {
|
|
companyEditLog.info('Company deletion cancelled by user');
|
|
return;
|
|
}
|
|
|
|
// Double confirmation for critical action
|
|
if (!confirm(`FINAL CONFIRMATION: Delete "${this.company.name}"?\n\nThis will permanently delete the company and all its data.`)) {
|
|
companyEditLog.info('Company deletion cancelled at final confirmation');
|
|
return;
|
|
}
|
|
|
|
this.saving = true;
|
|
try {
|
|
const url = `/admin/companies/${this.companyId}?confirm=true`;
|
|
|
|
window.LogConfig.logApiCall('DELETE', url, null, 'request');
|
|
|
|
const response = await apiClient.delete(url);
|
|
|
|
window.LogConfig.logApiCall('DELETE', url, response, 'response');
|
|
|
|
Utils.showToast('Company deleted successfully', 'success');
|
|
companyEditLog.info('Company deleted successfully');
|
|
|
|
// Redirect to companies list
|
|
setTimeout(() => {
|
|
window.location.href = '/admin/companies';
|
|
}, 1500);
|
|
|
|
} catch (error) {
|
|
window.LogConfig.logError(error, 'Delete Company');
|
|
Utils.showToast(error.message || 'Failed to delete company', 'error');
|
|
} finally {
|
|
this.saving = false;
|
|
companyEditLog.info('=== COMPANY DELETION COMPLETE ===');
|
|
}
|
|
}
|
|
};
|
|
}
|
|
|
|
companyEditLog.info('Company edit module loaded');
|