Causa raíz del error 400: El código estaba usando formato JSON cuando WordPress AJAX requiere application/x-www-form-urlencoded.
## Problema
**Error:** POST admin-ajax.php 400 (Bad Request)
**Causas:**
1. JavaScript enviaba datos como JSON (`Content-Type: application/json`)
2. PHP usaba `json_decode(file_get_contents('php://input'))`
3. WordPress AJAX espera `$_POST` con `action` y `nonce`
## Solución
### JavaScript (admin-app.js)
```javascript
// ANTES (❌ Incorrecto)
data: JSON.stringify({
action: 'apus_save_settings',
nonce: apusAdminData.nonce,
...formData
})
// AHORA (✅ Correcto)
const postData = new URLSearchParams();
postData.append('action', 'apus_save_settings');
postData.append('nonce', apusAdminData.nonce);
postData.append('components', JSON.stringify(formData.components));
```
### PHP (class-settings-manager.php)
```php
// ANTES (❌ Incorrecto)
$data = json_decode(file_get_contents('php://input'), true);
// AHORA (✅ Correcto)
$components = json_decode(stripslashes($_POST['components']), true);
```
### Cambios Aplicados
**admin-app.js:**
- Usar `URLSearchParams` en lugar de `JSON.stringify`
- Header `application/x-www-form-urlencoded`
- Enviar `components` como JSON string en parámetro POST
**class-settings-manager.php:**
- Verificar nonce con `wp_verify_nonce($_POST['nonce'])`
- Parsear `$_POST['components']` como JSON
- Mensajes de error más descriptivos
## WordPress AJAX Requirements
1. ✅ `action` en $_POST
2. ✅ `nonce` en $_POST
3. ✅ Content-Type: application/x-www-form-urlencoded
4. ✅ Usar $_POST, no php://input
🤖 Generated with [Claude Code](https://claude.com/claude-code)
Co-Authored-By: Claude <noreply@anthropic.com>
281 lines
8.1 KiB
JavaScript
281 lines
8.1 KiB
JavaScript
/**
|
|
* Admin Panel Application
|
|
*
|
|
* Gestión de configuraciones de componentes del tema
|
|
*
|
|
* @package Apus_Theme
|
|
* @since 2.0.0
|
|
*/
|
|
|
|
const AdminPanel = {
|
|
/**
|
|
* Estado de la aplicación
|
|
*/
|
|
STATE: {
|
|
settings: {},
|
|
hasChanges: false,
|
|
isLoading: false
|
|
},
|
|
|
|
/**
|
|
* Inicializar aplicación
|
|
*/
|
|
init() {
|
|
this.bindEvents();
|
|
this.loadSettings();
|
|
},
|
|
|
|
/**
|
|
* Vincular eventos
|
|
*/
|
|
bindEvents() {
|
|
// Botón guardar
|
|
document.getElementById('saveSettings').addEventListener('click', () => {
|
|
this.saveSettings();
|
|
});
|
|
|
|
// Detectar cambios en formularios
|
|
document.querySelectorAll('input, select, textarea').forEach(input => {
|
|
input.addEventListener('change', () => {
|
|
this.STATE.hasChanges = true;
|
|
document.getElementById('saveSettings').disabled = false;
|
|
});
|
|
});
|
|
|
|
// Tabs
|
|
const tabs = document.querySelectorAll('.nav-tabs .nav-link');
|
|
tabs.forEach(tab => {
|
|
tab.addEventListener('click', (e) => {
|
|
e.preventDefault();
|
|
this.switchTab(tab);
|
|
});
|
|
});
|
|
},
|
|
|
|
/**
|
|
* Cambiar tab
|
|
*/
|
|
switchTab(tab) {
|
|
// Remover active de todos
|
|
document.querySelectorAll('.nav-tabs .nav-link').forEach(t => {
|
|
t.classList.remove('active');
|
|
});
|
|
document.querySelectorAll('.tab-pane').forEach(pane => {
|
|
pane.classList.remove('show', 'active');
|
|
});
|
|
|
|
// Activar seleccionado
|
|
tab.classList.add('active');
|
|
const targetId = tab.getAttribute('data-bs-target').substring(1);
|
|
const targetPane = document.getElementById(targetId);
|
|
if (targetPane) {
|
|
targetPane.classList.add('show', 'active');
|
|
}
|
|
},
|
|
|
|
/**
|
|
* Cargar configuraciones desde servidor
|
|
*/
|
|
async loadSettings() {
|
|
this.STATE.isLoading = true;
|
|
this.showSpinner(true);
|
|
|
|
try {
|
|
const response = await axios({
|
|
method: 'POST',
|
|
url: apusAdminData.ajaxUrl,
|
|
data: new URLSearchParams({
|
|
action: 'apus_get_settings',
|
|
nonce: apusAdminData.nonce
|
|
})
|
|
});
|
|
|
|
if (response.data.success) {
|
|
this.STATE.settings = response.data.data;
|
|
this.renderAllComponents();
|
|
} else {
|
|
this.showNotice('Error al cargar configuraciones', 'error');
|
|
}
|
|
} catch (error) {
|
|
console.error('Error loading settings:', error);
|
|
this.showNotice('Error de conexión', 'error');
|
|
} finally {
|
|
this.STATE.isLoading = false;
|
|
this.showSpinner(false);
|
|
}
|
|
},
|
|
|
|
/**
|
|
* Guardar configuraciones al servidor
|
|
*/
|
|
async saveSettings() {
|
|
if (!this.STATE.hasChanges) {
|
|
this.showNotice('No hay cambios para guardar', 'info');
|
|
return;
|
|
}
|
|
|
|
this.showSpinner(true);
|
|
|
|
try {
|
|
const formData = this.collectFormData();
|
|
|
|
// Crear FormData para WordPress AJAX
|
|
const postData = new URLSearchParams();
|
|
postData.append('action', 'apus_save_settings');
|
|
postData.append('nonce', apusAdminData.nonce);
|
|
|
|
// Agregar components como JSON string
|
|
postData.append('components', JSON.stringify(formData.components));
|
|
|
|
const response = await axios({
|
|
method: 'POST',
|
|
url: apusAdminData.ajaxUrl,
|
|
headers: {
|
|
'Content-Type': 'application/x-www-form-urlencoded'
|
|
},
|
|
data: postData
|
|
});
|
|
|
|
if (response.data.success) {
|
|
this.STATE.hasChanges = false;
|
|
document.getElementById('saveSettings').disabled = true;
|
|
this.showNotice('Configuración guardada correctamente', 'success');
|
|
} else {
|
|
this.showNotice(response.data.data.message || 'Error al guardar', 'error');
|
|
}
|
|
} catch (error) {
|
|
console.error('Error saving settings:', error);
|
|
this.showNotice('Error de conexión', 'error');
|
|
} finally {
|
|
this.showSpinner(false);
|
|
}
|
|
},
|
|
|
|
/**
|
|
* Recolectar datos del formulario
|
|
* Cada componente agregará su sección aquí
|
|
*/
|
|
collectFormData() {
|
|
return {
|
|
components: {
|
|
top_bar: {
|
|
enabled: document.getElementById('topBarEnabled').checked,
|
|
show_on_mobile: document.getElementById('topBarShowOnMobile').checked,
|
|
show_on_desktop: document.getElementById('topBarShowOnDesktop').checked,
|
|
icon_class: document.getElementById('topBarIconClass').value.trim(),
|
|
show_icon: document.getElementById('topBarShowIcon').checked,
|
|
highlight_text: document.getElementById('topBarHighlightText').value.trim(),
|
|
message_text: document.getElementById('topBarMessageText').value.trim(),
|
|
link_text: document.getElementById('topBarLinkText').value.trim(),
|
|
link_url: document.getElementById('topBarLinkUrl').value.trim(),
|
|
link_target: document.getElementById('topBarLinkTarget').value,
|
|
show_link: document.getElementById('topBarShowLink').checked,
|
|
custom_styles: {
|
|
background_color: this.getColorValue('topBarBgColor', ''),
|
|
text_color: this.getColorValue('topBarTextColor', ''),
|
|
highlight_color: this.getColorValue('topBarHighlightColor', ''),
|
|
link_hover_color: this.getColorValue('topBarLinkHoverColor', ''),
|
|
font_size: document.getElementById('topBarFontSize').value
|
|
}
|
|
}
|
|
// Navbar - Pendiente
|
|
// Hero - Pendiente
|
|
// Footer - Pendiente
|
|
}
|
|
};
|
|
},
|
|
|
|
/**
|
|
* Renderizar todos los componentes
|
|
*/
|
|
renderAllComponents() {
|
|
const components = this.STATE.settings.components || {};
|
|
|
|
// Top Bar
|
|
if (components.top_bar) {
|
|
this.renderTopBar(components.top_bar);
|
|
}
|
|
// Navbar - Pendiente
|
|
// Hero - Pendiente
|
|
// Footer - Pendiente
|
|
},
|
|
|
|
/**
|
|
* Renderizar Top Bar
|
|
*/
|
|
renderTopBar(topBar) {
|
|
document.getElementById('topBarEnabled').checked = topBar.enabled !== undefined ? topBar.enabled : true;
|
|
document.getElementById('topBarShowOnMobile').checked = topBar.show_on_mobile !== undefined ? topBar.show_on_mobile : true;
|
|
document.getElementById('topBarShowOnDesktop').checked = topBar.show_on_desktop !== undefined ? topBar.show_on_desktop : true;
|
|
document.getElementById('topBarIconClass').value = topBar.icon_class || 'bi bi-megaphone-fill';
|
|
document.getElementById('topBarShowIcon').checked = topBar.show_icon !== undefined ? topBar.show_icon : true;
|
|
document.getElementById('topBarHighlightText').value = topBar.highlight_text || 'Nuevo:';
|
|
document.getElementById('topBarMessageText').value = topBar.message_text || 'Accede a más de 200,000 Análisis de Precios Unitarios actualizados para 2025.';
|
|
document.getElementById('topBarLinkText').value = topBar.link_text || 'Ver Catálogo';
|
|
document.getElementById('topBarLinkUrl').value = topBar.link_url || '/catalogo';
|
|
document.getElementById('topBarLinkTarget').value = topBar.link_target || '_self';
|
|
document.getElementById('topBarShowLink').checked = topBar.show_link !== undefined ? topBar.show_link : true;
|
|
|
|
// Estilos personalizados
|
|
if (topBar.custom_styles) {
|
|
if (topBar.custom_styles.background_color) {
|
|
document.getElementById('topBarBgColor').value = topBar.custom_styles.background_color;
|
|
}
|
|
if (topBar.custom_styles.text_color) {
|
|
document.getElementById('topBarTextColor').value = topBar.custom_styles.text_color;
|
|
}
|
|
if (topBar.custom_styles.highlight_color) {
|
|
document.getElementById('topBarHighlightColor').value = topBar.custom_styles.highlight_color;
|
|
}
|
|
if (topBar.custom_styles.link_hover_color) {
|
|
document.getElementById('topBarLinkHoverColor').value = topBar.custom_styles.link_hover_color;
|
|
}
|
|
document.getElementById('topBarFontSize').value = topBar.custom_styles.font_size || 'normal';
|
|
}
|
|
},
|
|
|
|
/**
|
|
* Utilidad: Obtener valor de color con fallback
|
|
*/
|
|
getColorValue(inputId, defaultValue) {
|
|
const input = document.getElementById(inputId);
|
|
const value = input ? input.value.trim() : '';
|
|
return value || defaultValue;
|
|
},
|
|
|
|
/**
|
|
* Utilidad: Mostrar spinner
|
|
*/
|
|
showSpinner(show) {
|
|
const spinner = document.querySelector('.spinner');
|
|
if (spinner) {
|
|
spinner.style.display = show ? 'inline-block' : 'none';
|
|
}
|
|
},
|
|
|
|
/**
|
|
* Utilidad: Mostrar notificación
|
|
*/
|
|
showNotice(message, type = 'info') {
|
|
// WordPress admin notices
|
|
const noticeDiv = document.createElement('div');
|
|
noticeDiv.className = `notice notice-${type} is-dismissible`;
|
|
noticeDiv.innerHTML = `<p>${message}</p>`;
|
|
|
|
const container = document.querySelector('.apus-admin-panel');
|
|
if (container) {
|
|
container.insertBefore(noticeDiv, container.firstChild);
|
|
|
|
// Auto-dismiss después de 5 segundos
|
|
setTimeout(() => {
|
|
noticeDiv.remove();
|
|
}, 5000);
|
|
}
|
|
}
|
|
};
|
|
|
|
// Inicializar cuando el DOM esté listo
|
|
document.addEventListener('DOMContentLoaded', () => {
|
|
AdminPanel.init();
|
|
});
|