我的程序使用基于Spring Session xml的配置,并且我使用JdbcOperationsSessionRepository来实现我的会话。 JdbcOperationsSessionRepository库正在使用JdbcOperationsSessionRepository.JdbcSession,如何设置会话属性?
package sessioncontrol.page;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.session.Session;
import org.springframework.session.jdbc.JdbcOperationsSessionRepository;
import org.springframework.session.jdbc.JdbcOperationsSessionRepository.JdbcSession;
import org.springframework.session.jdbc.config.annotation.web.http.EnableJdbcHttpSession;
import org.springframework.stereotype.Controller;
import org.springframework.transaction.PlatformTransactionManager;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import lombok.extern.log4j.Log4j2;
@Log4j2
@Controller
@EnableJdbcHttpSession
public class SessionControl {
@Autowired
JdbcTemplate jdbcTemplate;
@Autowired
PlatformTransactionManager transactionManager;
private JdbcOperationsSessionRepository repository;
@RequestMapping(value="flpage", method=RequestMethod.GET)
public String showPage(Model model) {
repository = new JdbcOperationsSessionRepository(jdbcTemplate, transactionManager);
repository.setTableName("test.spring_session");
repository.setDefaultMaxInactiveInterval(120);
JdbcSession session = repository.createSession();
session.setAttribute("ATTR_USER", "rwinch");
repository.save(session);
return "flpage";
}
}
它显示导入
org.springframework.session.jdbc.JdbcOperationsSessionRepository.JdbcSession;
不可见,因此如何正确使用内部类set属性方法?我真的被困在这里。在此先感谢您的任何意见。
最佳答案
首先,您应该使用接口(SessionRepository
或FindByIndexNameSessionRepository
)与存储库进行交互,并注入由Spring Session配置创建并在应用程序上下文中注册为bean的实例,而不是实例化JdbcOperationsSessionRepository
你自己
注入FindByIndexNameSessionRepository
实例基本上有两种方法-注入和使用原始类型,或参数化(尊重FindByIndexNameSessionRepository<S extends Session>
的原始协定)。
原始类型方法:
class RawConsumer {
@Autowired
private FindByIndexNameSessionRepository sessionRepository;
void consume() {
Session session = (Session) this.sessionRepository.createSession();
session.setAttribute("test", UUID.randomUUID().toString());
this.sessionRepository.save(session);
}
}
参数化类型方法:
class ParameterizedConsumer<S extends Session> {
@Autowired
private FindByIndexNameSessionRepository<S> sessionRepository;
void consume() {
S session = this.sessionRepository.createSession();
session.setAttribute("test", UUID.randomUUID().toString());
this.sessionRepository.save(session);
}
}