Learn how to dynamically update shipping options based on the address that your customer enters in Checkout.
Use cases 
- Validate an address: Confirm whether you can ship a product to a customer’s address using your own custom validation rules. You can also create a custom UI for customers to confirm their preferred address.
- Show relevant shipping options: Display only available shipping methods, based on the customer’s address. For example, show overnight shipping only for deliveries in your country.
- Dynamically calculate shipping rates: Calculate and display shipping fees based on a customer’s delivery address.
- Update shipping rates based on order total: Offer shipping rates based on the shipping address or order total, such as free shipping for orders over 100 USD. For checkouts allowing quantity changes or cross-sells, see Dynamically updating line items.
Limitations 
Set the shipping_address_collection.allowed_countries to the list of countries you want to offer shipping to.
Pass in permissions.update_shipping_details=server_only when you create the Checkout Session to enable update shipping address and shipping options from your server. Pass this option will also disable the client method updateShippingAddress, ensuring that all updates pass through your server.
curl https://api.stripe.com/v1/checkout/sessions \
-u "sk_test_BQokikJOvBiI2HlWgH4olfQ2
:" \
-d ui_mode=custom \
-d "permissions[update_shipping_details]"=server_only \
-d "shipping_address_collection[allowed_countries][0]"=US \
-d "line_items[0][price]"= \
-d "line_items[0][quantity]"=1 \
-d mode=payment \
--data-urlencode return_url="https://example.com/return"
From your server, create a new endpoint to calculate the shipping options based on the customer’s shipping address.
- Retrieve the Checkout Session using the
checkoutSessionId
from the request body. - Validate the customer’s shipping details from the request body.
- Calculate the shipping options based on the customer’s shipping address and the Checkout Session’s line items.
- Update the Checkout Session with the customer’s shipping_details and the shipping_options.
require 'sinatra'
require 'json'
require 'stripe'
set :port, 4242
Stripe.api_key = "sk_test_BQokikJOvBiI2HlWgH4olfQ2"
def validate_shipping_details(shipping_details)
raise NotImplementedError.new(<<~MSG)
Validate the shipping details the customer has entered.
MSG
end
def calculate_shipping_options(shipping_details, session)
raise NotImplementedError.new(<<~MSG)
Calculate shipping options based on the customer's shipping details and the
Checkout Session's line items.
MSG
end
post '/calculate-shipping-options' do
content_type :json
request.body.rewind
request_data = JSON.parse(request.body.read)
checkout_session_id = request_data['checkout_session_id']
shipping_details = request_data['shipping_details']
session = Stripe::Checkout::Session.retrieve(checkout_session_id)
if !validate_shipping_details(shipping_details)
return { type: 'error', message: "We can't ship to your address. Please choose a different address." }.to_json
end
shipping_options = calculate_shipping_options(shipping_details, session)
if shipping_options
Stripe::Checkout::Session.update(checkout_session_id, {
collected_information: { shipping_details: shipping_details },
shipping_options: shipping_options
})
return { type: 'object', value: { succeeded: true } }.to_json
else
return { type: 'error', message: "We can't find shipping options. Please try again." }.to_json
end
end
Initialize stripe.js with the custom_checkout_server_updates_1
beta header.
const stripe = Stripe('pk_test_TYooMQauvdEDq54NiTphI7jx'
, {
betas: ['custom_checkout_server_updates_1'],
});
Create an asynchronous function that makes a request to your server to update the shipping options and wrap it in runServerUpdate. If the request is successful, the Session object updates with the new shipping options.
The following code example shows how to update the shipping options with the AddressElement.
<div id="shipping-form">
<div id="shipping-address-element"></div>
<button id="save-button">Save</button>
<div id="error-message"></div>
</div>
<div id="shipping-display" style="display: none">
<div id="address-display"></div>
<button id="edit-button">Edit</button>
</div>
const shippingAddressElement = checkout.createShippingAddressElement();
shippingAddressElement.mount('#shipping-address-element');
const toggleViews = (isEditing) => {
document.getElementById('shipping-form').style.display = isEditing ? 'block' : 'none';
document.getElementById('shipping-display').style.display = isEditing ? 'none' : 'block';
}
const displayAddress = (address) => {
const displayDiv = document.getElementById('address-display');
displayDiv.innerHTML = `
<div>${address.name}</div>
<div>${address.address.line1}</div>
<div>${address.address.city}, ${address.address.state} ${address.address.postal_code}</div>
`;
}
const updateShippingOptions = async (shippingDetails) => {
const response = await fetch("/calculate-shipping-options", {
method: "POST",
headers: { 'Content-type': 'application/json' },
body: JSON.stringify({
checkout_session_id: 'session_id',
shipping_details: shippingDetails
})
});
const result = await response.json();
if (result.type === 'error') {
document.getElementById('error-message').textContent = result.message;
toggleViews(true);
} else {
document.getElementById('error-message').textContent = '';
toggleViews(false);
displayAddress(checkout.session().shippingAddress);
}
return result;
}
const handleSave = async () => {
const addressElement = await checkout.getShippingAddressElement();
if (!addressElement) {
return;
}
const result = await addressElement.getValue();
if (!result.complete) {
return;
}
try {
await checkout.runServerUpdate(() => updateShippingOptions(result.value));
} catch (error) {
document.getElementById('error-message').textContent = error?.message;
toggleViews(true);
}
}
document.getElementById('save-button').addEventListener('click', handleSave);
document.getElementById('edit-button').addEventListener('click', () => toggleViews(true));
Follow these steps to test your integration, and ensure your custom shipping options work correctly.
Set up a sandbox environment that mirrors your production setup. Use your Stripe sandbox API keys for this environment.
Simulate various shipping addresses to verify that your calculateShippingOptions
function handles different scenarios correctly.
Verify server-side logic by using logging or debugging tools to confirm that your server:
- Retrieves the Checkout Session.
- Validates shipping details.
- Calculates shipping options.
- Updates the Checkout Session with new shipping details and options. Make sure the update response contains the new shipping details and options.
Verify client-side logic by completing the checkout process multiple times in your browser. Pay attention to how the UI updates after entering shipping details. Make sure that:
- The
runServerUpdate
function is called when expected. - Shipping options update correctly based on the provided address.
- Error messages display properly when shipping is unavailable.
Enter invalid shipping addresses or simulate server errors to test error handling, both server-side and client-side.