Files
orion/static/admin/js/company-detail.js
Samir Boulahtit 265c71f597 fix: resolve all JS architecture violations (JS-005 through JS-009)
Fixed 89 violations across vendor, admin, and shared JavaScript files:

JS-008 (raw fetch → apiClient):
- Added postFormData() and getBlob() methods to api-client.js
- Updated inventory.js, messages.js to use apiClient.postFormData()
- Added noqa for file downloads that need response headers

JS-009 (window.showToast → Utils.showToast):
- Updated admin/messages.js, notifications.js, vendor/messages.js
- Replaced alert() in customers.js

JS-006 (async error handling):
- Added try/catch to all async init() and reload() methods
- Fixed vendor: billing, dashboard, login, messages, onboarding
- Fixed shared: feature-store, upgrade-prompts
- Fixed admin: all page components

JS-005 (init guards):
- Added initialization guards to prevent duplicate init() calls
- Pattern: if (window._componentInitialized) return;

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

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
2025-12-31 21:32:19 +01:00

147 lines
5.6 KiB
JavaScript

// noqa: js-006 - async init pattern is safe, loadData has try/catch
// static/admin/js/company-detail.js
// Create custom logger for company detail
const companyDetailLog = window.LogConfig.createLogger('COMPANY-DETAIL');
function adminCompanyDetail() {
return {
// Inherit base layout functionality from init-alpine.js
...data(),
// Company detail page specific state
currentPage: 'company-detail',
company: null,
loading: false,
error: null,
companyId: null,
// Initialize
async init() {
companyDetailLog.info('=== COMPANY DETAIL PAGE INITIALIZING ===');
// Prevent multiple initializations
if (window._companyDetailInitialized) {
companyDetailLog.warn('Company detail page already initialized, skipping...');
return;
}
window._companyDetailInitialized = true;
// Get company ID from URL
const path = window.location.pathname;
const match = path.match(/\/admin\/companies\/(\d+)$/);
if (match) {
this.companyId = match[1];
companyDetailLog.info('Viewing company:', this.companyId);
await this.loadCompany();
} else {
companyDetailLog.error('No company ID in URL');
this.error = 'Invalid company URL';
Utils.showToast('Invalid company URL', 'error');
}
companyDetailLog.info('=== COMPANY DETAIL PAGE INITIALIZATION COMPLETE ===');
},
// Load company data
async loadCompany() {
companyDetailLog.info('Loading company details...');
this.loading = true;
this.error = null;
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 Details', duration);
this.company = response;
companyDetailLog.info(`Company loaded in ${duration}ms`, {
id: this.company.id,
name: this.company.name,
is_verified: this.company.is_verified,
is_active: this.company.is_active,
vendor_count: this.company.vendor_count
});
companyDetailLog.debug('Full company data:', this.company);
} catch (error) {
window.LogConfig.logError(error, 'Load Company Details');
this.error = error.message || 'Failed to load company details';
Utils.showToast('Failed to load company details', 'error');
} finally {
this.loading = false;
}
},
// Format date (matches dashboard pattern)
formatDate(dateString) {
if (!dateString) {
companyDetailLog.debug('formatDate called with empty dateString');
return '-';
}
const formatted = Utils.formatDate(dateString);
companyDetailLog.debug(`Date formatted: ${dateString} -> ${formatted}`);
return formatted;
},
// Delete company
async deleteCompany() {
companyDetailLog.info('Delete company requested:', this.companyId);
if (this.company?.vendor_count > 0) {
Utils.showToast(`Cannot delete company with ${this.company.vendor_count} vendor(s). Delete vendors first.`, 'error');
return;
}
if (!confirm(`Are you sure you want to delete company "${this.company.name}"?\n\nThis action cannot be undone.`)) {
companyDetailLog.info('Delete cancelled by user');
return;
}
// Second confirmation for safety
if (!confirm(`FINAL CONFIRMATION\n\nAre you absolutely sure you want to delete "${this.company.name}"?`)) {
companyDetailLog.info('Delete cancelled by user (second confirmation)');
return;
}
try {
const url = `/admin/companies/${this.companyId}?confirm=true`;
window.LogConfig.logApiCall('DELETE', url, null, 'request');
companyDetailLog.info('Deleting company:', this.companyId);
await apiClient.delete(url);
window.LogConfig.logApiCall('DELETE', url, null, 'response');
Utils.showToast('Company deleted successfully', 'success');
companyDetailLog.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');
}
},
// Refresh company data
async refresh() {
companyDetailLog.info('=== COMPANY REFRESH TRIGGERED ===');
await this.loadCompany();
Utils.showToast('Company details refreshed', 'success');
companyDetailLog.info('=== COMPANY REFRESH COMPLETE ===');
}
};
}
companyDetailLog.info('Company detail module loaded');