SOAP (Simple Object Access Protocol) is a messaging protocol used for exchanging structured information in web services. Integrating SOAP APIs with Python can be achieved using libraries like zeep
or suds
. In this guide, we’ll use zeep
, a modern SOAP client for Python, to demonstrate integration through practical examples.
Before you start, ensure you have the following:
The zeep
library installed. You can install it using pip:
pip install zeep
Let’s assume we want to consume a SOAP API that provides weather information. The WSDL (Web Services Description Language) URL for the service is http://www.webserviceX.NET/Weather.asmx?WSDL
. Here’s how to make a simple SOAP request:
from zeep import Client
wsdl_url = 'http://www.webserviceX.NET/Weather.asmx?WSDL'
client = Client(wsdl=wsdl_url)
Let’s fetch the weather by city name:
response = client.service.GetWeather('New York')
print(response)
The above code will output the weather information for New York in a structured format.
In many cases, SOAP API requests require parameters. Let’s enhance our previous example by including more parameters for a weather report:
Assuming the API also takes a country code:
city_name = 'Los Angeles'
country_code = 'US'
response = client.service.GetWeather(city_name, country_code)
print(f'Weather in {city_name}, {country_code}: {response}')
Responses from SOAP APIs are often complex. Here’s how to navigate and extract specific information from the response:
response = client.service.GetWeather('London')
Assuming the response has a property Temperature
:
temperature = response.Temperature
print(f'Temperature in London: {temperature}')
Integrating SOAP APIs with Python using the Zeep library is straightforward and efficient. By following the examples provided, you can easily connect to various SOAP services and retrieve the necessary data. For more complex integrations, refer to the official Zeep documentation to explore advanced features like authentication and data serialization.