Simology API & SDK: Quick Start for Catalog, Checkout & Activation Webhooks

Blog

Simology API & SDK: Quick Start for Ca...

Simology API & SDK: Quick Start for Catalog, Checkout & Activation Webhooks

30 Oct 2025

Simology API & SDK: Quick Start for Catalog, Checkout & Activation Webhooks

Integrating Simology’s eSIM into your app or site should be quick, safe and predictable. This guide shows you how to stand up a working flow end‑to‑end: pull a live catalogue, create a checkout, and handle activation webhooks to deliver eSIM credentials. You’ll get example endpoints, headers, sample payloads, sandbox tips, and robust error and retry strategies so you can go live with confidence.

We assume you’re building for travellers and want a clean, reliable purchase and activation journey. The same patterns apply whether you’re selling a single-country plan like Esim United States or regional bundles such as Esim Western Europe and Esim North America. If you’re still shaping your plan range, explore available markets on Destinations and see what resonates with your audience. When you’re ready to partner, head to the Partner Hub or our For Business page to get access.

What you’ll build

A minimal, production‑ready integration includes:

  • Catalog: Fetch plans (SKU, coverage, allowance, validity, price) and display them.
  • Checkout: Create an order/checkout session and direct the user to pay.
  • Webhooks: Receive order status and eSIM activation credentials securely.
  • Activation: Present LPA QR or SM‑DP+ + activation code in your UI.
  • Post‑purchase: Poll or subscribe to status updates; offer top‑ups if supported.

Prerequisites

  • A Simology partner account with API credentials: request access via the Partner Hub.
  • Sandbox environment enabled (for test cards and simulated activations).
  • Public HTTPS webhook endpoint (TLS 1.2+, supports POST, returns 2xx on success).
  • Server ability to store secrets and verify signatures.
  • Optional: SDK installed (Node.js or Python) or curl for initial testing.

Tip: While you prototype, use live product copy from Destinations. For regional content and FAQs, see Esim France, Esim Italy and Esim Spain.

Environments and authentication

Typical environment split:

  • Sandbox base URL (example): https://sandbox-api.simology.io
  • Production base URL (example): https://api.simology.io

Authentication:

  • Use the HTTP header: Authorization: Bearer YOUR_API_KEY
  • Send JSON: Content-Type: application/json
  • Use idempotency for POSTs: Idempotency-Key: a-unique-uuid-per-intent

Pro tips: - Rotate keys regularly; keep them server-side only. - Scope keys to least privilege; separate sandbox and production keys. - Log the response header request_id (if provided) for faster support.

Step 1: Fetch the eSIM catalogue

Endpoint (example): - GET /v1/catalog?country=US - GET /v1/catalog?region=western-europe

Example request:

GET /v1/catalog?country=US HTTP/1.1 Host: sandbox-api.simology.io Authorization: Bearer sk_sandbox_123 Accept: application/json

Example response:

{  "items": [    {      "sku": "US-5GB-30D",      "name": "United States 5 GB / 30 days",      "region": "US",      "coverage": ["US"],      "data_allowance_mb": 5120,      "validity_days": 30,      "price": { "amount": 14.99, "currency": "USD" },      "activation_method": "lpa",      "esim_type": "data",      "terms_url": "https://simology.io/esim-united-states",      "available": true    }  ],  "updated_at": "2025-01-10T09:12:44Z" }

Implementation notes: - Cache catalogue responses for several minutes; invalidate on webhook or daily refresh. - Use query params to filter by country/region to reduce payloads. - Map regional SKUs to your UX—e.g., “Western Europe” → Esim Western Europe.

Pro tips: - Localise currencies client-side only if your payment provider requires it; keep SKU and currency from the API authoritative. - Surface coverage and validity clearly; travellers value transparency.

Step 2: Create a checkout session (order)

Endpoint (example): - POST /v1/checkout/sessions

Example request:

{  "customer": {    "email": "alex@example.com",    "country": "GB"  },  "items": [    { "sku": "US-5GB-30D", "quantity": 1 }  ],  "success_url": "https://yourapp.example/checkout/success?session_id={SESSION_ID}",  "cancel_url": "https://yourapp.example/checkout/cancel",  "metadata": {    "user_id": "u_789",    "source": "ios-app"  } }

Example response:

{  "id": "cs_abc123",  "payment_url": "https://pay.sandbox.simology.io/cs_abc123",  "status": "pending",  "expires_at": "2025-01-10T09:27:44Z" }

  • Redirect the user to payment_url.
  • On success, Simology will send a webhook (see next step) such as checkout.completed or order.paid.

Error example:

{  "error": {    "code": "sku_unavailable",    "message": "Requested SKU is not available in the selected region.",    "request_id": "req_9x8y7z"  } }

Pro tips: - Always include a unique Idempotency-Key on POSTs to prevent duplicate orders. - Do not fulfil on the browser redirect alone; wait for the signed webhook.

Step 3: Webhooks for checkout and activation

Expose a POST endpoint, e.g., https://yourapp.example/webhooks/simology

Expected events (names may vary by integration): - checkout.completed — customer returned from payment - order.paid — funds confirmed; fulfilment can begin - activation.ready — eSIM credentials ready for delivery - order.failed or payment.failed — handle gracefully

Security: - Simology signs webhook payloads. Expect a header like: - Simology-Signature: t=1736500000,v1=hex-hmac-sha256 - Verify HMAC using your webhook secret and the raw request body + timestamp t. - Reject if signature invalid or timestamp skew > 5 minutes.

Example webhook: order.paid

{  "type": "order.paid",  "id": "evt_123",  "created": "2025-01-10T09:20:02Z",  "data": {    "order_id": "ord_456",    "session_id": "cs_abc123",    "items": [      { "sku": "US-5GB-30D", "quantity": 1, "unit_price": 14.99, "currency": "USD" }    ],    "customer": { "email": "alex@example.com" }  } }

Example webhook: activation.ready

{  "type": "activation.ready",  "id": "evt_789",  "created": "2025-01-10T09:21:10Z",  "data": {    "order_id": "ord_456",    "line": {      "iccid": "8988307000001234567",      "smdp_plus": "LPA:1$sm-dp-plus.simology.net$ACT-CODE-1234",      "qr_url": "https://sandbox-api.simology.io/v1/qr/ord_456.png",      "valid_from": "2025-01-10T09:21:10Z",      "expires_at": "2025-02-09T23:59:59Z"    }  } }

Retries: - Respond 2xx on success within 5 seconds. - Non-2xx triggers automatic retries with exponential backoff (e.g., 1m, 5m, 30m, hourly up to 48h). - Webhooks are idempotent; use the event id to deduplicate.

Pro tips: - Store the full webhook event before processing; reprocess safely if needed. - Use a separate signing secret per environment; rotate on a schedule.

Step 4: Deliver and activate the eSIM

Once you receive activation.ready: - If you display QR in-app: render qr_url or generate your own QR from the LPA string (smdp_plus). Confirm the screen brightness/instructions for scanning. - If you deliver manually: present the SM‑DP+ address and activation code clearly.

UI checklist: - Show coverage and validity (mirror your catalogue details, e.g., Esim North America). - Provide concise device instructions (Settings > Mobile Data > Add eSIM). - Remind users to keep primary SIM for calls/SMS if needed, using data on eSIM. - Offer a link back to plan details (e.g., Esim United States) for FAQs.

Step 5: Post‑activation status and top‑ups

Common endpoints (examples): - GET /v1/orders/{order_id} — check latest status. - GET /v1/lines/{iccid} — inspect data used/remaining. - POST /v1/topups — add data to an existing line.

Example line status:

{  "iccid": "8988307000001234567",  "status": "active",  "data": {    "used_mb": 1200,    "remaining_mb": 3920  },  "valid_until": "2025-02-09T23:59:59Z" }

Pro tips: - Cache status for 30–60 seconds to avoid rate limits. - If you surface data usage, include a timestamp and note that roaming networks can report with slight delay.

Errors, rate limits and observability

HTTP status patterns: - 400 validation_error — your request is malformed (missing field, invalid SKU). - 401/403 auth_error — bad or expired credentials, wrong environment key. - 404 not_found — order/line ID not recognised. - 409 conflict — duplicate idempotency key with different payload. - 429 rate_limited — back off using Retry-After header. - 5xx server_error — transient; retry with backoff and jitter.

Canonical error body:

{  "error": {    "code": "rate_limited",    "message": "Too many requests. Try again later.",    "request_id": "req_123",    "retry_after": 30  } }

Best practices: - Always log request_id and error.code. - Implement circuit breakers for persistent 5xx. - Respect Retry-After on 429; apply exponential backoff with jitter. - Use unique Idempotency-Key per action (e.g., “create checkout for cart 123”). - Monitor webhook delivery success rate and age of last processed event.

SDK quick start

While you can integrate with raw HTTP, SDKs speed up auth, idempotency and webhook verification. The shapes below reflect the examples above; adapt to your language and tooling.

Node.js (example):

import { Simology } from "@simology/sdk"; const sim = new Simology({ apiKey: process.env.SIMOLOGY_API_KEY, baseUrl: "https://sandbox-api.simology.io" }); const catalog = await sim.catalog.list({ country: "US" }); const session = await sim.checkout.create({  customer: { email: "alex@example.com", country: "GB" },  items: [{ sku: "US-5GB-30D", quantity: 1 }],  success_url: "https://yourapp.example/success?session_id={SESSION_ID}",  cancel_url: "https://yourapp.example/cancel" });

Webhook verification (pseudo):

app.post("/webhooks/simology", express.raw({ type: "application/json" }), (req, res) => {  const signature = req.header("Simology-Signature");  const event = sim.webhooks.verify(req.body, signature, process.env.SIMOLOGY_WEBHOOK_SECRET);  // process event.type ...  res.sendStatus(200); });

Python (example):

from simology import Simology sim = Simology(api_key=os.getenv("SIMOLOGY_API_KEY"), base_url="https://sandbox-api.simology.io") catalog = sim.catalog.list(country="US")

Tip: Keep the webhook route using raw body to preserve signature integrity.

Security and privacy essentials

  • Store only what you need (e.g., order_id, sku, iccid). Avoid storing full QR images if the LPA string is sufficient.
  • Encrypt secrets at rest; restrict access via IAM.
  • Validate webhook payload against expected schema before acting.
  • Do not render raw error messages to end users; translate to helpful guidance.

Go‑live checklist

  • Sandbox to production switch with environment flags.
  • API key rotation plan and secret storage verified.
  • Idempotency implemented on all POST operations.
  • Webhook endpoint verified with signature checks and 2xx acks.
  • Observability: logs capture request_id, event.id, order_id, iccid.
  • Rate limit handling and backoff tested.
  • Happy path and failure path user messaging in place.
  • Regional catalogue mapped to your content (e.g., Esim France, Esim Italy).

FAQ

  • How do sandbox and production differ? Sandbox uses test payment and simulated activation events. Payload shapes mirror production, but no real provisioning occurs. Use separate API keys and webhook secrets per environment.
  • Can I test activation without scanning a QR? Yes. Use the LPA string (SM‑DP+ and activation code) from activation.ready to test your UI. In sandbox, you can display it without provisioning a real profile.
  • What happens if my webhook endpoint is down? Simology retries with exponential backoff for a defined window (for example, up to 48 hours). Keep processing idempotent and return 2xx only after you have safely stored/handled the event.
  • How should I handle plan regions in my UX? Keep your SKUs aligned with clear coverage descriptions (country vs region). Link to destination pages like Esim United States or Esim Western Europe for clarity, and aggregate them under Destinations.
  • Can I issue refunds or cancellations via API? Many setups support POST /v1/refunds or cancelling unpaid checkouts. Always wait for webhook confirmation (refund.processed) before altering customer entitlements.
  • Do you support top‑ups and usage queries? Yes in most cases—use the lines and topups endpoints as shown. Cache usage responses briefly and inform travellers about reporting delays when roaming.

Next step: Ready to get credentials and sandbox access? Visit the Partner Hub to kick off your integration.

Read more blogs

Andes Highlights (3 Weeks): Peru–Bolivia–Chile–Argentina Connectivity

Andes Highlights (3 Weeks): Peru–Bolivia–Chile–Argentina Connectivity

Planning a south america itinerary 3 weeks through the high Andes? This route stitches together Peru’s Sacred Valley, Bolivia’s La Paz and Salar de Uyuni, Chile’s Atacama Desert, and northern Argentina’s quebradas or Mendoza wine country—often by long-distance bus and a couple of short flights. Connectivity is different at altitude: coverage is strong in cities but drops in high passes and salt flats; bus Wi‑Fi is patchy; border towns can be blackspots. The smart move is an eSIM with multi‑country coverage, backed by offline maps, offline translations, and a simple routine for crossing borders by bus without losing service. Below you’ll find a practical, connectivity-first itinerary; checklists to prep your phone, apps and documents; and on-the-ground tips for staying online where it matters: booking transport, hailing taxis, backing up photos, and navigating when the signal disappears.If you’re transiting via Europe or North America, you can also add a layover eSIM to stay connected door-to-door. Start with our country list on Destinations, then follow the steps, and you won’t waste time chasing SIM shops at 3,500 metres.The 3‑week Andes route at a glanceWeek 1: Peru (Cusco, Sacred Valley, Machu Picchu) - Fly into Cusco (or Lima then connect). - Base in Cusco; day trips to Pisac/Chinchero/Maras–Moray. - Train to Aguas Calientes; Machu Picchu visit; return to Cusco or continue to Puno/Lake Titicaca.Week 2: Bolivia and Chile (La Paz, Uyuni, San Pedro de Atacama) - Bus/collectivo via Copacabana to La Paz. - Fly or overnight bus to Uyuni. - 3‑day Uyuni–altiplano tour ending in San Pedro de Atacama (Chile).Week 3: Chile and Argentina (Atacama to Salta or Mendoza/Buenos Aires) - Choose: - North: San Pedro to Salta/Jujuy by bus; fly to Buenos Aires. - Or South: San Pedro–Calama flight to Santiago; bus or flight to Mendoza; onward to Buenos Aires.Connectivity notes (quick): - Cities: generally strong 4G/4G+; 5G in major hubs (Santiago, Buenos Aires). - Altitude/rural: expect long no‑signal stretches (Uyuni, altiplano passes, Paso Jama). - Bus Wi‑Fi: often advertised, rarely reliable. Plan to be offline onboard. - Border regions: networks switch; a multi‑country eSIM avoids sudden loss.eSIM vs local SIMs for a 4‑country tripFor a route with multiple borders and remote legs, eSIM wins on time and reliability.What a multi‑country eSIM gets you: - One plan across Peru, Bolivia, Chile, Argentina (check coverage per country on Destinations). - No passport/SIM registration queues at kiosks. - Keep your home number active on the physical SIM for calls/SMS codes. - Instant top‑ups if you burn data on photos or navigation.When a local SIM still helps: - Long stay in one country with heavy data use (e.g., a month in Buenos Aires). - Dead zones where a different local network performs better (rarely worth the hassle on a 3‑week pace).Practical approach: - Use an eSIM as your primary data line across all four countries. - If you find a specific local network far better in one region, add a cheap local SIM and keep the eSIM as backup.Device readiness checklist (before you fly)1) Check eSIM compatibility and SIM‑lock status on your phone.2) Buy and install your eSIM while on home Wi‑Fi. Keep a PDF/printed copy of the QR code.3) Label lines clearly (e.g., “eSIM Andes Data”, “Home SIM”).4) Turn on data roaming for the eSIM; leave roaming off for your home SIM to avoid charges.5) Set up dual‑SIM rules: data on eSIM; calls/SMS default to home SIM if needed.6) Download offline: Google Maps/Organic Maps for all target regions; language packs (Spanish at minimum); bus/air tickets; hotel confirmations.7) Cloud backups: set to upload on Wi‑Fi only; pre‑create shared albums for travel companions.8) Test tethering/hotspot with your laptop/tablet.If you’re transiting popular hubs, consider a short layover eSIM: - USA connections: add an Esim United States or a broader Esim North America.- Europe connections: Madrid/Barcelona? Use an Esim Spain. Paris or Rome? See Esim France and Esim Italy. Multi‑country layovers? Try Esim Western Europe.City‑by‑city connectivity notesCusco & the Sacred Valley (Peru)Coverage: Good in Cusco city; variable in high villages (Maras/Moray) and along Inca Trail approaches.Tips: Download Sacred Valley maps offline; pin viewpoints and ruins. most taxis use WhatsApp—save your accommodation’s number.Machu Picchu/Aguas Calientes: Patchy to none at the citadel. Upload your photos later; don’t rely on live ticket retrieval.Lake Titicaca: Puno and CopacabanaPuno: Reasonable 4G; bus terminals crowded—screenshot QR tickets.Crossing to Copacabana: Expect a signal drop around the border; have directions saved offline.La Paz (Bolivia)Good urban 4G; the cable car network has decent signal but tunnels do not.Yungas/“Death Road” tours: Mountain valleys cause dead zones—share your emergency contacts with the operator, carry a charged power bank, and don’t plan remote calls.Uyuni and the Altiplano (Bolivia to Chile)Uyuni town: OK 4G; ATMs finicky—use Wi‑Fi for banking apps.Salt flats/lagunas: Assume offline for most of the 3‑day tour. Guides often carry satellite phones; agree a pickup time/place in San Pedro and preload your map route.San Pedro de Atacama (Chile)Town: Solid 4G; accommodations often have Wi‑Fi but speeds vary.Geysers, Valle de la Luna: Offline navigation essential; sunrise trips start before mobile networks wake up in some areas.Salta/Jujuy or Mendoza/Buenos Aires (Argentina)Salta/Jujuy: Good city coverage; quebradas have long no‑signal sections.Mendoza: City 4G/5G; vineyards outside town can be patchy.Buenos Aires: Strong 4G/5G; ideal for cloud backups and large downloads before you fly home.Border crossings by bus: step‑by‑stepThe big ones on this route: Peru–Bolivia (Puno/Copacabana), Bolivia–Chile (Uyuni–San Pedro via Hito Cajón), Chile–Argentina (Paso Jama to Salta or Los Libertadores to Mendoza).How to keep service and sanity:1) The day before:- Top up your eSIM data.- Confirm your plan includes both countries you’re entering/leaving.- Download offline maps for both sides of the border and your town of arrival.- Save bus company WhatsApp and terminal address offline.2) On departure morning:- Keep a paper copy or offline PDF of tickets, insurance, and accommodation proof.- Charge phone and power bank; pack a short cable in your daypack.3) On the bus:- Don’t count on bus Wi‑Fi. Keep your eSIM as primary, but expect drops near mountain passes.- If your phone supports it, enable “Wi‑Fi calling” for later when you reach accommodation Wi‑Fi.4) At the border posts:- Data may be unavailable. Keep QR codes and booking numbers offline.- After exiting one country and entering the next, toggle Airplane Mode off/on to re‑register on the new network.- If the eSIM doesn’t attach, manually select a network in Mobile Settings.5) Arrival:- Send your accommodation a quick WhatsApp when you’re back online.- Recheck your eSIM’s data roaming is on; confirm you’re on an in‑country network, not a weak roaming partner.Pro tips: - Dual profiles: If your eSIM allows, keep a secondary profile for a different network in the same country—helpful in border towns.- Cash buffer: Some border terminals don’t accept cards; download a currency converter for offline use.Offline survival kit (5‑minute setup)Maps: Download regions for Cusco, Sacred Valley, Puno, La Paz, Uyuni, San Pedro, Salta/Jujuy or Mendoza, and Buenos Aires.Translations: Download Spanish for offline use; add phrasebook favourites (bus tickets, directions, dietary needs).Documents: Save PDFs of passports, tickets, hotel addresses; star them for quick access.Rides: Screenshots of pickup points; pin bus terminals and hotel doors.Entertainment: Podcasts and playlists for long bus legs, set to download on Wi‑Fi only.Altitude and your tech: what changesCoverage gaps lengthen: Fewer towers at high altitude; valleys can block signal. Assume offline on remote excursions.Batteries drain faster in cold: Keep your phone warm and carry a power bank (10,000–20,000 mAh).Hotel Wi‑Fi may be congested: Schedule big uploads (photo backups, app updates) for big-city stays like Santiago or Buenos Aires.GPS still works offline: Your blue dot shows on offline maps without data—preload everything.Data budgeting for 3 weeksTypical traveller usage across this route: - Messaging/Maps/Bookings: 0.2–0.5 GB/day- Social and photo sharing: 0.3–0.7 GB/day- Occasional video calls/streaming: 0.5–1.0 GB/dayFor a mixed-use trip, plan 15–25 GB for 3 weeks. Heavy creators should double it and upload over hotel Wi‑Fi when possible. If you work remotely, consider a higher‑capacity plan and a backup eSIM; see our guidance on For Business.Practical route with transport and connectivity cuesDays 1–4 Cusco base: Strong city signal; day trips may be spotty—go offline-ready.Days 5–6 Machu Picchu: Expect no service at the ruins; sync tickets ahead.Days 7–8 Puno to La Paz via Copacabana: Border signal drop; re‑register networks after crossing.Days 9–11 Uyuni tour to San Pedro: Treat as offline; charge nightly; carry spare cables.Days 12–14 San Pedro: Stable in town; tours offline; top up data before Paso Jama.Days 15–17 Salta/Jujuy or Mendoza: Good urban 4G; rural patches are offline.Days 18–21 Buenos Aires: Strongest connectivity of the trip; clear your uploads and map downloads for the flight home.Partnering and stopover extrasHospitality and tour operators in the Andes: help your guests stay connected—explore co‑branded solutions via our Partner Hub.Transatlantic flyers: test your eSIM setup on a layover with an Esim United States or Esim Western Europe before hitting high-altitude blackspots.FAQs1) Do I need a local SIM in each country?No. A multi‑country eSIM covering Peru, Bolivia, Chile and Argentina is simpler and works well for a 3‑week pace. Consider a local SIM only if you’ll spend longer in one country and want the absolute best regional coverage.2) Will my WhatsApp number change with an eSIM?No. WhatsApp is tied to your registered number, not your data line. Keep your home SIM active for voice/SMS (roaming off if you wish), and use the eSIM for data—WhatsApp continues as normal.3) Can I hotspot to my laptop or camera?Yes. Enable tethering on your eSIM. Mind your data: cloud backups and OS updates can burn gigabytes—set them to Wi‑Fi only or schedule in big cities.4) What if there’s no signal on the Uyuni/Atacama legs?That’s expected. GPS still works offline. Pre-download maps and translations, carry a power bank, and sync plans with your tour operator before departure.5) Will I get roaming charges at borders?If you’re using a multi‑country eSIM with coverage in both countries, you won’t incur extra roaming fees from your home carrier. Keep roaming off on your home SIM to avoid accidental use.6) I’m connecting via Europe or the US—worth getting a layover eSIM?Yes. It’s an easy way to test your setup and stay reachable. Try Esim North America or country options like Esim Spain, Esim France, or Esim Italy for common hubs.Next step: Browse South America coverage options and build your plan on Destinations.

Data Price Drop: Lower €/GB Across Europe & Asia Regions

Data Price Drop: Lower €/GB Across Europe & Asia Regions

Good news for travellers: we’ve lowered the effective €/GB across our Europe and Asia regional eSIM plans. Whether you’re planning a Western Europe rail trip, a multi-city dash through Southeast Asia, or a week in Paris, your data now goes further for less. This change applies to popular regional and single-country bundles, with the biggest savings on 5 GB–20 GB tiers. The new pricing is live now for new purchases, and rolling out across the app and checkout over the coming days. If you’ve been eyeing a regional pass for seamless roaming, now’s the time to lock it in.Prices shown at checkout reflect your location, taxes where applicable, and live exchange rates. Coverage varies by plan—check supported countries on Destinations. Below you’ll find a before/after snapshot, who’s eligible, the timeline, and simple steps to switch to a lower-cost plan.What’s changing: lower €/GB in Europe and AsiaWe’ve optimised carrier agreements and passed the savings to you. Expect:Regional Europe plans down by 15–25% effective €/GB on key bundles.Asia regional packs reduced by 12–22% on average.Deeper discounts on 10 GB and 20 GB tiers for long-weekend and multi-week trips.Single-country plans in high-demand destinations (France, Italy, Spain) now more competitive, making them a smart pick when your itinerary is fixed.Want to compare coverage footprints? Browse regions and countries on Destinations, or jump straight to curated pages such as Esim Western Europe, Esim France, Esim Italy, and Esim Spain.Headline reductions at a glanceWestern Europe regional 10 GB: typical effective €/GB down from ~€2.70 to ~€2.10.Pan-Europe regional 20 GB: effective €/GB from ~€2.40 to ~€1.95.Asia regional 5 GB: effective €/GB from ~€3.20 to ~€2.40.Select single-country (France/Italy/Spain) 3–5 GB: effective €/GB from ~€3.00 to ~€2.20–€2.40.Notes: - Exact prices vary by bundle size, country mix, and real-time FX. - Performance and access technology (4G/5G) are unchanged; you’re just paying less per GB.Before and after: quick tableThese examples illustrate the new structure for popular bundles. See live pricing per destination on Destinations.Plan typeExample bundleBeforeNow€/GB before€/GB nowWestern Europe (regional)5 GB / 15 days€15.00€11.00€3.00€2.20Western Europe (regional)10 GB / 30 days€27.00€21.00€2.70€2.10Pan-Europe (regional)20 GB / 30 days€48.00€39.00€2.40€1.95Asia (regional)5 GB / 15 days€16.00€12.00€3.20€2.40Asia (regional)10 GB / 30 days€29.00€23.00€2.90€2.30France (single-country)3 GB / 15 days€9.00€6.90€3.00€2.30Italy (single-country)5 GB / 15 days€14.00€11.50€2.80€2.30Spain (single-country)5 GB / 15 days€14.00€11.50€2.80€2.30Tip: If you’ll hop between UK, France, Italy, and Spain, a regional pass like Esim Western Europe often beats stacking multiple single-country plans.Who’s eligible and whenNew purchases: New prices are live now. If you buy today, you’ll see the reduced rates at checkout.Existing customers (active plan): Your current active eSIM keeps its original price and data. Any top-ups or new bundles you add will use the new pricing.Existing customers (unused plan): If you bought but haven’t installed or used data yet, you can typically switch to a cheaper equivalent by purchasing the new plan and contacting support to retire the unused one. Final eligibility depends on usage status.Auto-renew and scheduled plans: Future renewals and scheduled activations will bill at the new price.Business accounts: Organisation workspaces get the new pricing automatically. See For Business for centralised billing and fleet controls.Partners and resellers: Pricing updates are reflected in the dashboard and catalogues. Check the Partner Hub for updated SKUs and assets.Timeline: - Effective immediately on web, app updates rolling out now; all storefronts complete within a few days. - No end date—this is the new base pricing. Promotions may further reduce costs during peak seasons.How to switch to a cheaper planIf you’re mid-trip or planning ahead, use the path that fits your situation.If you haven’t installed or used dataBuy the equivalent new plan at the lower price.Do not install or activate the old eSIM.Contact support in-app with both order numbers and request a swap to the new plan.We’ll retire the unused one and keep you on the lower rate.If your current plan is activeOption A: Add a top-up or buy a second bundle on the same eSIM profile. The new add-on will reflect the lower €/GB.Option B: Install a fresh eSIM for the new plan and switch your Mobile Data line to it when ready.Checklist for a smooth switch: - Confirm your device supports multiple eSIM profiles.- Note your remaining data—use it up before switching if you prefer.- Keep data roaming on for the active eSIM only.- Run a quick speed test in your current location after switching.Which plan should you pick?Use the price drop to optimise for your actual route, not just a headline region.Western Europe city-hopping: Pick a regional plan for cross-border continuity such as Esim Western Europe. Great if you’ll cover France, Italy, Spain and neighbours in one trip.Single-country stays: If you’ll be largely in one country, a local plan can be even cheaper. See Esim France, Esim Italy, and Esim Spain.Asia multi-country loops: Asia regional plans now deliver better €/GB—ideal for Thailand–Vietnam–Malaysia circuits without SIM swaps.Transatlantic add-on: Heading to North America after Europe? Queue a regional pack like Esim North America or country-specific Esim United States for a seamless handover.Not sure what’s covered? The live country list per plan is always current on Destinations.Pro tips to stretch your data even furtherDownload heavy items on Wi‑Fi: Maps, playlists, and streaming episodes for offline use.Control background data: Disable auto-updates and cloud photo sync while roaming.Prefer 4G if 5G is patchy: In some areas, locking to 4G can stabilise performance and reduce battery drain.Tether responsibly: Personal hotspots are supported on most plans; watch your GB burn rate if you’re sharing with a laptop.Set data alerts: Use your phone’s built-in data usage alerts at 80% and 95%.Keep your primary SIM for calls/SMS: Use eSIM for data only to avoid unexpected voice charges.Frequently asked questions1) Do I need a new eSIM to get the lower price?No. You only need a new purchase (top-up or bundle) to benefit from the new €/GB. Your existing eSIM profile can host additional bundles at the new rate.2) Will network speed or coverage change with the price drop?No. Network partners, access technologies (4G/5G) and fair usage terms are unchanged. What’s changed is how much you pay per GB.3) I bought last week at the old price. Can I get the new rate?If your plan is completely unused (not installed and no data consumed), contact support and we’ll help you move to a lower-priced equivalent. If it’s already in use, the new rate applies to any top-ups or future purchases.4) Are single-country plans cheaper than regional now?Often, yes—especially for fixed itineraries. Compare local options such as Esim France, Esim Italy, or Esim Spain against regional bundles on Destinations.5) Does this affect business accounts and invoices?Yes. The new pricing flows through to team purchases and consolidated invoices. If you manage multiple travellers, visit For Business to enable central payment, policy controls, and reporting.6) I’m a reseller/affiliate. Where can I get updated SKUs and creatives?The latest price files and marketing assets are in the Partner Hub. If your catalogue syncs via API, the new rates populate automatically.What this means for your tripsLower €/GB unlocks more freedom to navigate, translate, ride-share, and stream—without rationing data. For weekend breaks, smaller bundles are more affordable; for remote work and multi-country loops, larger packs now stretch further. If you’re combining regions (Europe then North America) or mixing single-country and regional plans, it’s easier to stack exactly what you need at the lowest total cost.As always, check the live country lists and bundles on Destinations and choose the plan that matches your route and usage.Next step: Compare live Europe and Asia plans and pick your bundle on Destinations.

Airport & Underground Coverage: Why Signal Drops and What To Do

Airport & Underground Coverage: Why Signal Drops and What To Do

Travelling often means jumping from open streets into steel-and-glass terminals and deep underground platforms. It’s no surprise your bars can vanish at the worst moments: boarding passes won’t load, ride-hail pickups fail, and messages loop endlessly. Airport and metro environments are brutal for radio signals, with thick materials, interference, and rapid movement that stress even the best networks. The good news: with a little prep and the right settings, you can keep your phone usable through most weak-signal zones. In this guide, we explain exactly why coverage collapses in airports and tunnels, how modern networks try to fix it (from distributed antenna systems to femtocells and “leaky feeder” cables), and what you can do—step by step—to stay connected. We also cover Wi‑Fi calling as a fallback and what happens if you need to place an emergency call when your device shows no service. If you’re planning trips, we’ll show how the right eSIM choice helps too.Why airports and subways kill your signalThe physics problemMaterials: Reinforced concrete, metal cladding, and low‑emissivity glass reflect and absorb mobile signals, especially higher‑frequency 4G/5G bands.Distance and line of sight: You’re often far from macro towers, buried below street level, or behind multiple walls.Crowds: Thousands of devices in a terminal create contention and interference; uplink (your phone to the network) becomes the bottleneck.The mobility problemHandoffs: Moving quickly—airport rail links, shuttles, escalators—forces frequent “handoffs” between cells. If the handoff fails or the next cell is congested, calls drop and data stalls.Bands and tech mix: Networks may drop you from 5G to 4G to 3G/2G for coverage. Each step down can disrupt active sessions.The infrastructure gapNot every venue invests in indoor solutions. Where they do, systems vary:DAS (Distributed Antenna System): A network of indoor antennas rebroadcasting outdoor cell coverage inside terminals and concourses.Small cells/femtocells: Mini base stations installed for targeted capacity—lounges, gates, or staff areas.In tunnels: “Leaky feeder” coaxial cables or dedicated radiating antennas carry mobile signals along the track.Multi-operator support varies. One operator may have great signal; another may have none.How networks try to keep you connectedLow-band spectrum: 700–800 MHz bands penetrate buildings better; you’ll often see more bars on these, though speeds may be lower.Carrier aggregation and DSS: Combine bands or share 4G/5G to keep sessions alive as you move between cells.VoLTE and VoWiFi: Modern calling stays on 4G/5G or falls back to Wi‑Fi calling, reducing circuit-switched handoff issues.Priority paths: Airports sometimes prioritise back-of-house and critical services. Public areas may share limited capacity.Emergency handling: Networks attempt to place emergency calls on any available cell, sometimes even on a rival network, depending on local regulations.Before you go: a 10‑minute prep checklistInstall a local or regional eSIM - A multi-network or strong local profile can massively improve indoor performance. - Regional options like Esim Western Europe or Esim North America let your phone choose among partner networks. - Check country specifics on Destinations or install a country plan such as Esim United States, Esim France, Esim Italy, or Esim Spain.Enable Wi‑Fi calling - iOS: Settings > Mobile Data > Wi‑Fi Calling. - Android (varies): Settings > Network & Internet > Mobile network > Wi‑Fi calling. - Confirm your phone shows “Wi‑Fi” or an icon in the dialler when active.Download essentials for offline access - Boarding passes, rail tickets, hotel directions, offline maps, and translation packs. - Authentication apps: sync or note backup codes to avoid SMS dependency.Adjust network settings - Prefer 4G/5G Auto; avoid “5G Only”. - Turn on Data Saver/Low Data Mode to handle captive Wi‑Fi and weak uplinks.Power plan - Weak signal drains batteries fast. Start with 70%+ and carry a power bank.Pro tip: Add airline and airport apps to “unrestricted battery” so they can load passes on flaky connections.At the airport: practical tactics that workUse venue connectivity wiselyJoin official airport Wi‑Fi and complete the captive portal; Wi‑Fi calling may not activate until the portal is cleared.If Wi‑Fi calling still won’t engage:Toggle Airplane Mode on, then enable Wi‑Fi only to force calling over Wi‑Fi.Disable VPN temporarily; some VPNs block Wi‑Fi calling’s IMS traffic.Forget and rejoin Wi‑Fi if the portal pops up again.Choose your spotNear windows or open atriums generally improves signal.Avoid dense metal structures (security lanes) and sublevels when placing important calls.Lounges may have small cells; a quick signal check can be worthwhile.Manage handoffsIf a call keeps dropping as you move, step aside and finish the call stationary.For video calls, switch to audio or pause video while walking between concourses.If data stalls but bars look fineTry switching to 4G/LTE from 5G; some indoor DAS nodes still deliver steadier 4G.Toggle Mobile Data off/on, or briefly toggle Airplane Mode to trigger reselection.Manually select a different network if your eSIM allows it.Pro tip: Some gates have better indoor coverage because they sit under newer DAS clusters. If you find one that loads fast, stay put while you upload photos or sync documents.Underground and on the metro: what’s differentNot all lines have mobile coverage. Some systems cover platforms only, others include tunnels, and some rely purely on station Wi‑Fi.Coverage can switch every few hundred metres as the train passes tunnel antennas, causing brief dropouts.Speed matters: fast lines can outrun small-cell footprints, making uplink patchy.Staying connected below groundMake Wi‑Fi your default:Set your phone to auto-join official metro Wi‑Fi; finish any captive portal step at the first station.Keep Wi‑Fi calling enabled. You can often place calls and send messages between stops.Prepare for tunnel blackouts:Queue messages and downloads.Use offline navigation between stations and refresh when the train stops.For critical tasks:Wait for a station with platform coverage.If you must call, stand near the platform centre where antennas are typically positioned.Pro tip: If the metro has partial coverage, switch chat apps to “low bandwidth” or audio-only modes to ride out tunnel gaps.What if you need to call emergency services?Your phone will attempt to place emergency calls (e.g., 112, 911, 999) on any available network, even if your own provider has no service. This behaviour depends on local regulations and device support but is widely implemented.If you see “No Service”:Try the emergency number anyway; the phone will scan for any cell that can carry the call.Move towards open areas, station entrances, or near windows to improve odds.Wi‑Fi calling and emergencies:In many countries, emergency calls are supported over Wi‑Fi calling, but not everywhere. If Wi‑Fi is the only option, complete the captive portal and try—your phone will choose the best available path.If Wi‑Fi calling is unavailable for emergency calls, the device will attempt cellular instead.Location sharing:Modern systems can transmit your location (Advanced Mobile Location/AML) when you call emergency numbers. This may not work over all Wi‑Fi networks.Note: Rules and capabilities vary by country and operator. If in doubt, move to an area with clear cellular coverage as soon as it’s safe.Troubleshooting quick winsTry these in order when signal or data misbehaves:Toggle Airplane Mode on for 10 seconds, then off.Turn Wi‑Fi off and on; complete any captive portals.Switch network mode to 4G/LTE and back to 5G Auto later.Manually select a different partner network (if your eSIM allows).Reset network settings only if the above fails (you’ll need to rejoin Wi‑Fi networks).Pro tip: Save your eSIM QR and plan details offline before you travel in case you need to reinstall after a network reset.Picking the right eSIM for hard-to-reach placesPrefer plans with multi-network access in your destination so your phone can latch onto the operator with the best indoor/DAS presence.If you’re visiting multiple countries or transiting through major hubs, regional eSIMs simplify coverage:Esim Western Europe for intra‑EU travel where metro coverage varies city by city.Esim North America for the US and Canada, where low-band 5G/4G differs by carrier and airport DAS deployments are uneven.Country-specific options can outperform roaming in airports with single-operator DAS:Esim United StatesEsim FranceEsim ItalyEsim SpainCheck operator notes and airport/metro coverage on Destinations.For teams on the move, pooled data and policy controls help ensure staff stay reachable in terminals and tunnels. See For Business for options. Venue and travel partners exploring indoor solutions can visit our Partner Hub.Tech corner: femtocells, DAS, and “leaky feeders” explainedFemtocells and small cells: Low‑power base stations that improve coverage in a small area like a lounge or gate cluster. They attach to backhaul (often fibre) and broadcast licensed spectrum.DAS: A centralised system that pulls in operator signals and redistributes them via fibre/coax to many indoor antennas. Great for large airports where uniform coverage is needed.Leaky feeder cables: Special coax that acts like a long antenna, “leaking” RF along tunnels so trains and platforms receive consistent signal. Common in metros and long airport service tunnels.Handoffs: Your device measures signal quality and the network commands a move to a better cell. In dense or poorly tuned systems, handoffs can fail, causing drops. Staying still during calls helps.Fast setup steps (iOS and Android)Force Wi‑Fi callingiOS: Control Centre > enable Airplane Mode > turn Wi‑Fi back on > ensure “Wi‑Fi” shows in the Phone app status line.Android: Quick Settings > Airplane Mode > enable Wi‑Fi; confirm Wi‑Fi calling icon in the dialler or status bar.Lock to LTE temporarilyiOS: Settings > Mobile Data > Voice & Data > 4G.Android: Settings > Network & Internet > Mobile network > Preferred network type > LTE/4G.Switch networksiOS: Settings > Mobile Data > Network Selection > turn off Automatic and pick another partner.Android: Settings > Mobile network > Network operators > Search networks.Pro tip: After leaving the airport or surfacing from the metro, return to Automatic network selection and 5G Auto.FAQsWhy do I have full bars but no data in an airport?Indoor systems can show strong signal but be congested on the backhaul or uplink. Try switching to 4G/LTE, move to a quieter spot, or use airport Wi‑Fi with Wi‑Fi calling.Does 5G work underground?Often only low‑band 5G or 4G is deployed in tunnels. High‑band 5G (especially mmWave) struggles with penetration and is rare below ground.Will Wi‑Fi calling charge me roaming fees?Wi‑Fi calling uses the internet, not cellular roaming, but call billing depends on your home operator. For data, airport Wi‑Fi is typically free or time‑limited. Using a local eSIM avoids surprises.Can I rely on emergency calls without mobile coverage?Your phone will try any available cellular network for an emergency call. It may also attempt the call over Wi‑Fi if supported. This is common but not guaranteed everywhere.Why does my battery drain faster in terminals and tunnels?Phones boost transmit power and scan more aggressively when signal is weak. Use Low Power Mode, keep a power bank handy, and prefer Wi‑Fi when available.Should I turn off 5G to save battery indoors?Sometimes. If 5G is weak or inconsistent, locking to 4G can stabilise connectivity and reduce scanning.The bottom lineAirports and underground systems are challenging radio environments. Expect reflections, rapid handoffs, and capacity crunches—then prepare accordingly: enable Wi‑Fi calling, carry a multi‑network eSIM, download essentials for offline use, and know a few quick toggles to recover service when it falters. With the right setup, you’ll get your boarding pass, message your pickup, and place calls even when your bars dip.Next step: Choose a regional plan that keeps you covered across borders and terminals. Start with Esim Western Europe.