Ошибка при создании bean-компонента с именем securityConfig, не удалось внедрить автонастройки зависимостей; исключение java.lang.IllegalArgumentException - PullRequest
0 голосов
/ 10 сентября 2018

Я делаю весеннее загрузочное приложение системы управления библиотекой Когда я запускаю свое приложение, я получаю упомянутую ошибку. Может кто-нибудь, пожалуйста, помогите мне. Заранее спасибо!

// Securityconfig

@Configuration
@EnableWebSecurity
public class SecurityConfiguration  extends WebSecurityConfigurerAdapter{
    @Autowired
    private BCryptPasswordEncoder bCryptPasswordEncoder;

    @Autowired
    private DataSource dataSource;
    @Value("${spring.queries.users-query}")
    private String usersQuery;
    @Value("${spring.queries.roles-query}")
    private String rolesQuery;
    @Override
    protected void configure(AuthenticationManagerBuilder auth)
            throws Exception {
        auth.
            jdbcAuthentication()
            .usersByUsernameQuery(usersQuery)
            .authoritiesByUsernameQuery(rolesQuery)
            .dataSource(dataSource)
                .passwordEncoder(bCryptPasswordEncoder);
    }
    @Override
    protected void configure(HttpSecurity http) throws Exception {

        http.
            authorizeRequests()
            .antMatchers("/").permitAll()
            .antMatchers("/login").permitAll()
            .antMatchers("/registration").permitAll()
            .antMatchers("/admin/**").hasAuthority("ADMIN").anyRequest()
            .authenticated().and().csrf().disable().formLogin()
            .loginPage("/login").failureUrl("/login?error=true")
            .defaultSuccessUrl("/admin/home")
            .usernameParameter("email")
            .passwordParameter("password")
            .and().logout()
            .logoutRequestMatcher(new AntPathRequestMatcher("/logout"))
            .logoutSuccessUrl("/").and().exceptionHandling()
            .accessDeniedPage("/access-denied");
    }
    @Override
    public void configure(WebSecurity web) throws Exception {
        web
           .ignoring()
           .antMatchers("/resources/**", "/static/**", "/css/**", "/js/**", "/images/**");
    }
}

// ServiceImpl

@Service
public class StudentServiceImpl implements StudentService {
    private StudentRepository stuRepository;
    public StudentServiceImpl(StudentRepository stuRepository) {
        this.stuRepository=stuRepository;
    }
    @Autowired   
    private BCryptPasswordEncoder bCryptPasswordEncoder;        
    @Override
    public Student findStudentByEmail(String email) {
        return stuRepository.findByEmail(email);
    }
    @Override
    public void saveStudent(Student stu) {
        stu.setPassword(bCryptPasswordEncoder.encode(stu.getPassword()));
        stuRepository.save(stu);
    }
}

// Ошибка

org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'securityConfiguration': Injection of autowired dependencies failed; nested exception is java.lang.IllegalArgumentException: Could not resolve placeholder 'spring.queries.users-query' in value "${spring.queries.users-query}"
    at org.springframework.beans.factory.annotation.AutowiredAnnotationBeanPostProcessor.postProcessPropertyValues(AutowiredAnnotationBeanPostProcessor.java:378) ~[spring-beans-5.0.8.RELEASE.jar:5.0.8.RELEASE]
    at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1341) ~[spring-beans-5.0.8.RELEASE.jar:5.0.8.RELEASE]

// если я добавляю запрос в файл свойств. я получаю эту ошибку

org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'loginController': Unsatisfied dependency expressed through field 'stuserv'; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'studentServiceImpl' defined in file [C:\Users\Root\eclipse-workspace\manlib\target\classes\com\itcinfo\manlib\service\StudentServiceImpl.class]: Unsatisfied dependency expressed through constructor parameter 0; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'studentRepository': Post-processing of merged bean definition failed; nested exception is java.lang.NoSuchMethodError: javax.persistence.PersistenceContext.synchronization()Ljavax/persistence/SynchronizationType;
    at org.springframework.beans.factory.annotation.AutowiredAnnotationBeanPostProcessor$AutowiredFieldElement.inject(AutowiredAnnotationBeanPostProcessor.java:586) ~[spring-beans-5.0.8.RELEASE.jar:5.0.8.RELEASE]
    at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:91) ~[spring-beans-5.0.8.RELEASE.jar:5.0.8.RELEASE]

1 Ответ

0 голосов
/ 10 сентября 2018

Если вы прочитаете сообщение об ошибке, вы увидите

Не удалось разрешить местозаполнитель 'spring.queries.users-query' в значении "$ {spring.queries.users-query}"

Вы пропустили собственность в вашем файле собственности spring.queries.users-query Добавьте его, и ошибка должна исчезнуть

UPDATE:

если вы прочитали новое сообщение об ошибке:

java.lang.NoSuchMethodError: javax.persistence.PersistenceContext.synchronization () Ljavax / persistence / SynchronizationType;

Вы можете увидеть исключение, которое показывает несовместимые файлы JAR

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...