$ Proxy25 не может быть приведен к моему классу spring framework

#hibernate #spring #aop

#спящий режим #spring #aop

Вопрос:

Я получаю это исключение во время выполнения теста (я пытаюсь настроить aop в spring):

 java.lang.ClassCastException: $Proxy25 cannot be cast to path.UserDao
    at com.playence.app.daoTests.TestCreateOntologyDB.testGenerateGlobalAnnotation(TestCreateOntologyDB.java:49)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
    at java.lang.reflect.Method.invoke(Method.java:597)
    at org.junit.internal.runners.TestMethod.invoke(TestMethod.java:59)
    at org.junit.internal.runners.MethodRoadie.runTestMethod(MethodRoadie.java:98)
    at org.junit.internal.runners.MethodRoadie$2.run(MethodRoadie.java:79)
    at org.junit.internal.runners.MethodRoadie.runBeforesThenTestThenAfters(MethodRoadie.java:87)
    at org.junit.internal.runners.MethodRoadie.runTest(MethodRoadie.java:77)
    at org.junit.internal.runners.MethodRoadie.run(MethodRoadie.java:42)
    at org.junit.internal.runners.JUnit4ClassRunner.invokeTestMethod(JUnit4ClassRunner.java:88)
    at org.junit.internal.runners.JUnit4ClassRunner.runMethods(JUnit4ClassRunner.java:51)
    at org.junit.internal.runners.JUnit4ClassRunner$1.run(JUnit4ClassRunner.java:44)
    at org.junit.internal.runners.ClassRoadie.runUnprotected(ClassRoadie.java:27)
    at org.junit.internal.runners.ClassRoadie.runProtected(ClassRoadie.java:37)
    at org.junit.internal.runners.JUnit4ClassRunner.run(JUnit4ClassRunner.java:42)
    at org.eclipse.jdt.internal.junit4.runner.JUnit4TestReference.run(JUnit4TestReference.java:49)
    at org.eclipse.jdt.internal.junit.runner.TestExecution.run(TestExecution.java:38)
    at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:467)
    at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:683)
    at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.run(RemoteTestRunner.java:390)
    at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.main(RemoteTestRunner.java:197)   
  

UserDao.java

 public class UserDao extends AbstractHibernateDAOSupport {

    public UserDao() {
        super();
    }

    /**
     * Insert a new User into the database.
     * 
     * @param user
     */
    public void store(User user) throws DataAccessLayerException {
        super.save(user);
    }

    /**
     * Delete a User from the database.
     * 
     * @param user
     */
    public void delete(User user) throws DataAccessLayerException {
        super.delete(user);
    }

    /**
     * Updates the state of a detached User.
     * 
     * @param user
     */
    public void update(User user) throws DataAccessLayerException {
        super.update(user);
    }

    public User findByID(String id) throws DataAccessLayerException {
        return (User) this.find(User.class, id);

    }

    /**
     * Finds all Users in the database.
     * 
     * @return
     */
    public List findAll() throws DataAccessLayerException {
        return super.findAll(User.class);
    }
  

Файлы конфигурации Spring:applicationContext-dao.xml

 <bean id="userDao" class="path.UserDao">
        <property name="sessionFactory">
            <ref bean="sessionFactory" />
        </property>
    </bean>
  

TestCreateOntologyDB.java

 ....  
ApplicationContext ctx ;

    public TestCreateOntologyDB() {
        ctx = new ClassPathXmlApplicationContext("/applicationContext.xml");
    }

    @Test
    public void testGenerateGlobalAnnotation(){
        UserDao userDao = (UserDao)ctx.getBean("userDao");

...
  

И я не настраивал никаких дополнительных возможностей UserDao ни в одном другом файле конфигурации. В чем может быть ошибка?? Буду признателен за любую помощь. Заранее спасибо

Ответ №1:

Наконец-то я нашел решение:

  1. Создайте интерфейс для классов, которые будут использовать aop
  2. Отредактируйте путь к правильному в файле конфигурации spring:

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

Вся тема здесь http://forum.springsource.org/showthread.php?p=357883

Ответ №2:

Если вы используете конфигурацию на основе Java, вам необходимо добавить аннотацию @EnableAspectJAutoProxy к вашему классу конфигурации и установить proxyTargetClass в true.

 @Configuration
@ImportResource("classpath:beanConfiguration.xml")
@ComponentScan(basePackages="com.bpjoshi.foo")
@EnableAspectJAutoProxy(proxyTargetClass = true)
public class NotificationConfig {

}
  

Для подробного объяснения посетите эту официальную документацию spring

Если вы используете конфигурацию xml для spring, добавьте приведенный ниже код в свой bean-config.xml

 <aop:aspectj-autoproxy proxy-target-class="true"/>
  

Ответ №3:

Похоже, вы используете Spring AOP Proxy и пытаетесь преобразовать что-то, что должно быть UserDao, в UserDao, но это не UserDao из-за прокси-сервера.


Для получения более подробной информации вам следует опубликовать код, который вызывает ошибку:

 com.playence.app.daoTests.TestCreateOntologyDB.testGenerateGlobalAnnotation(TestCreateOntologyDB.java:49)
  

Странно, вы пробовали AbstractApplicationContext.getBean(String name, Class<T> requiredType) вместо явного приведения?


По моему скромному мнению: я настоятельно рекомендую использовать AspectJ вместо

Комментарии:

1. @mujer esponja: Попробуйте AbstractApplicationContext.getBean(имя строки, класс<T> requiredType) — но если это не поможет, я удалю свой ответ — потому что у меня нет идеи на будущее.

2. Я не понимаю, что вы имеете в виду. Вместо использования ctx, используя AbstractApplicationContext??

Ответ №4:

Для этого вам нужно включить прокси целевого класса. Установите для свойства proxyTargetClass значение true, чтобы оно работало, или создайте интерфейс PersonDao, переименуйте свой dao в PersonDaoImpl и позвольте вашим классам работать с интерфейсом, а не с классом.

Ответ №5:

Однажды я столкнулся с подобной проблемой.

Я использовал свой getBean() метод ApplicationContext , чтобы попытаться получить определенный класс репозитория, но он выдал бы ClassCastException аналогичное OP.

Основная причина заключалась в том, что один из моих методов в классе репозитория, который я пытался получить, был помечен @Cacheable , что означало, что Spring собирался создать прокси для этого класса.

Я обошел это, переместив @Cacheable аннотацию к методу внутри класса service в отличие от класса repository.