Chapter 3. Writing Contract-First Web Services

3.1. Introduction


This tutorial shows you how to write contract-first Web services, i.e. starting with the XML Schema/WSDL contract instead of Java code. Spring Web Services focuses on this development style, and this tutorial helps you get started. Note that the first part of this tutorial contains almost no Spring-WS specific information: it is mostly about XML, XSD, and WSDL. The second part focusses on implementing this contract using Spring-WS.

In this tutorial, we will define a Web service that is created by a Human Resources department. Clients can send holiday request forms to this service to book a holiday.

The most important thing when doing contract-first Web service development is to try and think in terms of XML. This means that Java-language concepts are of lesser importance. It is the XML that is sent across the wire, and you should focus on that. The fact that Java is used to implement the Web service is an implementation detail. An important detail, but a detail nonetheless.

3.2. Messages

In this section, we will focus on the actual XML messages that are sent to and from the service. We will start out by determining what these messages look like.

3.2.1. Holiday

In the scenario, we have to deal with holiday requests, so it makes sense to determine what a holiday looks like:

<Holiday xmlns="http://mycompany.com/hr/schemas">
    <StartDate>2006-07-03</StartDate>
    <EndDate>2006-07-07</EndDate>
</Holiday>

A holiday consists of a start date and an end date. We decided to use the standard ISO 8601 date format for the dates, because that will save a lot of parsing hassle. We also added a namespace to the element, to make sure our elements can used within other XML documents.

3.2.2. Employee

There is also the notion of an employee in the scenario. Here's what it looks like:

<Employee xmlns="http://mycompany.com/hr/schemas">
    <Number>42</Number>
    <FirstName>Arjen</FirstName>
    <LastName>Poutsma</LastName>
</Employee>

We have used the same namespace as before. If this employee element could be used in other scenarios, it might make sense to use a different namespace, such as http://mycompany.com/employees/schemas.

3.2.3. HolidayRequest

Both the holiday and employee element can be put in a HolidayRequest:

<HolidayRequest xmlns="http://mycompany.com/hr/schemas">
    <Holiday>
        <StartDate>2006-07-03</StartDate>
        <EndDate>2006-07-07</EndDate>
    </Holiday>
    <Employee>
        <Number>42</Number>
        <FirstName>Arjen</FirstName>
        <LastName>Poutsma</LastName>
    </Employee>
</HolidayRequest>

The order of the two element does not matter: Employee could have been the first element just as well. As long as all the data is there; that's what is important. In fact, the data is the only thing that is important: we are taking a data-driven approach.

3.3. Data Constract

Now that we have seen some examples of the XML data that we will use, it makes sense to formalize this into a schema. This data contract defines the message format we accept. Basically, there are four different ways of defining such a contract for XML:

DTDs have limited namespaces support, so they are not suitable for Web services. Relax NG and Schematron are certainly easier than XSDs. Unfortunately, they are not so widely supported across platforms. We will use XML Schema.

By far the easiest way to create a XSD is to infer it from sample documents. Any good XML editor or Java IDE offers this functionality. Basically, these tools use some sample XML documents, and generate a schema from it that validates them all. The end result certainly needs to be polished up, but it's a great starting point.

Using the sample described above, we end up with the following generated schema:

<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema"
        elementFormDefault="qualified"
        targetNamespace="http://mycompany.com/hr/schemas"
        xmlns:hr="http://mycompany.com/hr/schemas">
    <xs:element name="HolidayRequest">
        <xs:complexType>
            <xs:sequence>
                <xs:element ref="hr:Holiday"/>
                <xs:element ref="hr:Employee"/>
            </xs:sequence>
        </xs:complexType>
    </xs:element>
    <xs:element name="Holiday">
        <xs:complexType>
            <xs:sequence>
                <xs:element ref="hr:StartDate"/>
                <xs:element ref="hr:EndDate"/>
            </xs:sequence>
        </xs:complexType>
    </xs:element>
    <xs:element name="StartDate" type="xs:NMTOKEN"/>
    <xs:element name="EndDate" type="xs:NMTOKEN"/>
    <xs:element name="Employee">
        <xs:complexType>
            <xs:sequence>
                <xs:element ref="hr:Number"/>
                <xs:element ref="hr:FirstName"/>
                <xs:element ref="hr:LastName"/>
            </xs:sequence>
        </xs:complexType>
    </xs:element>
    <xs:element name="Number" type="xs:integer"/>
    <xs:element name="FirstName" type="xs:NCName"/>
    <xs:element name="LastName" type="xs:NCName"/>
</xs:schema>

The generated schema can obviously be improved. The first thing to notice is that every type has a root-level element declaration. This means that the Web service should be able to accept all of these elements as data. This is not desirable: we only want to accept a HolidayRequest. By removing the wrapping element tags (thus keeping the types), and inlining the results, we can accomplish this.

<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema"
        xmlns:hr="http://mycompany.com/hr/schemas"
        elementFormDefault="qualified"
        targetNamespace="http://mycompany.com/hr/schemas">
    <xs:element name="HolidayRequest">
        <xs:complexType>
            <xs:sequence>
                <xs:element name="Holiday" type="hr:HolidayType"/>
                <xs:element name="Employee" type="hr:EmployeeType"/>
            </xs:sequence>
        </xs:complexType>
    </xs:element>
    <xs:complexType name="HolidayType">
        <xs:sequence>
            <xs:element name="StartDate" type="xs:NMTOKEN"/>
            <xs:element name="EndDate" type="xs:NMTOKEN"/>
        </xs:sequence>
    </xs:complexType>
    <xs:complexType name="EmployeeType">
        <xs:sequence>
            <xs:element name="Number" type="xs:integer"/>
            <xs:element name="FirstName" type="xs:NCName"/>
            <xs:element name="LastName" type="xs:NCName"/>
        </xs:sequence>
    </xs:complexType>
</xs:schema>

The schema still has one problem: with a schema like this, you can expect the following messages to validate:

<HolidayRequest xmlns="http://mycompany.com/hr/schemas">
    <Holiday>
        <StartDate>this is not a date</StartDate>
        <EndDate>neither is this</EndDate>
    </Holiday>
    ...
</HolidayRequest>

Clearly, we must make sure that the start and end date are really dates. XML Schema has an excellent built-in date type which we can use. We also change the NCNames to strings. Finally, we change the sequence in HolidayRequest to all. This tells the XML parser that the order of Holiday and Employee is not significant. Our final XSD looks like this:

<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema"
        xmlns:hr="http://mycompany.com/hr/schemas"
        elementFormDefault="qualified"
        targetNamespace="http://mycompany.com/hr/schemas">
    <xs:element name="HolidayRequest">
        <xs:complexType>
            <xs:all>                                                                     (1)
                <xs:element name="Holiday" type="hr:HolidayType"/>
                <xs:element name="Employee" type="hr:EmployeeType"/>
            </xs:all>
        </xs:complexType>
    </xs:element>
    <xs:complexType name="HolidayType">
        <xs:sequence>
            <xs:element name="StartDate" type="xs:date"/>                                (2)
            <xs:element name="EndDate" type="xs:date"/>                                  (2)
        </xs:sequence>
    </xs:complexType>
    <xs:complexType name="EmployeeType">
        <xs:sequence>
            <xs:element name="Number" type="xs:integer"/>
            <xs:element name="FirstName" type="xs:string"/>                              (3)
            <xs:element name="LastName" type="xs:string"/>                               (3)
        </xs:sequence>
    </xs:complexType>
</xs:schema>
1

all tells the XML parser that the order of Holiday and Employee is not significant.

2

We use the xsd:date data type, which consist of a year, month, and day, for StartDate and EndDate.

3

xsd:string is used for first and last name.

We store this file with as hr.xsd.

3.4. Service contract

A service contract is generally expressed as a WSDL file. Note that in Spring-WS, writing the WSDL by hand is not required. Based on the XSD and some conventions, Spring-WS can create the WSDL for you, as explained in Section 3.6, “Implementing the Endpoint”. You can skip to that section if you want to; the remainder of this section will show you how to write your own WSDL by hand.

We start our WSDL with the standard preamble, and by importing our existing XSD. To separate the schema from the definition, we will use a separate namespace for the WSDL definitions: http://mycompany.com/hr/definitions.

<wsdl:definitions name="HumanResources"
        targetNamespace="http://mycompany.com/hr/definitions"
        xmlns:tns="http://mycompany.com/hr/definitions"
        xmlns:types="http://mycompany.com/hr/schemas">
        xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/"
        xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/">
    <wsdl:types>
        <xsd:schema xmlns:xsd="http://www.w3.org/2001/XMLSchema">
            <xsd:import namespace="http://mycompany.com/hr/schemas" schemaLocation="hr.xsd"/>
        </xsd:schema>
    </wsdl:types>
</wsdl:definitions>

Next, we define our messages based on the written schema. We only have one message: one with the HolidayRequest we put in the schema:

<wsdl:definitions name="HumanResources"
        targetNamespace="http://mycompany.com/hr/definitions"
        xmlns:tns="http://mycompany.com/hr/definitions"
        xmlns:types="http://mycompany.com/hr/schemas"
        xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/"
        xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/">
    <wsdl:types>
        <xsd:schema xmlns:xsd="http://www.w3.org/2001/XMLSchema">
            <xsd:import namespace="http://mycompany.com/hr/schemas" 
                schemaLocation="hr.xsd"/>
        </xsd:schema>
    </wsdl:types>
    <wsdl:message name="RequestHolidayInput">>
        <wsdl:part name="body" element="types:HolidayRequest" />
    </wsdl:message>
</wsdl:definitions>

We add the message to a port type as operation:

<wsdl:definitions name="HumanResources"
        targetNamespace="http://mycompany.com/hr/definitions"
        xmlns:tns="http://mycompany.com/hr/definitions"
        xmlns:types="http://mycompany.com/hr/schemas"
        xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/"
        xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/">
    <wsdl:types>
        <xsd:schema xmlns:xsd="http://www.w3.org/2001/XMLSchema">
            <xsd:import namespace="http://mycompany.com/hr/schemas" 
                schemaLocation="hr.xsd"/>
        </xsd:schema>
    </wsdl:types>
    <wsdl:message name="RequestHolidayInput">
        <wsdl:part name="body" element="types:HolidayRequest" />
    </wsdl:message>
    <wsdl:portType name="HumanResourcesPortType">
        <wsdl:operation name="RequestHoliday">
            <wsdl:input message="tns:RequestHolidayInput" />
        </wsdl:operation>
    </wsdl:portType>
</wsdl:definitions>

That finished the abstract part of the WSDL (the interface, as it were), and leaves the concrete part. The concrete part consists of a binding, which tells the client how to invoke the operations you've just defined; and a service, which tells it where to invoke it.

Adding a concrete part is pretty standard: just refer to the abstract part you defined previously, make sure you use document/literal for the soap:binding elements (rpc/encoded is deprecated), pick a soapAction for the operation (in this case http://example.com/RequestHoliday, but any URI will do), and determine the location URL where you want request to come in (in this case http://mycompany.com/humanresources):

<wsdl:definitions name="HumanResources"
        targetNamespace="http://mycompany.com/hr/definitions"
        xmlns:tns="http://mycompany.com/hr/definitions"
        xmlns:types="http://mycompany.com/hr/schemas"
        xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/"
        xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/">
    <wsdl:types>
        <xsd:schema xmlns:xsd="http://www.w3.org/2001/XMLSchema">
            <xsd:import namespace="http://mycompany.com/hr/schemas"                      (1)
                schemaLocation="hr.xsd"/>
        </xsd:schema>
    </wsdl:types>
    <wsdl:message name="RequestHolidayInput">                                            (2)
        <wsdl:part name="body" element="types:HolidayRequest" />                         (3)
    </wsdl:message>
    <wsdl:portType name="HumanResourcesPortType">                                        (4)
        <wsdl:operation name="RequestHoliday">
            <wsdl:input message="tns:RequestHolidayInput" />                             (2)
        </wsdl:operation>
    </wsdl:portType>
    <wsdl:binding name="HumanResourcesBinding" type="tns:HumanResourcesPortType">        (4)(5)
        <soap:binding style="document"                                                   (6)
            transport="http://schemas.xmlsoap.org/soap/http" />                          (7)
        <wsdl:operation name="RequestHoliday">
            <soap:operation soapAction="http://example.com/RequestHoliday" />            (8)
            <wsdl:input>
                <soap:body use="literal" />                                              (6)
            </wsdl:input>                
        </wsdl:operation>
    </wsdl:binding>
    <wsdl:service name="HumanResourcesService">
        <wsdl:port name="HumanResourcesPort" binding="tns:HumanResourcesBinding">        (5)
            <soap:address location="http://mycompany.com/humanresources" />              (9)
        </wsdl:port>
    </wsdl:service>
</wsdl:definitions>
1

We import the schema defined in Section 3.3, “Data Constract”.

2

We define the RequestHolidayInput message, which gets used in the portType.

3

The HolidayRequest type is defined in the schema.

4

We define the HumanResourcesPortType port type, which gets used in the binding.

5

We define the HumanResourcesBinding binding, which gets used in the port.

6

We use a document/literal style.

7

The literal http://schemas.xmlsoap.org/soap/http signifies a HTTP transport.

8

The soapAction attribute signifies the SOAPAction HTTP header that will be sent with every request.

9

The http://mycompany.com/humanresources address is the URL where the Web service can be invoked.

This is the final WSDL. We will describe how to implement the resulting schema and WSDL in the next section.

3.5. Creating the project

In this section, we will be using Maven2 to create the initial project structure for us. Doing so is not required, but greatly reduces the amount of code we have to write to setup our HolidayService.

The following command creates a Maven2 web application project for us, using the Spring-WS archetype (i.e. project template)[2]

mvn archetype:create -DarchetypeGroupId=org.springframework.ws \
  -DarchetypeArtifactId=spring-ws-archetype \
  -DarchetypeVersion=1.0-rc1-SNAPSHOT \
  -DgroupId=com.mycompany.hr \
  -DartifactId=holidayService 

This command will create a new directory called holidayService. In this directory, there is a src/main/webapp directory, which will contain the root of the WAR file. You will find the standard web application deployment descriptor WEB-INF/web.xml here, which defines a Spring-WS MessageDispatcherServlet, and maps all incoming requests to this servlet:

<web-app xmlns="http://java.sun.com/xml/ns/j2ee"
         xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
         xsi:schemaLocation="http://java.sun.com/xml/ns/j2ee http://java.sun.com/xml/ns/j2ee/web-app_2_4.xsd"
         version="2.4">

    <display-name>MyCompany HR Holiday Service</display-name>

    <servlet>
        <servlet-name>spring-ws</servlet-name>
        <servlet-class>org.springframework.ws.transport.http.MessageDispatcherServlet</servlet-class>
    </servlet>

    <servlet-mapping>
        <servlet-name>spring-ws</servlet-name>
        <url-pattern>/*</url-pattern>
    </servlet-mapping>

</web-app>

We could have made the servlet more restrictive by using the url pattern /humanresources, but this will suffice for now.

Additionally, there is WEB-INF/spring-ws-servlet.xml, which is a Spring application context that will contain the Spring-WS bean definitions.

3.6. Implementing the Endpoint

In Spring-WS, you will implement Endpoints to handle incoming XML messages. There are two flavors of endpoints: message endpoints and payload endpoints.. Message endpoint gives access to the entire XML message, including SOAP headers, etc. Typically, the endpoint will only be interested in the payload of the message, i.e. the contents of the SOAP body. In that case, creating a payload endpoint makes more sense.

3.6.1. Handling the XML Message

In this sample application, we are going to use JDom to handle the XML message. We are also using XPath, because it allows us to select particular parts of the XML JDOM tree, without requiring strict schema conformance. We extend our endpoint from AbstractJDomPayloadEndpoint, because that will give us a JDOM element to execute the XPath queries on.

package com.mycompany.hr.ws;

import java.text.SimpleDateFormat;
import java.util.Date;

import com.mycompany.hr.service.HumanResourceService;
import org.jdom.Element;
import org.jdom.JDOMException;
import org.jdom.Namespace;
import org.jdom.xpath.XPath;
import org.springframework.ws.server.endpoint.AbstractJDomPayloadEndpoint;

public class HolidayEndpoint extends AbstractJDomPayloadEndpoint {

    private XPath startDateExpression;

    private XPath endDateExpression;

    private XPath nameExpression;

    private HumanResourceService humanResourceService;

    public HolidayEndpoint(HumanResourceService humanResourceService) {                  (1)
        this.humanResourceService = humanResourceService;
    }

    public void init() throws JDOMException {                                            (2)
        Namespace namespace = Namespace.getNamespace("hr", "http://mycompany.com/hr/schemas");
        startDateExpression = XPath.newInstance("//hr:StartDate");
        startDateExpression.addNamespace(namespace);
        endDateExpression = XPath.newInstance("//hr:EndDate");
        endDateExpression.addNamespace(namespace);
        nameExpression = XPath.newInstance("//hr:FirstName|//hr:LastName");
        nameExpression.addNamespace(namespace);
    }

    protected Element invokeInternal(Element holidayRequest) throws Exception {          (3)
        SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd");
        Date startDate = dateFormat.parse(startDateExpression.valueOf(holidayRequest));
        Date endDate = dateFormat.parse(endDateExpression.valueOf(holidayRequest));
        String name = nameExpression.valueOf(holidayRequest);

        humanResourceService.bookHoliday(startDate, endDate, name);
        return null;
    }
}
1

The HolidayEndpoint requires the HumanResourceService business service to operate, so we use the constructor to inject it.

2

The initialization method init, which sets up XPath expressions using the JDOM API. There are three expressions: //hr:StartDate for extracting the >StartDate< text value, //hr:EndDate for extracting the end date and //hr:FirstName|//hr:LastName for extracting the name of the employee.

3

The invokeInternal method is a template method, which gets passed with the HolidayRequest element from the incoming XML message. We use the XPath expressions to extract the string values from the XML messages, and convert these values to Date objects using a SimpleDateFormat. With these values, we invoke a method on the business service. Typically, this will result in result in a database transaction being started, and some records being altered in the database. Finally, we return null, which indicates to Spring-WS that we don't want to send a response message. If we wanted a response message, we could have returned a JDOM Element that represents the payload of the response message.

Using JDOM is just one of the options to handle the XML, other options include DOM, dom4j, XOM, SAX, and StAX, but also marshalling techniques like JAXB, Castor, XMLBeans, JiBX, and XStream. We chose JDOM because it gives us access to the raw XML, and because it is based on classes (not interfaces and factory methods as with W3C DOM and dom4j), which makes the code less verbose. We use XPath because it is less fragile than marshalling technologies: we don't care for strict schema conformance, as long as we can find the dates and the name.

Here's how we would wire up these classes in our spring-ws-servlet.xml application context:

<beans xmlns="http://www.springframework.org/schema/beans">

    <bean id="holidayEndpoint" class="com.mycompany.hr.ws.HolidayEndpoint" init-method="init">
        <constructor-arg ref="hrService"/>
    </bean>

    <bean id="hrService" class="com.mycompany.hr.service.StubHumanResourceService"/>

</beans>

3.6.2. Routing the Message to the Endpoint

Now that we have written an endpoint that handles the message, we must define how incoming messages are routed to that endpoint. In Spring-WS, this is the responsibility of an EndpointMapping. In this tutorial, we will route messages based on their content, by using a PayloadRootQNameEndpointMapping. Here's how we wire it up in spring-ws-servlet.xml:

<bean class="org.springframework.ws.server.endpoint.mapping.PayloadRootQNameEndpointMapping">
    <property name="mappings">
        <props>
            <prop key="{http://mycompany.com/hr/schemas}HolidayRequest">holidayEndpoint</prop>
        </props>
    </property>
    <property name="interceptors">
        <bean class="org.springframework.ws.server.endpoint.interceptor.PayloadLoggingInterceptor"/>
    </property>
</bean>

This means that whenever a XML message comes in with the namespace http://mycompany.com/hr/schemas and the HolidayRequest local name, it will be routed to the holidayEndpoint. It also adds a PayloadInterceptor, which dumps incoming and outgoing messages to the log.

3.7. Publishing the WSDL

Finally, we need to publish the WSDL. As stated in Section 3.4, “Service contract”, we don't need to write a WSDL ourselves; Spring-WS can generate one for us based on some conventions. Here's how we define the generation:

<bean id="holiday" class="org.springframework.ws.wsdl.wsdl11.DynamicWsdl11Definition">   (1)
    <property name="builder">
        <bean class="org.springframework.ws.wsdl.wsdl11.builder.XsdBasedSoap11Wsdl4jDefinitionBuilder">
            <property name="schema" value="/WEB-INF/hr.xsd"/>                            (2)
            <property name="portTypeName" value="HumanResource"/>                        (3)
            <property name="locationUri" value="http://localhost:8080/holidayService/"/> (4)
        </bean>
    </property>
</bean>
1

The bean id determines the URL where the WSDL can be retrieved. In this case, the bean id is holiday, which means that the WSDL can be retrieved as holiday.wsdl in the servlet context. The full URL will typically be http://localhost:8080/holidayService/holiday.wsdl.

2

The schema property is set to the human resource schema we defined in Section 3.3, “Data Constract”: we simply placed the schema in the WEB-INF directory of the application.

3

Next, we define the WSDL port type to be HumanResource.

4

Finally, we set the location where the service can be reached: http://localhost:8080/holidayService.

You can create a WAR file using mvn install. If you deploy the application, and point your browser at this location, you will see the generated WSDL. This WSDL is ready to be used by clients, such as soapUI, or other SOAP frameworks.

That concludes this tutorial. The next step would be to look at the echo sample application, that is part of the distribution. After that, look at the airline sample, which is a bit more complicated, because it uses JAXB, WS-Security, Hibernate, and a transactional service layer. Finally, you can read the rest of the reference documentation.



[2] Until version RC1 of Spring-WS is released, the following has to be added to to ~/.m2/settings.xml in order to find the archetype:

<repository>
    <id>springframework.org</id>
    <name>Springframework Maven SNAPSHOT Repository</name>
    <url>http://static.springframework.org/maven2-snapshots/</url>
    <snapshots>
        <enabled>true</enabled>
    </snapshots>
</repository>