767 lines
30 KiB
JavaScript
767 lines
30 KiB
JavaScript
import { api } from "../lib/api.js";
|
|
|
|
class ProductsCrud extends HTMLElement {
|
|
constructor() {
|
|
super();
|
|
this.attachShadow({ mode: "open" });
|
|
this.items = [];
|
|
this.selectedItems = []; // Array de productos seleccionados
|
|
this.lastClickedIndex = -1; // Para Shift+Click
|
|
this.loading = false;
|
|
this.searchQuery = "";
|
|
this.stockFilter = false;
|
|
|
|
this.shadowRoot.innerHTML = `
|
|
<style>
|
|
:host { display:block; height:100%; padding:16px; overflow:hidden; }
|
|
* { box-sizing:border-box; font-family:system-ui,Segoe UI,Roboto,Arial; }
|
|
.container { display:grid; grid-template-columns:1fr 1fr; gap:16px; height:100%; }
|
|
.panel { background:#121823; border:1px solid #1e2a3a; border-radius:10px; padding:16px; overflow:hidden; display:flex; flex-direction:column; }
|
|
.panel-title { font-size:14px; font-weight:700; color:#8aa0b5; text-transform:uppercase; letter-spacing:.4px; margin-bottom:12px; }
|
|
|
|
.toolbar { display:flex; gap:8px; margin-bottom:12px; }
|
|
input, select { background:#0f1520; color:#e7eef7; border:1px solid #253245; border-radius:8px; padding:8px 12px; font-size:13px; }
|
|
input:focus, select:focus { outline:none; border-color:#1f6feb; }
|
|
input { flex:1; }
|
|
button { cursor:pointer; background:#1f6feb; color:#fff; border:none; border-radius:8px; padding:8px 16px; font-size:13px; }
|
|
button:hover { background:#1a5fd0; }
|
|
button:disabled { opacity:.5; cursor:not-allowed; }
|
|
button.secondary { background:#253245; }
|
|
button.secondary:hover { background:#2d3e52; }
|
|
|
|
.list { flex:1; overflow-y:auto; }
|
|
.item { background:#0f1520; border:1px solid #253245; border-radius:8px; padding:12px; margin-bottom:8px; cursor:pointer; transition:all .15s; user-select:none; }
|
|
.item:hover { border-color:#1f6feb; }
|
|
.item.active { border-color:#1f6feb; background:#111b2a; }
|
|
.item.selected { border-color:#2ecc71; background:#0f2a1a; }
|
|
.item-name { font-weight:600; color:#e7eef7; margin-bottom:4px; }
|
|
.item-meta { font-size:12px; color:#8aa0b5; }
|
|
.item-price { color:#2ecc71; font-weight:600; }
|
|
|
|
.detail { flex:1; overflow-y:auto; }
|
|
.detail-empty { color:#8aa0b5; text-align:center; padding:40px; }
|
|
.field { margin-bottom:16px; }
|
|
.field label { display:block; font-size:12px; color:#8aa0b5; margin-bottom:4px; text-transform:uppercase; letter-spacing:.4px; }
|
|
.field-value { background:#0f1520; border:1px solid #253245; border-radius:8px; padding:10px 12px; color:#e7eef7; font-size:13px; }
|
|
.field-value.json { font-family:monospace; font-size:11px; white-space:pre-wrap; max-height:200px; overflow-y:auto; }
|
|
|
|
.stats { display:flex; gap:16px; margin-bottom:16px; }
|
|
.stat { background:#0f1520; border:1px solid #253245; border-radius:8px; padding:12px; flex:1; text-align:center; cursor:pointer; transition:all .15s; }
|
|
.stat:hover { border-color:#1f6feb; }
|
|
.stat.active { border-color:#1f6feb; background:#111b2a; }
|
|
.stat-value { font-size:24px; font-weight:700; color:#1f6feb; }
|
|
.stat-label { font-size:11px; color:#8aa0b5; text-transform:uppercase; margin-top:4px; }
|
|
|
|
.loading { text-align:center; padding:40px; color:#8aa0b5; }
|
|
.badge { display:inline-block; padding:2px 8px; border-radius:999px; font-size:11px; background:#253245; color:#8aa0b5; margin-left:8px; }
|
|
.badge.stock { background:#0f2a1a; color:#2ecc71; }
|
|
.badge.nostock { background:#241214; color:#e74c3c; }
|
|
</style>
|
|
|
|
<div class="container">
|
|
<div class="panel">
|
|
<div class="panel-title">Productos</div>
|
|
<div class="stats">
|
|
<div class="stat" id="statTotal">
|
|
<div class="stat-value" id="totalCount">—</div>
|
|
<div class="stat-label">Total</div>
|
|
</div>
|
|
<div class="stat" id="statStock">
|
|
<div class="stat-value" id="inStockCount">—</div>
|
|
<div class="stat-label">En Stock</div>
|
|
</div>
|
|
</div>
|
|
<div class="toolbar">
|
|
<input type="text" id="search" placeholder="Buscar por nombre o SKU..." />
|
|
<button id="syncBtn" class="secondary" title="Reimportar todos los productos desde WooCommerce (solo emergencias)">Resincronizar</button>
|
|
</div>
|
|
<div class="list" id="list">
|
|
<div class="loading">Cargando productos...</div>
|
|
</div>
|
|
</div>
|
|
|
|
<div class="panel">
|
|
<div class="panel-title">Detalle</div>
|
|
<div class="detail" id="detail">
|
|
<div class="detail-empty">Seleccioná un producto para ver detalles</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
`;
|
|
}
|
|
|
|
connectedCallback() {
|
|
this.shadowRoot.getElementById("search").oninput = (e) => {
|
|
this.searchQuery = e.target.value;
|
|
clearTimeout(this._searchTimer);
|
|
this._searchTimer = setTimeout(() => this.load(), 300);
|
|
};
|
|
|
|
this.shadowRoot.getElementById("syncBtn").onclick = () => this.syncFromWoo();
|
|
|
|
// Stats click handlers
|
|
this.shadowRoot.getElementById("statTotal").onclick = () => {
|
|
this.stockFilter = false;
|
|
this.renderList();
|
|
this.updateStatStyles();
|
|
};
|
|
|
|
this.shadowRoot.getElementById("statStock").onclick = () => {
|
|
this.stockFilter = !this.stockFilter;
|
|
this.renderList();
|
|
this.updateStatStyles();
|
|
};
|
|
|
|
this.load();
|
|
}
|
|
|
|
updateStatStyles() {
|
|
const statTotal = this.shadowRoot.getElementById("statTotal");
|
|
const statStock = this.shadowRoot.getElementById("statStock");
|
|
statTotal.classList.toggle("active", !this.stockFilter);
|
|
statStock.classList.toggle("active", this.stockFilter);
|
|
}
|
|
|
|
async load() {
|
|
this.loading = true;
|
|
this.renderList();
|
|
|
|
try {
|
|
const data = await api.products({ q: this.searchQuery, limit: 2000 });
|
|
this.items = data.items || [];
|
|
this.loading = false;
|
|
this.renderList();
|
|
this.renderStats();
|
|
} catch (e) {
|
|
console.error("Error loading products:", e);
|
|
this.items = [];
|
|
this.loading = false;
|
|
this.renderList();
|
|
}
|
|
}
|
|
|
|
async syncFromWoo() {
|
|
// Mostrar confirmación antes de sincronizar
|
|
const confirmed = confirm(
|
|
"⚠️ Resincronización de emergencia\n\n" +
|
|
"Esto reimportará TODOS los productos desde WooCommerce y sobrescribirá los datos locales.\n\n" +
|
|
"Usar solo si:\n" +
|
|
"• La plataforma estuvo caída mientras se hacían cambios en Woo\n" +
|
|
"• Los webhooks no funcionaron correctamente\n" +
|
|
"• Necesitás una sincronización completa\n\n" +
|
|
"¿Continuar?"
|
|
);
|
|
|
|
if (!confirmed) return;
|
|
|
|
const btn = this.shadowRoot.getElementById("syncBtn");
|
|
btn.disabled = true;
|
|
btn.textContent = "Sincronizando...";
|
|
|
|
try {
|
|
const result = await api.syncFromWoo();
|
|
if (result.ok) {
|
|
alert(`Sincronización completada: ${result.synced} productos importados`);
|
|
} else {
|
|
alert("Error: " + (result.error || "Error desconocido"));
|
|
}
|
|
await this.load();
|
|
} catch (e) {
|
|
console.error("Error syncing products:", e);
|
|
alert("Error sincronizando: " + (e.message || e));
|
|
} finally {
|
|
btn.disabled = false;
|
|
btn.textContent = "Resincronizar";
|
|
}
|
|
}
|
|
|
|
renderStats() {
|
|
const total = this.items.length;
|
|
const inStock = this.items.filter(p => p.stock_status === "instock" || p.payload?.stock_status === "instock").length;
|
|
|
|
this.shadowRoot.getElementById("totalCount").textContent = total;
|
|
this.shadowRoot.getElementById("inStockCount").textContent = inStock;
|
|
}
|
|
|
|
/**
|
|
* Extrae todas las categorías únicas de todos los productos
|
|
*/
|
|
getAllCategories() {
|
|
const categoriesSet = new Set();
|
|
|
|
for (const p of this.items) {
|
|
try {
|
|
if (p.categories) {
|
|
const cats = typeof p.categories === 'string' ? JSON.parse(p.categories) : p.categories;
|
|
if (Array.isArray(cats)) {
|
|
cats.forEach(c => {
|
|
const name = c.name || c;
|
|
if (name) categoriesSet.add(name);
|
|
});
|
|
}
|
|
} else if (p.payload?.categories && Array.isArray(p.payload.categories)) {
|
|
p.payload.categories.forEach(c => {
|
|
const name = c.name || c;
|
|
if (name) categoriesSet.add(name);
|
|
});
|
|
}
|
|
} catch (e) { /* ignore parse errors */ }
|
|
}
|
|
|
|
return [...categoriesSet].sort((a, b) => a.localeCompare(b));
|
|
}
|
|
|
|
renderList() {
|
|
const list = this.shadowRoot.getElementById("list");
|
|
|
|
if (this.loading) {
|
|
list.innerHTML = `<div class="loading">Cargando productos...</div>`;
|
|
return;
|
|
}
|
|
|
|
// Filter items based on stock filter
|
|
const filteredItems = this.stockFilter
|
|
? this.items.filter(p => p.stock_status === "instock" || p.payload?.stock_status === "instock")
|
|
: this.items;
|
|
|
|
if (!filteredItems.length) {
|
|
list.innerHTML = `<div class="loading">No se encontraron productos</div>`;
|
|
return;
|
|
}
|
|
|
|
list.innerHTML = "";
|
|
this._filteredItems = filteredItems; // Guardar referencia para Shift+Click
|
|
|
|
for (let i = 0; i < filteredItems.length; i++) {
|
|
const item = filteredItems[i];
|
|
const el = document.createElement("div");
|
|
const isSelected = this.selectedItems.some(s => s.woo_product_id === item.woo_product_id);
|
|
const isSingleSelected = isSelected && this.selectedItems.length === 1;
|
|
el.className = "item" + (isSelected ? " selected" : "") + (isSingleSelected ? " active" : "");
|
|
el.dataset.index = i;
|
|
|
|
const price = item.price != null ? `$${Number(item.price).toLocaleString()}` : "—";
|
|
// SKU: puede venir de item.sku, item.payload.SKU (mayúsculas), o item.slug
|
|
const sku = item.sku || item.payload?.SKU || item.payload?.sku || item.slug || "—";
|
|
const stock = item.stock_status || item.payload?.stock_status || "unknown";
|
|
const stockBadge = stock === "instock"
|
|
? `<span class="badge stock">En stock</span>`
|
|
: `<span class="badge nostock">Sin stock</span>`;
|
|
|
|
// Mostrar unidad actual si está definida
|
|
const unit = item.sell_unit || item.payload?._sell_unit_override;
|
|
const unitBadge = unit ? `<span class="badge" style="background:#1a3a5c;color:#7eb8e7;">${unit === 'unit' ? 'Unidad' : 'Kg'}</span>` : '';
|
|
|
|
el.innerHTML = `
|
|
<div class="item-name">${item.name || "Sin nombre"} ${stockBadge} ${unitBadge}</div>
|
|
<div class="item-meta">
|
|
<span class="item-price">${price}</span> ·
|
|
SKU: ${sku} ·
|
|
ID: ${item.woo_product_id}
|
|
</div>
|
|
`;
|
|
|
|
el.onclick = (e) => this.handleItemClick(e, item, i);
|
|
|
|
list.appendChild(el);
|
|
}
|
|
}
|
|
|
|
handleItemClick(e, item, index) {
|
|
console.log("[products-crud] handleItemClick", { shift: e.shiftKey, ctrl: e.ctrlKey, index, item: item?.name });
|
|
|
|
if (e.shiftKey && this.lastClickedIndex >= 0) {
|
|
// Shift+Click: seleccionar rango
|
|
const start = Math.min(this.lastClickedIndex, index);
|
|
const end = Math.max(this.lastClickedIndex, index);
|
|
|
|
for (let i = start; i <= end; i++) {
|
|
const rangeItem = this._filteredItems[i];
|
|
if (!this.selectedItems.some(s => s.woo_product_id === rangeItem.woo_product_id)) {
|
|
this.selectedItems.push(rangeItem);
|
|
}
|
|
}
|
|
} else if (e.ctrlKey || e.metaKey) {
|
|
// Ctrl+Click: toggle individual
|
|
const idx = this.selectedItems.findIndex(s => s.woo_product_id === item.woo_product_id);
|
|
if (idx >= 0) {
|
|
this.selectedItems.splice(idx, 1);
|
|
} else {
|
|
this.selectedItems.push(item);
|
|
}
|
|
} else {
|
|
// Click normal: selección única
|
|
this.selectedItems = [item];
|
|
}
|
|
|
|
console.log("[products-crud] after click, selectedItems:", this.selectedItems.length, this.selectedItems.map(s => s.name));
|
|
|
|
this.lastClickedIndex = index;
|
|
this.renderList();
|
|
try {
|
|
this.renderDetail();
|
|
} catch (err) {
|
|
console.error("[products-crud] Error in renderDetail:", err);
|
|
const detail = this.shadowRoot.getElementById("detail");
|
|
detail.innerHTML = `<div class="detail-empty" style="color:#e74c3c;">Error: ${err.message}</div>`;
|
|
}
|
|
|
|
// Scroll detail panel to top
|
|
const detail = this.shadowRoot.getElementById("detail");
|
|
if (detail) detail.scrollTop = 0;
|
|
}
|
|
|
|
escapeHtml(str) {
|
|
if (!str) return "";
|
|
return String(str)
|
|
.replace(/&/g, "&")
|
|
.replace(/</g, "<")
|
|
.replace(/>/g, ">")
|
|
.replace(/"/g, """)
|
|
.replace(/'/g, "'");
|
|
}
|
|
|
|
renderDetail() {
|
|
const detail = this.shadowRoot.getElementById("detail");
|
|
|
|
console.log("[products-crud] renderDetail called, selectedItems:", this.selectedItems.length);
|
|
|
|
if (!this.selectedItems.length) {
|
|
detail.innerHTML = `<div class="detail-empty">Seleccioná un producto para ver detalles</div>`;
|
|
return;
|
|
}
|
|
|
|
// Si hay múltiples seleccionados, mostrar vista de edición masiva
|
|
if (this.selectedItems.length > 1) {
|
|
console.log("[products-crud] rendering multi detail");
|
|
this.renderMultiDetail();
|
|
return;
|
|
}
|
|
|
|
const p = this.selectedItems[0];
|
|
console.log("[products-crud] rendering single product:", p?.name, p?.woo_product_id);
|
|
|
|
if (!p) {
|
|
detail.innerHTML = `<div class="detail-empty">Error: producto no encontrado</div>`;
|
|
return;
|
|
}
|
|
|
|
// Categorías: pueden estar en p.categories (string JSON) o p.payload.categories (array)
|
|
let categoriesArray = [];
|
|
try {
|
|
if (p.categories) {
|
|
const cats = typeof p.categories === 'string' ? JSON.parse(p.categories) : p.categories;
|
|
categoriesArray = Array.isArray(cats) ? cats.map(c => c.name || c) : [String(cats)];
|
|
} else if (p.payload?.categories && Array.isArray(p.payload.categories)) {
|
|
categoriesArray = p.payload.categories.map(c => c.name || c);
|
|
}
|
|
} catch (e) {
|
|
categoriesArray = p.categories ? [String(p.categories)] : [];
|
|
}
|
|
const categoriesText = this.escapeHtml(categoriesArray.join(", "));
|
|
|
|
const rawAttrs = p.attributes_normalized || p.payload?.attributes;
|
|
const attrsArray = Array.isArray(rawAttrs) ? rawAttrs : [];
|
|
const attributes = attrsArray.map(a => `${a.name}: ${a.options?.join(", ")}`).join("; ") || "—";
|
|
|
|
// Determinar unidad actual (de payload o inferida)
|
|
const currentUnit = p.sell_unit || p.payload?._sell_unit_override || this.inferUnit(p);
|
|
|
|
// Stock info
|
|
const stockStatus = p.stock_status || p.payload?.stock_status || "unknown";
|
|
const stockQty = p.stock_qty ?? p.stock_quantity ?? p.payload?.stock_quantity ?? null;
|
|
const stockBadgeClass = stockStatus === "instock" ? "stock" : "nostock";
|
|
const stockText = stockStatus === "instock" ? "En stock" : (stockStatus === "outofstock" ? "Sin stock" : stockStatus);
|
|
const stockQtyText = stockQty !== null ? ` (${stockQty} disponibles)` : "";
|
|
|
|
const productName = this.escapeHtml(p.name || "—");
|
|
const productSku = this.escapeHtml(p.sku || p.payload?.SKU || p.payload?.sku || p.slug || "—");
|
|
|
|
detail.innerHTML = `
|
|
<div class="field">
|
|
<label>Nombre</label>
|
|
<div class="field-value">${productName}</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>ID WooCommerce</label>
|
|
<div class="field-value">${p.woo_product_id}</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>SKU</label>
|
|
<div class="field-value">${productSku}</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Precio</label>
|
|
<div class="field-value">${p.price != null ? `$${Number(p.price).toLocaleString()} ${p.currency || ""}` : "—"}</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Stock</label>
|
|
<div class="field-value">
|
|
<span class="badge ${stockBadgeClass}" style="margin-left:0;">${stockText}</span>${stockQtyText}
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Unidad de venta</label>
|
|
<div style="display:flex;gap:8px;align-items:center;">
|
|
<select id="sellUnit" style="background:#0f1520;color:#e7eef7;border:1px solid #253245;border-radius:8px;padding:8px 12px;font-size:13px;">
|
|
<option value="kg" ${currentUnit === "kg" ? "selected" : ""}>Por peso (kg)</option>
|
|
<option value="unit" ${currentUnit === "unit" ? "selected" : ""}>Por unidad</option>
|
|
</select>
|
|
</div>
|
|
<div style="font-size:11px;color:#8aa0b5;margin-top:4px;">
|
|
Define si este producto se vende por peso o por unidad
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Categorías actuales</label>
|
|
<div id="currentCategories" style="display:flex;flex-wrap:wrap;gap:6px;min-height:30px;margin-bottom:8px;">
|
|
${categoriesArray.length > 0
|
|
? categoriesArray.map(cat => `
|
|
<span class="category-tag" data-category="${this.escapeHtml(cat)}"
|
|
style="display:inline-flex;align-items:center;gap:4px;background:#1a3a5c;color:#7eb8e7;padding:4px 8px;border-radius:6px;font-size:12px;">
|
|
${this.escapeHtml(cat)}
|
|
<span class="remove-cat" style="cursor:pointer;font-weight:bold;opacity:0.7;">×</span>
|
|
</span>
|
|
`).join("")
|
|
: '<span style="color:#8aa0b5;font-size:12px;">Sin categorías</span>'
|
|
}
|
|
</div>
|
|
<div style="display:flex;gap:8px;align-items:center;">
|
|
<select id="addCategorySelect" style="background:#0f1520;color:#e7eef7;border:1px solid #253245;border-radius:8px;padding:8px 12px;font-size:13px;flex:1;">
|
|
<option value="">-- Agregar categoría --</option>
|
|
${this.getAllCategories().filter(c => !categoriesArray.includes(c)).map(cat =>
|
|
`<option value="${this.escapeHtml(cat)}">${this.escapeHtml(cat)}</option>`
|
|
).join("")}
|
|
</select>
|
|
<button id="addCatBtn" class="secondary" style="padding:8px 12px;">+</button>
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Atributos</label>
|
|
<div class="field-value">${this.escapeHtml(attributes)}</div>
|
|
</div>
|
|
<div class="field">
|
|
<div style="display:flex;gap:8px;align-items:center;">
|
|
<button id="saveProduct" style="flex:1;padding:10px;">Guardar cambios</button>
|
|
<span id="saveStatus" style="font-size:12px;color:#2ecc71;"></span>
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Última actualización</label>
|
|
<div class="field-value">${p.refreshed_at ? new Date(p.refreshed_at).toLocaleString() : "—"}</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Payload completo</label>
|
|
<div class="field-value json">${this.escapeHtml(JSON.stringify(p.payload || {}, null, 2))}</div>
|
|
</div>
|
|
`;
|
|
|
|
// Bind save button
|
|
this.shadowRoot.getElementById("saveProduct").onclick = () => this.saveProduct();
|
|
|
|
// Bind add category button
|
|
this.shadowRoot.getElementById("addCatBtn").onclick = () => this.addCategoryToProduct();
|
|
|
|
// Bind remove category clicks
|
|
this.shadowRoot.querySelectorAll(".remove-cat").forEach(el => {
|
|
el.onclick = (e) => {
|
|
e.stopPropagation();
|
|
const tag = el.closest(".category-tag");
|
|
if (tag) tag.remove();
|
|
// Actualizar el select para mostrar la categoría removida
|
|
this.updateCategorySelect();
|
|
// Auto-guardar al quitar categoría
|
|
this.autoSaveCategories();
|
|
};
|
|
});
|
|
}
|
|
|
|
async addCategoryToProduct() {
|
|
const select = this.shadowRoot.getElementById("addCategorySelect");
|
|
const container = this.shadowRoot.getElementById("currentCategories");
|
|
const categoryName = select.value;
|
|
|
|
if (!categoryName) return;
|
|
|
|
// Crear el tag
|
|
const tag = document.createElement("span");
|
|
tag.className = "category-tag";
|
|
tag.dataset.category = categoryName;
|
|
tag.style = "display:inline-flex;align-items:center;gap:4px;background:#1a3a5c;color:#7eb8e7;padding:4px 8px;border-radius:6px;font-size:12px;";
|
|
tag.innerHTML = `${this.escapeHtml(categoryName)}<span class="remove-cat" style="cursor:pointer;font-weight:bold;opacity:0.7;">×</span>`;
|
|
|
|
// Bind remove
|
|
tag.querySelector(".remove-cat").onclick = (e) => {
|
|
e.stopPropagation();
|
|
tag.remove();
|
|
this.updateCategorySelect();
|
|
this.autoSaveCategories(); // Auto-guardar al quitar
|
|
};
|
|
|
|
// Remover el mensaje "Sin categorías" si existe
|
|
const emptyMsg = container.querySelector('span[style*="color:#8aa0b5"]');
|
|
if (emptyMsg) emptyMsg.remove();
|
|
|
|
container.appendChild(tag);
|
|
select.value = "";
|
|
this.updateCategorySelect();
|
|
|
|
// Auto-guardar al agregar
|
|
await this.autoSaveCategories();
|
|
}
|
|
|
|
async autoSaveCategories() {
|
|
if (this.selectedItems.length !== 1) return;
|
|
|
|
const p = this.selectedItems[0];
|
|
const categories = this.getCurrentProductCategories();
|
|
const sellUnitSelect = this.shadowRoot.getElementById("sellUnit");
|
|
const sell_unit = sellUnitSelect?.value || p.sell_unit || 'kg';
|
|
|
|
try {
|
|
await api.updateProduct(p.woo_product_id, { sell_unit, categories });
|
|
|
|
// Actualizar localmente
|
|
p.categories = JSON.stringify(categories.map(name => ({ name })));
|
|
const idx = this.items.findIndex(i => i.woo_product_id === p.woo_product_id);
|
|
if (idx >= 0) {
|
|
this.items[idx].categories = p.categories;
|
|
}
|
|
|
|
// Mostrar feedback breve
|
|
const status = this.shadowRoot.getElementById("saveStatus");
|
|
if (status) {
|
|
status.textContent = "Guardado";
|
|
setTimeout(() => { status.textContent = ""; }, 1500);
|
|
}
|
|
} catch (e) {
|
|
console.error("Error auto-saving categories:", e);
|
|
}
|
|
}
|
|
|
|
updateCategorySelect() {
|
|
const select = this.shadowRoot.getElementById("addCategorySelect");
|
|
const currentTags = this.shadowRoot.querySelectorAll(".category-tag");
|
|
const currentCategories = [...currentTags].map(t => t.dataset.category);
|
|
const allCategories = this.getAllCategories();
|
|
|
|
// Rebuild options
|
|
select.innerHTML = `<option value="">-- Agregar categoría --</option>` +
|
|
allCategories
|
|
.filter(c => !currentCategories.includes(c))
|
|
.map(cat => `<option value="${this.escapeHtml(cat)}">${this.escapeHtml(cat)}</option>`)
|
|
.join("");
|
|
}
|
|
|
|
getCurrentProductCategories() {
|
|
const tags = this.shadowRoot.querySelectorAll(".category-tag");
|
|
return [...tags].map(t => t.dataset.category);
|
|
}
|
|
|
|
async saveProduct() {
|
|
if (this.selectedItems.length !== 1) return;
|
|
|
|
const p = this.selectedItems[0];
|
|
const btn = this.shadowRoot.getElementById("saveProduct");
|
|
const sellUnitSelect = this.shadowRoot.getElementById("sellUnit");
|
|
|
|
const sell_unit = sellUnitSelect.value;
|
|
const categories = this.getCurrentProductCategories();
|
|
|
|
btn.disabled = true;
|
|
btn.textContent = "Guardando...";
|
|
|
|
try {
|
|
await api.updateProduct(p.woo_product_id, { sell_unit, categories });
|
|
|
|
// Actualizar localmente
|
|
p.sell_unit = sell_unit;
|
|
p.categories = JSON.stringify(categories.map(name => ({ name })));
|
|
const idx = this.items.findIndex(i => i.woo_product_id === p.woo_product_id);
|
|
if (idx >= 0) {
|
|
this.items[idx].sell_unit = sell_unit;
|
|
this.items[idx].categories = p.categories;
|
|
}
|
|
|
|
btn.textContent = "Guardado!";
|
|
this.renderList();
|
|
setTimeout(() => { btn.textContent = "Guardar cambios"; btn.disabled = false; }, 1500);
|
|
} catch (e) {
|
|
console.error("Error saving product:", e);
|
|
alert("Error guardando: " + (e.message || e));
|
|
btn.textContent = "Guardar cambios";
|
|
btn.disabled = false;
|
|
}
|
|
}
|
|
|
|
renderMultiDetail() {
|
|
const detail = this.shadowRoot.getElementById("detail");
|
|
const count = this.selectedItems.length;
|
|
const names = this.selectedItems.slice(0, 5).map(p => p.name).join(", ");
|
|
const moreText = count > 5 ? ` y ${count - 5} más...` : "";
|
|
|
|
// Contar stock
|
|
const inStockCount = this.selectedItems.filter(p => (p.stock_status || p.payload?.stock_status) === "instock").length;
|
|
|
|
detail.innerHTML = `
|
|
<div class="field">
|
|
<label>Productos seleccionados</label>
|
|
<div class="field-value" style="color:#2ecc71;font-weight:600;">${count} productos</div>
|
|
<div style="font-size:11px;color:#8aa0b5;margin-top:4px;">${names}${moreText}</div>
|
|
<div style="font-size:11px;margin-top:4px;">
|
|
<span class="badge stock" style="margin-left:0;">${inStockCount} en stock</span>
|
|
<span class="badge nostock">${count - inStockCount} sin stock</span>
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Unidad de venta (para todos)</label>
|
|
<div style="display:flex;gap:8px;align-items:center;">
|
|
<select id="sellUnit" style="background:#0f1520;color:#e7eef7;border:1px solid #253245;border-radius:8px;padding:8px 12px;font-size:13px;flex:1;">
|
|
<option value="kg">Por peso (kg)</option>
|
|
<option value="unit">Por unidad</option>
|
|
</select>
|
|
<button id="saveUnit" style="padding:8px 16px;">Aplicar</button>
|
|
</div>
|
|
<div style="font-size:11px;color:#8aa0b5;margin-top:4px;">
|
|
Se aplicará a todos los productos seleccionados
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<label>Agregar categoría (para todos)</label>
|
|
<div style="display:flex;gap:8px;align-items:center;">
|
|
<select id="addCategorySelect" style="background:#0f1520;color:#e7eef7;border:1px solid #253245;border-radius:8px;padding:8px 12px;font-size:13px;flex:1;">
|
|
<option value="">-- Seleccionar categoría --</option>
|
|
${this.getAllCategories().map(cat => `<option value="${this.escapeHtml(cat)}">${this.escapeHtml(cat)}</option>`).join("")}
|
|
</select>
|
|
<button id="addCategory" style="padding:8px 16px;">Agregar</button>
|
|
</div>
|
|
<div style="font-size:11px;color:#8aa0b5;margin-top:4px;">
|
|
Se agregará esta categoría a todos los productos seleccionados
|
|
</div>
|
|
</div>
|
|
<div class="field">
|
|
<button id="clearSelection" class="secondary" style="width:100%;">Limpiar selección</button>
|
|
</div>
|
|
`;
|
|
|
|
this.shadowRoot.getElementById("saveUnit").onclick = () => this.saveProductUnit();
|
|
this.shadowRoot.getElementById("addCategory").onclick = () => this.addCategoryToSelected();
|
|
this.shadowRoot.getElementById("clearSelection").onclick = () => {
|
|
this.selectedItems = [];
|
|
this.lastClickedIndex = -1;
|
|
this.renderList();
|
|
this.renderDetail();
|
|
};
|
|
}
|
|
|
|
async addCategoryToSelected() {
|
|
if (!this.selectedItems.length) return;
|
|
|
|
const select = this.shadowRoot.getElementById("addCategorySelect");
|
|
const btn = this.shadowRoot.getElementById("addCategory");
|
|
const categoryName = select.value;
|
|
|
|
if (!categoryName) {
|
|
alert("Seleccioná una categoría");
|
|
return;
|
|
}
|
|
|
|
const count = this.selectedItems.length;
|
|
btn.disabled = true;
|
|
btn.textContent = "Guardando...";
|
|
|
|
try {
|
|
for (const p of this.selectedItems) {
|
|
// Obtener categorías actuales
|
|
let currentCats = [];
|
|
try {
|
|
if (p.categories) {
|
|
const cats = typeof p.categories === 'string' ? JSON.parse(p.categories) : p.categories;
|
|
currentCats = Array.isArray(cats) ? cats.map(c => c.name || c) : [String(cats)];
|
|
} else if (p.payload?.categories) {
|
|
currentCats = p.payload.categories.map(c => c.name || c);
|
|
}
|
|
} catch (e) { currentCats = []; }
|
|
|
|
// Agregar nueva categoría si no existe
|
|
if (!currentCats.includes(categoryName)) {
|
|
currentCats.push(categoryName);
|
|
}
|
|
|
|
// Guardar
|
|
await api.updateProduct(p.woo_product_id, {
|
|
sell_unit: p.sell_unit || 'kg',
|
|
categories: currentCats
|
|
});
|
|
|
|
// Actualizar localmente
|
|
p.categories = JSON.stringify(currentCats.map(name => ({ name })));
|
|
const idx = this.items.findIndex(i => i.woo_product_id === p.woo_product_id);
|
|
if (idx >= 0) this.items[idx].categories = p.categories;
|
|
}
|
|
|
|
select.value = "";
|
|
btn.textContent = `Agregado a ${count}!`;
|
|
setTimeout(() => { btn.textContent = "Agregar"; btn.disabled = false; }, 1500);
|
|
} catch (e) {
|
|
console.error("Error adding category:", e);
|
|
alert("Error agregando categoría: " + (e.message || e));
|
|
btn.textContent = "Agregar";
|
|
btn.disabled = false;
|
|
}
|
|
}
|
|
|
|
inferUnit(p) {
|
|
const name = String(p.name || "").toLowerCase();
|
|
const cats = (p.payload?.categories || []).map(c => String(c.name || c.slug || "").toLowerCase());
|
|
const allText = name + " " + cats.join(" ");
|
|
|
|
// Productos que típicamente se venden por unidad
|
|
if (/chimichurri|provoleta|queso|pan|salsa|aderezo|condimento|especias?|vino|vinos|bebida|cerveza|gaseosa|whisky|ron|gin|vodka|fernet/i.test(allText)) {
|
|
return "unit";
|
|
}
|
|
return "kg";
|
|
}
|
|
|
|
async saveProductUnit() {
|
|
if (!this.selectedItems.length) return;
|
|
|
|
const select = this.shadowRoot.getElementById("sellUnit");
|
|
const btn = this.shadowRoot.getElementById("saveUnit");
|
|
const unit = select.value;
|
|
const count = this.selectedItems.length;
|
|
|
|
btn.disabled = true;
|
|
btn.textContent = "Guardando...";
|
|
|
|
try {
|
|
// IDs de todos los productos seleccionados
|
|
const wooProductIds = this.selectedItems.map(p => p.woo_product_id);
|
|
|
|
// Un solo request para todos
|
|
await api.updateProductsUnit(wooProductIds, { sell_unit: unit });
|
|
|
|
// Actualizar localmente
|
|
for (const p of this.selectedItems) {
|
|
p.sell_unit = unit;
|
|
const idx = this.items.findIndex(i => i.woo_product_id === p.woo_product_id);
|
|
if (idx >= 0) this.items[idx].sell_unit = unit;
|
|
}
|
|
|
|
btn.textContent = `Guardado ${count}!`;
|
|
this.renderList(); // Actualizar badges en lista
|
|
setTimeout(() => {
|
|
btn.textContent = count > 1 ? `Guardar para ${count}` : "Guardar";
|
|
btn.disabled = false;
|
|
}, 1500);
|
|
} catch (e) {
|
|
console.error("Error saving product unit:", e);
|
|
alert("Error guardando: " + (e.message || e));
|
|
btn.textContent = count > 1 ? `Guardar para ${count}` : "Guardar";
|
|
btn.disabled = false;
|
|
}
|
|
}
|
|
}
|
|
|
|
customElements.define("products-crud", ProductsCrud);
|