SOAP (Simple Object Access Protocol) is a protocol used for exchanging structured information in web services. It relies on XML and is often used in enterprise-level integrations due to its robustness and security features. In this guide, we’ll focus on how to perform SOAP API integration using Java.
Before we start, ensure you have the following:
To work with SOAP in Java, you will need to add some necessary dependencies. If you are using Maven, include these in your pom.xml
:
<dependency>
<groupId>javax.xml.ws</groupId>
<artifactId>jaxws-api</artifactId>
<version>2.3.1</version>
</dependency>
<dependency>
<groupId>org.glassfish.jaxb</groupId>
<artifactId>jaxb-runtime</artifactId>
<version>2.3.1</version>
</dependency>
To interact with a SOAP API, you’ll first need the WSDL (Web Services Description Language) file. You can use the wsimport
tool provided by JDK to generate Java classes from the WSDL file:
wsimport -keep -s src -p com.example.soapclient http://example.com/service?wsdl
This command will generate the necessary classes in the specified package.
Now we can create a SOAP client. Here’s a simple example of how to call a SOAP service:
import com.example.soapclient.ServiceName;
import com.example.soapclient.ServiceNamePortType;
public class SoapClient {
public static void main(String[] args) {
// Create a service instance
ServiceName service = new ServiceName();
// Get the port type (SOAP interface)
ServiceNamePortType port = service.getServiceNamePort();
// Call the SOAP method
String response = port.soapMethod("parameter");
System.out.println("Response: " + response);
}
}
In this example, replace ServiceName
and soapMethod
with the actual names from your generated classes.
SOAP responses are typically XML formatted. The generated client will handle the parsing for you, but you can also manually handle the XML response if needed. Here’s an example:
import javax.xml.bind.JAXBContext;
import javax.xml.bind.Unmarshaller;
import java.io.StringReader;
String xmlResponse = port.soapMethod("parameter");
JAXBContext jaxbContext = JAXBContext.newInstance(ResponseClass.class);
Unmarshaller unmarshaller = jaxbContext.createUnmarshaller();
ResponseClass response = (ResponseClass) unmarshaller.unmarshal(new StringReader(xmlResponse));
System.out.println(response.getSomeField());
Integrating SOAP APIs with Java is straightforward once you understand the steps involved. By following the examples provided, you can create a SOAP client, call a SOAP service, and handle responses effectively. This foundation can be applied to a wide range of SOAP services in your projects.