Пример интеграции RESTEasy Spring

Здесь мы покажем вам два основных способа внедрения Spring bean в JBoss RESTEasy , нижеприведенные решения должны работать на большинстве веб-фреймворков и JAX-RS.

, Используйте WebApplicationContextUtils + ServletContext.

, Создайте класс для реализации ApplicationContextAware intrefaces , с

рекомендуется синглтон.

В этом руководстве мы интегрируем RESTEasy 2.2.1.GA с Spring 3.0.5.RELEASE .

1. Зависимости проекта

Не так много зависимостей, просто объявите ядро ​​RESTEasy и Spring в файле Maven pom.xml .

    <repositories>
        <repository>
          <id>JBoss repository</id>
          <url>https://repository.jboss.org/nexus/content/groups/public-jboss/</url>
        </repository>
    </repositories>

    <dependencies>

        <!-- JBoss RESTEasy -->
        <dependency>
            <groupId>org.jboss.resteasy</groupId>
            <artifactId>resteasy-jaxrs</artifactId>
            <version>2.2.1.GA</version>
        </dependency>

        <!-- Spring 3 dependencies -->
        <dependency>
            <groupId>org.springframework</groupId>
            <artifactId>spring-core</artifactId>
            <version>3.0.5.RELEASE</version>
        </dependency>

        <dependency>
            <groupId>org.springframework</groupId>
            <artifactId>spring-context</artifactId>
            <version>3.0.5.RELEASE</version>
        </dependency>

        <dependency>
            <groupId>org.springframework</groupId>
            <artifactId>spring-web</artifactId>
            <version>3.0.5.RELEASE</version>
        </dependency>

        <!-- need for solution 1, if your container don't have this -->
        <dependency>
            <groupId>javax.servlet</groupId>
            <artifactId>servlet-api</artifactId>
            <version>2.4</version>
        </dependency>

    </dependencies>

2. Spring Bean

Простой бин Spring с именем « customerBo », позже вы добавите этот бин в сервис RESTEasy через Spring.

package com.mkyong.customer;

public interface CustomerBo{

    String getMsg();

}
package com.mkyong.customer.impl;

import com.mkyong.customer.CustomerBo;

public class CustomerBoImpl implements CustomerBo {

    public String getMsg() {

        return "RESTEasy + Spring example";

    }

}

File: applicationContext.xml

<beans xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
    http://www.springframework.org/schema/beans/spring-beans-3.0.xsd ">

    <bean id="customerBo" class="com.mkyong.customer.impl.CustomerBoImpl">
        </bean>

</beans>

3.1 WebApplicationContextUtils ServletContext

Первое решение использует JAX-RS @ Context для получения ServletContext и` WebApplicationContextUtils` для получения контекста приложения Spring, с этим контекстом приложения Spring вы можете получить доступ и получить бины из контейнера Spring.

package com.mkyong.rest;

import javax.servlet.ServletContext;
import javax.ws.rs.GET;
import javax.ws.rs.Path;
import javax.ws.rs.core.Context;
import javax.ws.rs.core.Response;
import org.springframework.context.ApplicationContext;
import org.springframework.web.context.support.WebApplicationContextUtils;
import com.mkyong.customer.CustomerBo;

@Path("/customer")
public class PrintService {

    CustomerBo customerBo;

    @GET
    @Path("/print")
    public Response printMessage(@Context ServletContext servletContext) {

       //get Spring application context
        ApplicationContext ctx =
                     WebApplicationContextUtils.getWebApplicationContext(servletContext);
        customerBo= ctx.getBean("customerBo",CustomerBo.class);

        String result = customerBo.getMsg();

        return Response.status(200).entity(result).build();

    }

}

3.2 Реализация ApplicationContextAware

Второе решение - создать класс, реализующий Spring ApplicationContextAware , и сделать его одноэлементным, чтобы предотвратить создание экземпляров из других классов.

package com.mkyong.context;

import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;

public class SpringApplicationContext implements ApplicationContextAware {

    private static ApplicationContext appContext;

   //Private constructor prevents instantiation from other classes
        private SpringApplicationContext() {}

    @Override
    public void setApplicationContext(ApplicationContext applicationContext)
            throws BeansException {
        appContext = applicationContext;

    }

    public static Object getBean(String beanName) {
        return appContext.getBean(beanName);
    }

}

Не забудьте зарегистрировать этот компонент, иначе контейнер Spring не будет знать об этом классе.

Файл: applicationContext.xml

<beans xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
    http://www.springframework.org/schema/beans/spring-beans-3.0.xsd ">

    <bean class="com.mkyong.context.SpringApplicationContext"></bean>

    <bean id="customerBo" class="com.mkyong.customer.impl.CustomerBoImpl">
        </bean>

</beans>

В сервисе REST вы можете использовать новый одноэлементный класс - «SpringApplicationContext», чтобы получить бин из контейнера Spring.

package com.mkyong.rest;

import javax.ws.rs.GET;
import javax.ws.rs.Path;
import javax.ws.rs.core.Response;
import com.mkyong.context.SpringApplicationContext;
import com.mkyong.customer.CustomerBo;

@Path("/customer")
public class PrintService {

    CustomerBo customerBo;

    @GET
    @Path("/print")
    public Response printMessage() {

        customerBo = (CustomerBo) SpringApplicationContext.getBean("customerBo");

        String result = customerBo.getMsg();

        return Response.status(200).entity(result).build();

    }

}

4. Интеграция RESTEasy с Spring

Чтобы интегрировать оба в веб-приложение, добавьте Spring «ContextLoaderListener`» в ваш web.xml .

File: web.xml

<web-app id="WebApp__ID" version="2.4"
    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">
    <display-name>Restful Web Application</display-name>

    <context-param>
        <param-name>resteasy.resources</param-name>
        <param-value>com.mkyong.rest.PrintService</param-value>
    </context-param>

    <listener>
        <listener-class>
            org.jboss.resteasy.plugins.server.servlet.ResteasyBootstrap
                </listener-class>
    </listener>

    <listener>
        <listener-class>
                        org.springframework.web.context.ContextLoaderListener
                </listener-class>
    </listener>

    <servlet>
        <servlet-name>resteasy-servlet</servlet-name>
        <servlet-class>
            org.jboss.resteasy.plugins.server.servlet.HttpServletDispatcher
                </servlet-class>
    </servlet>

    <servlet-mapping>
        <servlet-name>resteasy-servlet</servlet-name>
        <url-pattern>/** </url-pattern>
    </servlet-mapping>

</web-app>

5. Демо

Оба решения 1 и 2 будут генерировать один и тот же результат:

Изображение://wp-content/uploads/2011/07/resteasy-spring-demo.png[результат, название = "Resteasy-пружинно-демонстрационная", ширина = 562, высота = 271]

Скачать исходный код

Загрузить его - ссылка://wp-content/uploads/2011/07/RESTEasyt-Spring-Integration-Example.zip[RESTEasyt-Spring-Integration-Example.zip](9 КБ)

Рекомендации

Весенние бобы из старого кода], ссылка://весна/весна, как к делать-зависимость-инъекция в Вашем сеансовом слушателе/​​[General

способ интеграции Spring с другими рамками], http://docs.jboss.org/resteasy/docs/2.2.1.GA/userguide/html/RESTEasy Spring Integration.html[Better

чем ничего RESTEasy Spring, пример], http://static.springsource.org/spring/docs/2.5.x/api/org/springframework/context/ApplicationContextAware.html [ApplicationContextAware

Контекст приложения Spring]

ссылка://тег/интеграция/[интеграция]ссылка://тег/jax-rs/[jax-rs]ссылка://тег/resteasy/[resteasy]ссылка://тег/spring/[весна]