我有一个(希望是)标准设置,其中包含一堆,@Controller
和带注释的类,例如:@Service
@Entity
@Repository
@Service
public class ChannelManager {
@Autowired
private ChannelDao channelDao;
public List<Channel> allChannels() {
return channelDao.findAll();
}
}
哪里ChannelDao
是:
public interface ChannelDao extends PersistentDao<Channel> {}
ChannelImpl
是:
@Repository
public class ChannelImpl extends PersistentImpl<Channel> implements ChannelDao {}
Channel
是:
@Entity
@Table(name = "channel")
public class Channel extends Persistent {
@Id
@Column(name = "id", nullable = false)
private Long id;
// set/get
}
PersistentDao
是:
public interface PersistentDao<T extends Persistent> {
public List<T> findAll();
}
最后PersistentImpl
是:
public class PersistentImpl<T extends Persistent> implements PersistentDao<T> {
@PersistenceContext
protected EntityManager entityManager;
private Class<T> clazz; // gets assigned correctly
public List<T> findAll() {
return entityManager.createQuery("from " + clazz.getSimpleName()).getResultList();
}
}
所有这些都按预期工作。我正在使用<context:annotation-config/>
and<context:component-scan/>
以及<bean id="entityManagerFactory" class="org.springframework.orm.jpa.LocalContainerEntityManagerFactoryBean" ...>
with a persistence.xml
。基本上一切正常。
但现在我想概括 ChannelManager,因为我有许多其他实体并且希望避免重复。例如,我还需要一个带有List<Job> allJobs() { return jobDao.findall(); }
方法的 JobManager。
所以我创建了这个:
@Service
public class GeneralManager<T extends PersistentDao, E extends Persistent> {
@Autowired
private AutowireCapableBeanFactory factory;
public void setFactory(AutowireCapableBeanFactory factory) {
this.factory = factory;
}
private Class<? extends T> impl;
private T dao;
public GeneralManager(Class<? extends T> impl) throws Exception {
this.impl = impl;
}
@PostConstruct
public void postCtor() {
dao = factory.createBean(impl); // seems to be created and is not null
}
public List<E> all() {
return dao.findAll();
}
}
我更新了 context.xml
<bean id="jobImpl" class="a.b.c.GeneralManager">
<property name="factory" ref="autowireFactory"/>
<constructor-arg value="a.b.c.JobImpl"/>
</bean>
<bean id="autowireFactory" class="org.springframework.beans.factory.support.DefaultListableBeanFactory"/>
<context:annotation-config/>
<context:component-scan base-package="a.b.c">
<context:exclude-filter type="regex" expression=".*GeneralManager"/>
</context:component-scan>
最后在控制器中添加了一个声明:
@Autowired
@Qualifier(value="jobImpl")
private GeneralManager<JobDao, Job> jobManager;
想象一下 Jobxxx 类类似于 Channelxxx 类。
但是,在执行特化中的findAll()
方法时JobImpl
, entityManager 为null,因此设置不正确。
所以我的问题真的是“这可以做到吗”?尽管如果有其他更好的方法可以做到这一点,请赐教!
编辑:可能需要注意的是,我使用的是 Spring 3.0.5、Java 1.6.0_21-b07 和 Hibernate 3.6.2.Final