最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

javascript - route optimization api shipmentIndex undefined - Stack Overflow

programmeradmin3浏览0评论

I'm using the Route Optimization API, but I'm noticing that I'm not getting all my points and that the missing delivery doesn't have a shipmentIndex.

import { NextResponse } from 'next/server';
import { GoogleAuth } from 'google-auth-library';

const getOptimizedRoutes = async () => {
    try {
        // Setup autenticación para Google API
        const auth = new GoogleAuth();

        const projectId = process.env.GOOGLE_CLOUD_PROJECT_ID;
        const authClient = await auth.getClient();
        const token = await authClient.getAccessToken();

        // Coordenadas de Urvet México (punto de inicio/fin)
        const warehouseLat = 20.7014147;
        const warehouseLng = -103.4553225;

        // Clientes de ejemplo con coordenadas distribuidas en Guadalajara
        // Asegurando que ninguno tenga las mismas coordenadas que el almacén
        const exampleClients = [
            { id: 1, name: "Cliente 1", lat: 20.6597, lng: -103.3496 },  // Centro de Guadalajara
            { id: 2, name: "Cliente 2", lat: 20.6753, lng: -103.3868 },  // Zapopan
            { id: 3, name: "Cliente 3", lat: 20.6408, lng: -103.3249 },  // Tlaquepaque
            { id: 4, name: "Cliente 4", lat: 20.6169, lng: -103.2778 },  // Tonalá
            { id: 5, name: "Cliente 5", lat: 20.6934, lng: -103.4212 }   // Cerca de Urvet pero diferente
        ];

        // Log de clientes originales
        console.log('Clientes originales:', exampleClients.map(c => ({
            id: c.id,
            name: c.name,
            coordenadas: `${c.lat}, ${c.lng}`
        })));

        // Crear shipments con IDs únicos
        const shipments = exampleClients.map((client, index) => ({
            // ID único para cada shipment
            label: `Cliente-${client.id}`,
            deliveries: [
                {
                    arrivalLocation: {
                        latitude: client.lat,
                        longitude: client.lng
                    },
                    duration: "300s"
                }
            ],
            // Agregando algunos campos extras
            loadDemands: {
                weight: {
                    amount: "50"  // 50 kg
                }
            }
        }));

        // Crear vehículo con configuración adecuada
        const vehicles = [
            {
                startLocation: {
                    latitude: warehouseLat,
                    longitude: warehouseLng
                },
                endLocation: {
                    latitude: warehouseLat,
                    longitude: warehouseLng
                },
                // Campos adicionales para mejor optimización
                costPerKilometer: 1.0,
                costPerHour: 30.0,
                loadLimits: {
                    weight: {
                        maxLoad: "1000"  // 1000 kg
                    }
                }
            }
        ];

        const requestBody = {
            model: {
                shipments,
                vehicles,
                globalStartTime: {
                    seconds: Math.floor(Date.now() / 1000)
                },
                globalEndTime: {
                    seconds: Math.floor(Date.now() / 1000) + (8 * 60 * 60)
                }
            },
            // Opciones adicionales para mejor optimización
            considerRoadTraffic: true,
            populateTransitionPolylines: true,
            searchMode: "RETURN_FAST"
        };

        console.log('Request a la API:', JSON.stringify(requestBody, null, 2));

        const response = await fetch(
            `/${projectId}:optimizeTours`,
            {
                method: 'POST',
                headers: {
                    'Authorization': `Bearer ${token.token}`,
                    'Content-Type': 'application/json',
                    'x-goog-user-project': projectId
                },
                body: JSON.stringify(requestBody)
            }
        );

        if (!response.ok) {
            const errorText = await response.text();
            throw new Error(`Error en la API de Google: ${response.status} - ${errorText}`);
        }

        const result = await response.json();
        
        // Log de la respuesta de la API para debug
        console.log('Respuesta de la API:', JSON.stringify(result, null, 2));
        
        // Mapear visitas de vuelta a los clientes usando los índices de shipment
        const clientsInRoutes = [];
        const visitedShipmentIndices = new Set();
        
        // Procesar todas las visitas de todas las rutas
        result.routes.forEach((route, routeIndex) => {
            console.log(`Ruta ${routeIndex + 1}:`);
            
            route.visits.forEach((visit, visitIndex) => {
                // Verificar si esta visita corresponde a un shipment (cliente)
                if (visit.shipmentIndex) {
                    const clientIndex = visit.shipmentIndex - 1;
                    if (clientIndex >= 0 && clientIndex < exampleClients.length) {
                        visitedShipmentIndices.add(clientIndex);
                        clientsInRoutes.push(exampleClients[clientIndex]);
                        
                        console.log(`  Visita ${visitIndex + 1}: Cliente ${exampleClients[clientIndex].id} (${exampleClients[clientIndex].name})`);
                    } else {
                        console.warn(`  Visita ${visitIndex + 1}: Índice de cliente inválido - ${clientIndex}`);
                    }
                } else {
                    console.warn(`  Visita ${visitIndex + 1}: No tiene shipmentIndex`);
                }
            });
        });
        
        // Encontrar clientes que no fueron visitados
        const missingClients = exampleClients.filter((client, index) => 
            !visitedShipmentIndices.has(index)
        );
        
        // Crear el formato de respuesta final
        const routes = result.routes.map((route, index) => {
            // Extraer solo los clientes de esta ruta basado en los shipmentIndex
            const routeClients = route.visits
                .filter(visit => visit.shipmentIndex)
                .map(visit => {
                    const clientIndex = visit.shipmentIndex - 1;
                    if (clientIndex >= 0 && clientIndex < exampleClients.length) {
                        return exampleClients[clientIndex];
                    }
                    return null;
                })
                .filter(Boolean);
                
            // Crear waypoints para esta ruta
            const waypoints = [
                // Punto inicial (depósito)
                {
                    location: [warehouseLng, warehouseLat],
                    client: "Urvet México",
                    weight: 0
                },
                // Clientes en esta ruta
                ...routeClients.map(client => ({
                    location: [client.lng, client.lat],
                    client: client.name,
                    id: client.id,
                    weight: 50 // Peso fijo de ejemplo
                })),
                // Punto final (depósito)
                {
                    location: [warehouseLng, warehouseLat],
                    client: "Urvet México",
                    weight: 0
                }
            ];
            
            return {
                vehicle_id: `Vehículo ${index + 1}`,
                waypoints: waypoints,
                clients: routeClients,
                totalClients: routeClients.length
            };
        });

        // Asegurar que todos los clientes estén asignados a una ruta
        if (missingClients.length > 0) {
            console.warn('¡ADVERTENCIA! Clientes faltantes:', missingClients.map(c => ({
                id: c.id,
                name: c.name,
                coordenadas: `${c.lat}, ${c.lng}`
            })));
        } else {
            console.log('¡ÉXITO! Todos los clientes han sido incluidos en las rutas.');
        }

        return {
            success: true,
            routes: routes,
            summary: {
                totalClients: exampleClients.length,
                totalRoutes: routes.length,
                clientsPerRoute: routes.map(r => ({
                    vehicle: r.vehicle_id,
                    clientCount: r.totalClients,
                    clients: r.clients.map(c => c.id)
                })),
                missingClients: missingClients.length > 0 ? missingClients.map(c => ({
                    id: c.id,
                    name: c.name,
                    coordinates: [c.lng, c.lat]
                })) : []
            }
        };
    } catch (error) {
        console.error('Error en optimización de rutas:', error);
        throw error;
    }
}

export async function GET() {
    try {
        const result = await getOptimizedRoutes();
        return NextResponse.json(result);
    } catch (error) {
        console.error('Error en el procesamiento:', error);
        return NextResponse.json({
            success: false,
            error: error.message
        }, { status: 500 });
    }
} 

Ruta 1:
Visita 1: Cliente 4 (Cliente 4)
Visita 2: Cliente 1 (Cliente 1)
Visita 3: No tiene shipmentIndex
Visita 4: Cliente 2 (Cliente 2) Visita 5: Cliente 3 (Cliente 3) ¡ADVERTENCIA! Clientes faltantes: [ { id: 5, name: 'Cliente 5', coordenadas: '20.6934, -103.4212' } ]

发布评论

评论列表(0)

  1. 暂无评论