Why API Integration Matters
Manual freight management is expensive. Your team spends hours weekly on data entry: copying tracking numbers, updating ERP systems, reconciling invoices, and chasing status updates. API integration eliminates this friction.
The ROI Case
For a company shipping 50+ containers monthly, manual freight management typically costs:
- Tracking updates: 3-5 hours/week checking portals and emails
- Data entry: 2-4 hours/week entering shipment data into internal systems
- Invoice reconciliation: 2-3 hours/week matching invoices to shipments
- Status inquiries: 1-2 hours/week responding to internal "where's my shipment" requests
At $50/hour fully-loaded cost, that's $20,000-35,000 annually in administrative overhead that API integration can largely eliminate.
Beyond Cost Savings
API integration also enables:
- Real-time visibility: Automatic updates in your systems without manual checks
- Proactive alerting: Push notifications for exceptions before they become problems
- Automated workflows: Trigger actions based on shipment events
- Accurate reporting: Complete freight data in your BI tools without manual compilation
Common Freight API Capabilities
Modern freight forwarders offer APIs covering the full shipment lifecycle. Here's what to expect:
Rate/Quote API
Request quotes programmatically:
- Input: Origin, destination, cargo details, service level
- Output: Available rates with transit times, carriers, and validity periods
- Use case: Automated rate comparison, dynamic pricing in e-commerce checkout
Booking API
Create and confirm bookings without manual intervention:
- Input: Shipment details, selected rate, documentation
- Output: Booking confirmation, reference numbers
- Use case: Automated PO-to-booking workflows, scheduled shipments
Tracking API
Retrieve shipment status and milestone events:
- Input: Shipment reference or container number
- Output: Current status, location, milestone history, ETA
- Use case: Dashboard displays, ERP updates, customer notifications
Document API
Upload and download shipping documents:
- Input/Output: Commercial invoices, packing lists, bills of lading, certificates
- Use case: Automated document collection, customs filing integration
Webhook Subscriptions
Receive push notifications for events:
- Events: Status changes, ETD/ETA updates, exceptions, document availability
- Use case: Real-time alerts, automated workflow triggers
Want to see how Cubic compares to your current forwarder?
Implementing Tracking Integration
Tracking integration is the recommended starting point. It's read-only (low risk), high-value, and validates your integration infrastructure.
Polling vs. Webhooks
Polling: Your system periodically requests status for each shipment.
- Simpler to implement
- You control the schedule
- Higher API call volume (potential rate limiting)
- Updates not immediate (depends on poll frequency)
Webhooks: Forwarder pushes updates to your endpoint when events occur.
- Real-time updates
- Lower API call volume
- Requires endpoint infrastructure
- Must handle retry/failure scenarios
Recommendation: Start with polling to validate integration, then add webhooks for real-time capability.
Data Model Considerations
Map forwarder tracking events to your internal data model:
- Shipment reference: Your PO number vs. forwarder's booking number vs. container number
- Status mapping: Translate forwarder status codes to your system's status taxonomy
- Milestone standardization: Different carriers report different milestones; normalize them
- Timestamp handling: Ensure timezone consistency (UTC recommended)
Example Implementation Flow
- Create shipment in forwarder's system (via booking API or manual)
- Store forwarder reference with your internal shipment record
- Periodically poll for updates or receive webhooks
- Map received data to your internal model
- Update internal systems (ERP, WMS, customer portal)
- Trigger workflows based on status (e.g., notify warehouse of arrival)
Implementing Quote and Booking APIs
After tracking integration is stable, extend to quote and booking APIs for end-to-end automation.
Quote API Implementation
Request structure:
- Origin (port/city/zip code format varies by API)
- Destination (same considerations)
- Cargo details (commodity, weight, dimensions, hazmat status)
- Service requirements (transit time, equipment type)
- Shipping date or date range
Response handling:
- Parse multiple rate options with different trade-offs
- Store rate validity periods (quotes expire)
- Handle "no rates available" scenarios gracefully
- Cache rates where appropriate (with expiration)
Booking API Implementation
Required data:
- Selected quote reference
- Complete shipper/consignee information
- Cargo details confirmed
- Required documentation (commercial invoice, packing list)
- Special instructions
Validation before booking:
- Quote still valid (not expired)
- All required fields present
- Document formats accepted
- No conflicting bookings
Confirmation handling:
- Store booking reference and carrier booking number
- Confirm VGM submission requirements
- Schedule document submission follow-ups
- Initiate tracking for booked shipment
Document API Integration
Document APIs eliminate the email-and-attachment workflow that consumes significant administrative time.
Document Upload
Automate document submission to forwarders:
- Commercial Invoice: Export from your invoicing system, upload via API
- Packing List: Generate from WMS data, submit automatically
- Certificates: Store in document management system, attach to bookings
- Special documentation: Letters of credit, licenses, permits
Implementation considerations:
- File format requirements (PDF preferred, some accept Excel)
- File size limits (typically 10-25MB)
- Naming conventions required by forwarder
- Batch upload capability for multiple documents
Document Download
Retrieve shipping documents automatically:
- Bill of Lading: Download when issued, store in your systems
- Arrival Notice: Trigger customs preparation workflow
- Delivery Receipt: Close out shipment, trigger invoicing
Automation opportunities:
- Auto-file documents in your document management system
- Extract data from documents for reconciliation
- Forward documents to customers automatically
- Trigger workflows based on document availability
Webhooks and Real-Time Updates
Webhooks enable real-time responsiveness to freight events. Here's how to implement them reliably.
Endpoint Requirements
Your webhook endpoint must:
- Accept POST requests with JSON payload
- Respond with 2xx status within timeout period (typically 5-30 seconds)
- Be accessible from forwarder's servers (firewall considerations)
- Use HTTPS with valid SSL certificate
Payload Processing
Design for reliability:
- Acknowledge quickly: Return 200 immediately, process asynchronously
- Idempotency: Handle duplicate deliveries (forwarders retry on failure)
- Order independence: Events may arrive out of order; don't assume sequence
- Schema validation: Validate payload structure before processing
Event Types to Subscribe
Common webhook events:
- shipment.status.changed: Status updates (departed, arrived, delivered)
- shipment.eta.updated: ETA changes (critical for planning)
- shipment.exception: Delays, holds, problems
- document.available: New document ready for download
- booking.confirmed: Booking acceptance
Failure Handling
Plan for webhook delivery failures:
- Implement retry logic on your side (if you miss a webhook)
- Periodic polling as backup for critical shipments
- Alerting when webhook processing fails
- Manual reconciliation capability
Authentication and Security
Freight APIs handle sensitive business data. Implement security properly.
Authentication Methods
API Keys: Simple but less secure. Suitable for server-to-server communication.
- Store keys securely (never in code)
- Rotate keys periodically
- Use separate keys for test/production
OAuth 2.0: More secure, token-based authentication.
- Tokens expire, limiting breach impact
- Supports scoped permissions
- Industry standard, well-documented
Security Best Practices
- HTTPS only: Never transmit credentials or data over HTTP
- Credential storage: Use secrets management (Vault, AWS Secrets Manager, etc.)
- IP allowlisting: Restrict API access to known IP addresses if supported
- Logging: Log API calls (without credentials) for audit trail
- Webhook verification: Validate webhook signatures to confirm authenticity
Rate Limiting
Most APIs have rate limits. Handle them gracefully:
- Implement exponential backoff on 429 (Too Many Requests) responses
- Queue requests during high-volume periods
- Cache data where appropriate to reduce API calls
- Monitor usage against limits
Error Handling and Monitoring
Robust error handling is essential for production reliability.
Error Categories
Client errors (4xx):
- 400 Bad Request: Invalid input data
- 401 Unauthorized: Authentication failure
- 403 Forbidden: Permission denied
- 404 Not Found: Resource doesn't exist
- 429 Too Many Requests: Rate limit exceeded
Server errors (5xx):
- 500 Internal Server Error: Forwarder system issue
- 502/503: Service unavailable, retry later
- 504 Gateway Timeout: Request took too long
Retry Strategy
Implement intelligent retry logic:
- Retry on 5xx errors and network failures
- Don't retry on 4xx errors (except 429)
- Use exponential backoff: 1s, 2s, 4s, 8s, 16s
- Set maximum retry count (typically 3-5)
- Log all retries for debugging
Monitoring and Alerting
Track integration health:
- API response times: Detect performance degradation
- Error rates: Alert on elevated failure rates
- Data freshness: Alert if shipment data becomes stale
- Webhook delivery: Monitor webhook receipt rates
Set up alerts for:
- API error rate exceeds threshold
- Critical shipments without recent updates
- Authentication failures
- Webhook endpoint downtime
Testing and Validation
Thorough testing prevents production issues. Follow this testing strategy:
Development/Sandbox Testing
Most forwarders provide sandbox environments:
- Test all API endpoints with sample data
- Verify data mapping is correct
- Test error handling scenarios
- Confirm webhook endpoint receives test events
Integration Testing
Test the complete flow:
- Create test booking via API
- Verify booking appears in your systems
- Simulate status updates (via sandbox tools)
- Confirm updates flow through correctly
- Test document upload and retrieval
- Verify webhook processing end-to-end
Production Validation
Before going live:
- Run parallel processing (manual and API) for one week
- Compare results to validate accuracy
- Monitor error rates closely
- Have rollback plan ready
Ongoing Validation
Continuous quality assurance:
- Periodic reconciliation between API data and source of truth
- Automated tests for regression detection
- Monitor for API changes (forwarders should announce, but verify)
Implementation Roadmap
Follow this phased approach for reliable implementation:
Phase 1: Foundation (2-4 weeks)
- Obtain API credentials and documentation
- Set up development environment
- Implement authentication
- Build basic tracking API integration
- Test in sandbox environment
Phase 2: Tracking Go-Live (2-3 weeks)
- Deploy tracking integration to production
- Run parallel with manual tracking for validation
- Connect to internal systems (ERP, WMS)
- Implement webhook endpoint for real-time updates
- Monitor and stabilize
Phase 3: Quote Integration (2-3 weeks)
- Implement quote API
- Build rate comparison interface
- Integrate with your ordering/procurement system
- Test rate accuracy against manual quotes
Phase 4: Booking Automation (3-4 weeks)
- Implement booking API
- Build automated booking workflow
- Integrate document upload
- Test end-to-end booking process
- Gradual rollout with validation
Phase 5: Full Automation (2-3 weeks)
- Connect all document flows
- Implement invoice reconciliation
- Build automated reporting
- Optimize and monitor
Total timeline: 12-18 weeks for full integration, with value delivered incrementally at each phase.