Перевод конфигурации xml на java config

309
27 февраля 2017, 11:57

Всем привет, есть проект с аунтификацией пользователей через социальные сети, но он, к сожалению, сконфигурирован на xml. Мне надо помощь перевести это на java config

Первый xml:

<beans xmlns="http://www.springframework.org/schema/beans"
   xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
   xmlns:tx="http://www.springframework.org/schema/tx"
   xmlns:context="http://www.springframework.org/schema/context"
   xsi:schemaLocation="http://www.springframework.org/schema/beans
            http://www.springframework.org/schema/beans/spring-beans.xsd
            http://www.springframework.org/schema/context
            http://www.springframework.org/schema/context/spring-context.xsd
            http://www.springframework.org/schema/tx
            http://www.springframework.org/schema/tx/spring-tx.xsd">
<tx:annotation-driven />
<!-- Ensures scans all annotations -->
<context:component-scan base-package="com.spring.security.social.login.example"/>
<!-- Ensures that configuration properties are read from a property file -->
<context:property-placeholder location="classpath:application.properties"/>
<bean
        class="org.springframework.web.servlet.view.InternalResourceViewResolver">
    <property name="prefix">
        <value>/WEB-INF/pages/</value>
    </property>
    <property name="suffix">
        <value>.jsp</value>
    </property>
</bean>
<bean
        class="org.springframework.web.servlet.mvc.annotation.AnnotationMethodHandlerAdapter">
    <property name="messageConverters">
        <list>
            <bean class="org.springframework.http.converter.json.MappingJackson2HttpMessageConverter">
                <constructor-arg name="objectMapper" ref="jacksonObjectMapper" />
            </bean>
        </list>
    </property>
</bean>
<bean id="jacksonObjectMapper" class="com.fasterxml.jackson.databind.ObjectMapper"/>
<!-- data source, sessionfactory, hiberate template & transaction manager -->
<bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
    <property name="driverClassName" value="${database.driver}"></property>
    <property name="url" value="${database.url}"></property>
    <property name="username" value="${database.username}"></property>
    <property name="password" value="${database.password}"></property>
</bean>
<bean id="loginSessionFactory"
      class="org.springframework.orm.hibernate4.LocalSessionFactoryBean">
    <property name="dataSource" ref="dataSource"/>
    <property name="packagesToScan" value="com.spring.security.social.login.example"/>
    <property name="hibernateProperties">
        <props>
            <prop key="hibernate.dialect">
                ${hibernate.dialect}
            </prop>
            <prop key="hibernate.hbm2ddl.auto">
                ${hibernate.hbm2ddl.auto}
            </prop>
            <prop key="hibernate.show_sql">
                ${hibernate.show.sql}
            </prop>
        </props>
    </property>
</bean>
<bean id="transactionManager" class="org.springframework.orm.hibernate4.HibernateTransactionManager">
    <property name="sessionFactory" ref="loginSessionFactory"/>
</bean>
<bean id="hibernateTemplate" class="org.springframework.orm.hibernate4.HibernateTemplate">
    <property name="sessionFactory" ref="loginSessionFactory"/>
</bean></beans>

Второй xml конфиг:

<beans xmlns="http://www.springframework.org/schema/beans"
   xmlns:security="http://www.springframework.org/schema/security"
   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.xsd
                http://www.springframework.org/schema/security
                http://www.springframework.org/schema/security/spring-security.xsd">
<import resource="spring-persistent-servlet.xml"/>
<!--  authentication manager and its provider( social provider deals with social login & local user provider deals with form login ) -->
<security:authentication-manager alias="authenticationManager">
    <security:authentication-provider ref="socialAuthenticationProvider"/>
    <security:authentication-provider user-service-ref="localUserDetailService"/>
</security:authentication-manager>
<bean id="socialAuthenticationProvider" class="org.springframework.social.security.SocialAuthenticationProvider">
    <constructor-arg ref="inMemoryUsersConnectionRepository"/>
    <constructor-arg ref="socialUserDetailService"/>
</bean>
<!-- form login beans -->
<bean id="appAuthenticationEntryPoint"
      class="com.spring.security.social.login.example.entrypoint.AppAuthenticationEntryPoint">
    <constructor-arg name="loginFormUrl" value="/services/login"/>
</bean>
<bean id="rememberMeServices"
      class="org.springframework.security.web.authentication.NullRememberMeServices"/>
<bean id="successHandler" class="com.spring.security.social.login.example.handler.AppSuccessHandler"/>
<bean id="failureHandler"
      class="org.springframework.security.web.authentication.SimpleUrlAuthenticationFailureHandler">
    <constructor-arg name="defaultFailureUrl" value="/services/accessdenied"/>
</bean>
<bean id="logoutFilter" class="org.springframework.security.web.authentication.logout.LogoutFilter">
    <constructor-arg name="logoutSuccessHandler" ref="logoutSuccessHandler"/>
    <constructor-arg name="handlers">
        <list>
            <bean name="securityContextLogoutHandler" class="org.springframework.security.web.authentication.logout.SecurityContextLogoutHandler"/>
        </list>
    </constructor-arg>
</bean>
<bean id="logoutSuccessHandler" class="org.springframework.security.web.authentication.logout.SimpleUrlLogoutSuccessHandler"/>
<bean class="org.springframework.security.web.authentication.UsernamePasswordAuthenticationFilter"
      id="SecurityAuthFilter">
    <property name="authenticationManager" ref="authenticationManager"/>
    <property name="authenticationSuccessHandler" ref="successHandler"/>
    <property name="authenticationFailureHandler" ref="failureHandler"/>
    <property name="filterProcessesUrl" value="/j_spring_security_check"/>
    <property name="rememberMeServices" ref="rememberMeServices"/>
</bean>

<!-- Anyone can access these urls -->
<security:http pattern="/images/**" security="none"/>
<security:http pattern="/services/login" security="none"/>
<security:http pattern="/services/accessdenied" security="none"/>
<security:http pattern="/services/signup" security="none"/>
<security:http pattern="/services/user/register" security="none"/>
<security:http use-expressions="true" entry-point-ref="appAuthenticationEntryPoint">
    <security:intercept-url pattern="/auth/**" access="permitAll"/>
    <security:intercept-url pattern="/j_spring_security_check" access="permitAll"/>
    <security:intercept-url pattern="/" access="isAuthenticated()"/>
    <security:intercept-url pattern="/**" access="isAuthenticated()"/>
    <!-- Adds social authentication filter to the Spring Security filter chain. -->
    <security:custom-filter before="PRE_AUTH_FILTER" ref="socialAuthenticationFilter"/>
    <security:custom-filter position="FORM_LOGIN_FILTER" ref="SecurityAuthFilter"/>
    <security:custom-filter position="LOGOUT_FILTER" ref="logoutFilter"/>
</security:http>
<!-- social login filter which is a pre authentication filter and works for /auth service url -->
<bean id="socialAuthenticationFilter" class="org.springframework.social.security.SocialAuthenticationFilter">
    <constructor-arg name="authManager" ref="authenticationManager"/>
    <constructor-arg name="userIdSource" ref="userIdSource"/>
    <constructor-arg name="usersConnectionRepository" ref="inMemoryUsersConnectionRepository"/>
    <constructor-arg name="authServiceLocator" ref="appSocialAuthenticationServiceRegistry"/>
    <property name="authenticationSuccessHandler" ref="successHandler"/>
</bean>

<!-- inmemory connection repository which holds connection repository per local user -->
<bean id="inMemoryUsersConnectionRepository"
      class="org.springframework.social.connect.mem.InMemoryUsersConnectionRepository">
    <constructor-arg name="connectionFactoryLocator" ref="appSocialAuthenticationServiceRegistry"/>
    <property name="connectionSignUp" ref="connectionSignUp"/>
</bean>

<!-- service registry will holds connection factory of each social provider -->
<bean id="appSocialAuthenticationServiceRegistry"
      class="com.spring.security.social.login.example.registry.AppSocialAuthenticationServiceRegistry">
    <constructor-arg>
        <list>
            <ref bean="facebookAuthenticationService"/>
            <ref bean="twitterAuthenticationService" />
        </list>
    </constructor-arg>
</bean>
<bean id="facebookAuthenticationService"
      class="org.springframework.social.facebook.security.FacebookAuthenticationService">
    <constructor-arg name="apiKey" value="${facebook.api.key}"/>
    <constructor-arg name="appSecret" value="${facebook.api.secret}"/>
</bean>
<bean id="twitterAuthenticationService"
      class="org.springframework.social.twitter.security.TwitterAuthenticationService">
    <constructor-arg name="apiKey" value="${twitter.api.key}"/>
    <constructor-arg name="appSecret" value="${twitter.api.secret}"/>
</bean>

<bean id="userIdSource" class="org.springframework.social.security.AuthenticationNameUserIdSource"/>
<!-- If no local user is associated to a social connection then connection sign up will create a new local user and map it to social user -->
<bean id="connectionSignUp" class="com.spring.security.social.login.example.registry.AppConnectionSignUp"/>

READ ALSO
style.css в Intellij indea

style.css в Intellij indea

Всем доброго времени с утокПодскажите, как заставить Intellij Idea подключать файл css стилей к jsp странице? Файл стилей лежит в одной директории...

549
Проблема с работой кода

Проблема с работой кода

Есть сортировка методами Хоара, QuickSort(secondMethod) и методом пузырька(firstMethod)

279
Получить вторую половину строки

Получить вторую половину строки

ЗдравствуйтеЕсть строка наподобие этой: "Истомин Денис - Попырин Алексей 0-0(3-2) 40:15 adv"

321
VK api photos.getAlbums не возвращает ID альбома

VK api photos.getAlbums не возвращает ID альбома

Делаю запрос в ВК апи что бы получить список всех альбомовДанные приходят все что должны прийти кроме ID альбома что очень важно в мое случае

448