2016-09-20 4 views
7

Я прочитал другие ответы на подобные вопросы, но я не нашел решение моей проблемы. У меня есть сервер Tomcat7 и приложение Spring, которое использует Hibernate для подключения к моей удаленной БД PostgreSQL. Мои рамочные версии: Spring Framework 4.2.2 Spring безопасности 3.2.5 Hibernate 4.3.6Hibernate не смог получить синхронизированный с транзакцией сеанс для текущего потока на удаленном сервере

Когда я запускаю мое приложение на локальном хосте все нормально, но когда я развернуть его на своем сервере, я получаю эту ошибку на входе:

org.hibernate.HibernateException: Could not obtain transaction-synchronized Session for current thread 
    org.springframework.orm.hibernate4.SpringSessionContext.currentSession(SpringSessionContext.java:134) 
    org.hibernate.internal.SessionFactoryImpl.getCurrentSession(SessionFactoryImpl.java:1014) 
    org.myapp.spring.dao.generic.GenericDAOImpl.getSession(GenericDAOImpl.java:59) 
    org.myapp.spring.dao.impl.DeveloperDaoImpl.findByUsername(DeveloperDaoImpl.java:51) 
    org.myapp.spring.service.impl.DeveloperServiceImpl.findByUsername(DeveloperServiceImpl.java:149) 
    org.myapp.spring.web.security.UserDetailsServiceImpl.loadUserByUsername(UserDetailsServiceImpl.java:23) 
    org.myapp.spring.web.security.MyAuthenticationProvider.authenticate(MyAuthenticationProvider.java:30) 
    org.springframework.security.authentication.ProviderManager.authenticate(ProviderManager.java:167) 
    org.springframework.security.authentication.ProviderManager.authenticate(ProviderManager.java:192) 
    org.springframework.security.web.authentication.UsernamePasswordAuthenticationFilter.attemptAuthentication(UsernamePasswordAuthenticationFilter.java:93) 
    org.springframework.security.web.authentication.AbstractAuthenticationProcessingFilter.doFilter(AbstractAuthenticationProcessingFilter.java:217) 
    org.springframework.security.web.FilterChainProxy$VirtualFilterChain.doFilter(FilterChainProxy.java:330) 
    org.springframework.security.web.authentication.logout.LogoutFilter.doFilter(LogoutFilter.java:120) 
    org.springframework.security.web.FilterChainProxy$VirtualFilterChain.doFilter(FilterChainProxy.java:330) 
    org.springframework.security.web.header.HeaderWriterFilter.doFilterInternal(HeaderWriterFilter.java:64) 
    org.springframework.web.filter.OncePerRequestFilter.doFilter(OncePerRequestFilter.java:107) 
    org.springframework.security.web.FilterChainProxy$VirtualFilterChain.doFilter(FilterChainProxy.java:330) 
    org.springframework.security.web.context.SecurityContextPersistenceFilter.doFilter(SecurityContextPersistenceFilter.java:91) 
    org.springframework.security.web.FilterChainProxy$VirtualFilterChain.doFilter(FilterChainProxy.java:330) 
    org.springframework.security.web.context.request.async.WebAsyncManagerIntegrationFilter.doFilterInternal(WebAsyncManagerIntegrationFilter.java:53) 
    org.springframework.web.filter.OncePerRequestFilter.doFilter(OncePerRequestFilter.java:107) 
    org.springframework.security.web.FilterChainProxy$VirtualFilterChain.doFilter(FilterChainProxy.java:330) 
    org.springframework.security.web.FilterChainProxy.doFilterInternal(FilterChainProxy.java:213) 
    org.springframework.security.web.FilterChainProxy.doFilter(FilterChainProxy.java:176) 
    org.springframework.web.filter.DelegatingFilterProxy.invokeDelegate(DelegatingFilterProxy.java:346) 
    org.springframework.web.filter.DelegatingFilterProxy.doFilter(DelegatingFilterProxy.java:262) 

у меня есть два inizializer файлов:

public class WebAppInitializer extends AbstractAnnotationConfigDispatcherServletInitializer { 

    @Override 
    protected Class<?>[] getRootConfigClasses() { 
     Class[] config = {AppConfig.class}; 
     return config; 
    } 

    @Override 
    protected Class<?>[] getServletConfigClasses() { 
     Class[] config = {SecurityConfig.class, HibernateConfig.class}; 
     return config; 
    } 

    @Override 
    protected String[] getServletMappings() { 
     return new String[] { "/" }; 
    } 

и

@Component 
public class SecurityWebApplicationInizializer extends AbstractSecurityWebApplicationInitializer { 
} 

и три Конфигурационные файлы:

@EnableWebMvc 
@ComponentScan({ "org.myapp.spring.*" }) 
@EnableTransactionManagement 
@PropertySource(value="classpath:myapp.properties") 
public class AppConfig extends WebMvcConfigurerAdapter implements ApplicationContextAware { 

    @Autowired 
    private TokenInterceptor tokenInterceptor; 
    private ApplicationContext applicationContext; 
    private static final String UTF8 = "UTF-8"; 

    @Override 
    public void setApplicationContext(ApplicationContext applicationContext) { 
     this.applicationContext = applicationContext; 
    } 

    @Override 
    public void addInterceptors(InterceptorRegistry registry) { 
     registry.addInterceptor(tokenInterceptor); 
    } 

//other methods 
} 

и

@Configuration 
@EnableWebSecurity 
@EnableTransactionManagement 
@ComponentScan("org.myapp.spring.web.security") 
@EnableGlobalMethodSecurity(prePostEnabled = true) 
public class SecurityConfig extends WebSecurityConfigurerAdapter { 

@Autowired private MyAuthenticationProvider authProvider; 
@Autowired private UserDetailsService userDetailsService; 

@Autowired 
public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception { 
    auth.authenticationProvider(authProvider); 
    auth.userDetailsService(userDetailsService); 
} 

@Override 
public void configure(WebSecurity web) throws Exception { 
    DefaultWebSecurityExpressionHandler handler = new DefaultWebSecurityExpressionHandler(); 
    handler.setPermissionEvaluator(permissionEvaluator()); 
    web.expressionHandler(handler); 
} 

@Bean 
public PermissionEvaluator permissionEvaluator() { 
    return new MyPermissionEvaluator(); 
} 

@Override 
protected void configure(HttpSecurity http) throws Exception { 
    http.csrf().and() 
    .formLogin().loginPage("/html/login").defaultSuccessUrl("/html/index", true).permitAll() 
    .and() 
    .logout().logoutUrl("/html/logout").logoutSuccessUrl("/html/login?logout").invalidateHttpSession(true).clearAuthentication(true).permitAll() 
    .and() 
    .authorizeRequests() 
    .antMatchers("/html/forbidden").permitAll() 
    .antMatchers("/html/logistic").permitAll() 
    .antMatchers("/html/ajax/logistic").permitAll() 
    .antMatchers("/html/res/**").permitAll() 
    .antMatchers("/html").authenticated() 
    .antMatchers("/html/**").authenticated() 
    .and() 
    .exceptionHandling().accessDeniedPage("/html/forbidden"); 
} 

}

и, наконец:

@Configuration 
@EnableTransactionManagement 
@ComponentScan({ "org.myapp.spring.configuration" }) 
@PropertySource(value = { "classpath:hibernate.properties" }) 
public class HibernateConfig { 

@Autowired 
private Environment environment; 

@Bean 
public LocalSessionFactoryBean sessionFactory() { 
    LocalSessionFactoryBean sessionFactory = new LocalSessionFactoryBean(); 
    sessionFactory.setDataSource(dataSource()); 
    sessionFactory.setPackagesToScan(new String[] { "org.myapp.spring.model"}); 
    sessionFactory.setHibernateProperties(hibernateProperties()); 

    try { 
     sessionFactory.afterPropertiesSet(); 
    } catch (IOException e) { 
     // TODO Auto-generated catch block 
     e.printStackTrace(); 
    } 
    return sessionFactory; 
} 

@Bean 
public DataSource dataSource() { 
    DriverManagerDataSource dataSource = new DriverManagerDataSource(); 
    dataSource.setDriverClassName(environment.getRequiredProperty("hibernate.connection.driver_class")); 
    dataSource.setUrl(environment.getRequiredProperty("hibernate.connection.url")); 
    dataSource.setUsername(environment.getRequiredProperty("hibernate.connection.username")); 
    dataSource.setPassword(environment.getRequiredProperty("hibernate.connection.password")); 
    return dataSource; 
} 

private Properties hibernateProperties() { 
    Properties properties = new Properties(); 
    properties.put("hibernate.dialect", environment.getRequiredProperty("hibernate.dialect")); 
    properties.put("hibernate.show_sql", environment.getRequiredProperty("hibernate.show_sql")); 
    properties.put("hibernate.format_sql", environment.getRequiredProperty("hibernate.format_sql")); 
    return properties; 
} 

@Bean 
@Autowired 
public HibernateTransactionManager transactionManager(SessionFactory s) { 
    HibernateTransactionManager txManager = new HibernateTransactionManager(); 
    txManager.setSessionFactory(s); 
    return txManager; 
} 
} 

GenericDaoImpl является:

@Repository 
public abstract class GenericDAOImpl<T> implements DAO<T> { 

    @Autowired 
    private SessionFactory sessionFactory; 

protected Session getSession() { 
      return sessionFactory.getCurrentSession(); 
     } 

Каждый DAO расширяет этот класс и имеет свою аннотацию @Repository.

Каждое обслуживание аннотируется как @transactional. Это реализация UserDetailsService:

@Service 
@Transactional 
public class UserDetailsServiceImpl implements UserDetailsService, MyUserDetailsService { 

    @Autowired private DeveloperService devService; 
    @Autowired private AuthorizationService authorizationService; 

    @Override 
    public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException { 
     if(username == null) { 
      throw new UsernameNotFoundException("User not found"); 
     } 
     Developer dev = devService.findByUsername(username); 

     if(dev == null) { 
      throw new UsernameNotFoundException("User not found"); 
     } 
     MyUserDetails user = new MyUserDetails(); 
     user.setUsername(dev.getUsername()); 
     user.setPassword(dev.getPassword()); 
     user.setMaxAuthorityByIndex(dev.getRole()); 
     return user; 
    } 

Я действительно не знаю, что это может быть. Может быть, неправильная конфигурация на сервере? Мне кажется правильным ...

+0

Проблема заключается в том, что у вас есть 2 экземпляра ваших услуг ... Тот с транзакциями не используется. Вы - компонентное сканирование для слишком многих вещей в разных конфигурациях, не делайте этого. Конфигурация вашей безопасности и спящего режима также должна быть частью корневой конфигурации. Конфигурация сервлета должна состоять только из связанных с сетью вещей (контроллеры, представления и инфраструктура для этого). –

+0

Значит, вы говорите, что я должен использовать только один файл конфигурации? – zuno

+0

Нет, я не ... Я говорю, что вы должны быть осторожны в том, что и где вы используете компонентное сканирование, и что надлежащий тип классов должен быть загружен соответствующим компонентом. «ContextLoaderListener» должен, в идеале, содержать инфраструктурные сервисы, такие как «DataSource», «EntityManagerFactory», а также службы, репозитории и т. Д. Ваш 'DispatcherServlet' должен, в свою очередь, содержать связанные с Интернетом вещи' @ EnableWebMvc' и такие вещи, как контроллеры, представления, но не службы , –

ответ

0

добавить к вашей

private Properties hibernateProperties() { 
     Properties properties = new Properties(); 
     properties.put("hibernate.dialect", environment.getRequiredProperty("hibernate.dialect")); 
     properties.put("hibernate.show_sql", environment.getRequiredProperty("hibernate.show_sql")); 
     properties.put("hibernate.format_sql", environment.getRequiredProperty("hibernate.format_sql")); 
     properties.put("current_session_context_class","org.springframework.orm.hibernate4.SpringSessionContext"); 
     return properties; 
    } 
Смежные вопросы

 Смежные вопросы