前端控制器是整个MVC框架中最为核心的一块,它主要用来拦截符合要求的外部请求,并把请求分发到不同的控制器去处理,根据控制器处理后的结果,生成相应的响应发送到客户端。前端控制器既可以使用Filter实现(Struts2采用这种方式),也可以使用Servlet来实现。这里我们就采用后一种方式来实现我们的MVC框架。
1.配置web.xml,使得我们的前端控制器可以拦截所有符合要求的用户请求,这里我们的前端控制器能处理所有以.do结尾的用户请求。
- <?xml version="1.0" encoding="ISO-8859-1"?>
- <web-app xmlns="http://java.sun.com/xml/ns/javaee"
- xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
- xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd"
- version="2.5">
- <description>MVC Sample</description>
- <display-name>MVC</display-name>
- <servlet>
- <servlet-name>DispatcherServlet</servlet-name>
- <servlet-class>com.google.mvc.web.servlet.DispatcherServlet</servlet-class>
- </servlet>
- <servlet-mapping>
- <servlet-name>DispatcherServlet</servlet-name>
- <url-pattern>*.do</url-pattern>
- </servlet-mapping>
- </web-app>
2.FrameworkServlet实现。
FrameworkServlet是DispatcherServlet的直接父类,继承自HttpServlet,主要用来初始话WebApplicationContext,把不同的Http请求操作委托给同一个方法去处理。
- package com.google.mvc.web.servlet;
- import java.io.IOException;
- import javax.servlet.ServletException;
- import javax.servlet.http.HttpServlet;
- import javax.servlet.http.HttpServletRequest;
- import javax.servlet.http.HttpServletResponse;
- import org.apache.log4j.Logger;
- import com.google.mvc.web.context.WebApplicationContext;
- public abstract class FrameworkServlet extends HttpServlet {
- private static final long serialVersionUID = 1L;
- private static final Logger LOGGER = Logger.getLogger(FrameworkServlet.class);
- private WebApplicationContext webApplicationContext;
- @Override
- public void init() throws ServletException {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("----------Initializing servlet '" + getServletName() + "'----------");
- }
- this.webApplicationContext = initWebApplicationContext();
- initServletBean();
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("----------Servlet '" + getServletName() + "' configured successfully----------/n/n");
- }
- }
- private WebApplicationContext initWebApplicationContext() {
- WebApplicationContext wac = new WebApplicationContext(getServletContext());
- wac.init();
- onRefresh(wac);
- return wac;
- }
- protected void onRefresh(WebApplicationContext context) {
- // For subclasses: do nothing by default.
- }
- protected void initServletBean(){
- }
- protected abstract void doService(HttpServletRequest request, HttpServletResponse response) throws Exception;
- protected final void processRequest(HttpServletRequest request, HttpServletResponse response)
- throws ServletException, IOException {
- long startTime = System.currentTimeMillis();
- Throwable failureCause = null;
- try {
- doService(request, response);
- } catch (ServletException ex) {
- failureCause = ex;
- throw ex;
- } catch (IOException ex) {
- failureCause = ex;
- throw ex;
- } catch (Throwable ex) {
- failureCause = ex;
- throw new NestedServletException("Request processing failed", ex);
- } finally {
- if (failureCause != null) {
- LOGGER.error("Could not complete request", failureCause);
- } else {
- long processingTime = System.currentTimeMillis() - startTime;
- if (LOGGER.isDebugEnabled()) {
- LOGGER.info("Successfully completed request, cost " + processingTime + " ms/n");
- }
- }
- }
- }
- @Override
- protected void doDelete(HttpServletRequest request, HttpServletResponse response) throws ServletException,
- IOException {
- processRequest(request, response);
- }
- @Override
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- processRequest(request, response);
- }
- @Override
- protected void doHead(HttpServletRequest request, HttpServletResponse response) throws ServletException,
- IOException {
- processRequest(request, response);
- }
- @Override
- protected void doOptions(HttpServletRequest request, HttpServletResponse response) throws ServletException,
- IOException {
- processRequest(request, response);
- }
- @Override
- protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException,
- IOException {
- processRequest(request, response);
- }
- @Override
- protected void doPut(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- processRequest(request, response);
- }
- @Override
- protected void doTrace(HttpServletRequest request, HttpServletResponse response) throws ServletException,
- IOException {
- processRequest(request, response);
- }
- @Override
- public void destroy() {
- if(LOGGER.isDebugEnabled()){
- LOGGER.info("Servlet destory");
- }
- super.destroy();
- }
- public WebApplicationContext getWebApplicationContext() {
- return webApplicationContext;
- }
- }
3.DispatcherServlet实现。
- package com.google.mvc.web.servlet;
- import java.io.IOException;
- import java.util.ArrayList;
- import java.util.Collections;
- import java.util.Iterator;
- import java.util.List;
- import java.util.Map;
- import java.util.Properties;
- import java.util.StringTokenizer;
- import javax.servlet.ServletException;
- import javax.servlet.http.HttpServletRequest;
- import javax.servlet.http.HttpServletResponse;
- import org.apache.log4j.Logger;
- import com.google.mvc.web.context.WebApplicationContext;
- public class DispatcherServlet extends FrameworkServlet {
- private static final long serialVersionUID = 1L;
- private static final Logger LOGGER = Logger.getLogger(DispatcherServlet.class);
- private static final String DEFAULT_STRATEGIES_PATH = "DispatcherServlet.properties";
- private static final Properties defaultStrategies = new Properties();
- private List<HandlerMapping> handlerMappings;
- private List<HandlerAdapter> handlerAdapters;
- private List<ViewResolver> viewResolvers;
- static {
- try {
- defaultStrategies.load(DispatcherServlet.class.getResourceAsStream(DEFAULT_STRATEGIES_PATH));
- } catch (IOException ex) {
- throw new IllegalStateException("Could not load 'DispatcherServlet.properties': " + ex.getMessage());
- }
- }
- @Override
- protected void onRefresh(WebApplicationContext wac) {
- initHandlerMappings(wac);
- initHandlerAdapters(wac);
- initViewResolvers(wac);
- }
- private void initHandlerMappings(WebApplicationContext wac) {
- Map<String, HandlerMapping> map = wac.beansOfType(HandlerMapping.class);
- if (!map.isEmpty()) {
- this.handlerMappings = new ArrayList<HandlerMapping>(map.values());
- }
- if (this.handlerMappings == null) {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("No HandlerMappings found in servlet '" + getServletName() + "': using default");
- }
- this.handlerMappings = getDefaultStrategies(wac, HandlerMapping.class);
- }
- }
- private void initHandlerAdapters(WebApplicationContext wac) {
- Map<String, HandlerAdapter> map = wac.beansOfType(HandlerAdapter.class);
- if (!map.isEmpty()) {
- this.handlerAdapters = new ArrayList<HandlerAdapter>(map.values());
- }
- if (this.handlerAdapters == null) {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("No HandlerAdapters found in servlet '" + getServletName() + "': using default");
- }
- this.handlerAdapters = getDefaultStrategies(wac, HandlerAdapter.class);
- }
- }
- private void initViewResolvers(WebApplicationContext wac) {
- Map<String, ViewResolver> map = wac.beansOfType(ViewResolver.class);
- if (!map.isEmpty()) {
- this.viewResolvers = new ArrayList<ViewResolver>(map.values());
- }
- if (this.viewResolvers == null) {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("No ViewResolvers found in servlet '" + getServletName() + "': using default");
- }
- this.viewResolvers = getDefaultStrategies(wac, ViewResolver.class);
- }
- }
- @Override
- protected void doService(HttpServletRequest request, HttpServletResponse response) throws Exception {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("DispatcherServlet with name '" + getServletName() + "' received request for ["
- + request.getRequestURI() + "]");
- }
- doDispatch(request, response);
- }
- protected void doDispatch(HttpServletRequest request, HttpServletResponse response) throws Exception {
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("Bound request context to thread: " + request);
- }
- Object handler = getHandler(request);
- HandlerAdapter ha = getHandlerAdapter(handler);
- ModelAndView mv = ha.handle(request, response, handler);
- // Do we need view name translation?
- if (mv != null && !mv.hasView()) {
- mv.setViewName(getDefaultViewName(request));
- }
- // Did the handler return a view to render?
- if (mv != null && !mv.wasCleared()) {
- render(mv, request, response);
- }
- }
- protected <T> List<T> getDefaultStrategies(WebApplicationContext wac, Class<T> strategyInterface) {
- String key = strategyInterface.getName();
- List<T> strategies = new ArrayList<T>();
- String value = defaultStrategies.getProperty(key);
- if (value != null) {
- StringTokenizer token = new StringTokenizer(value, ",");
- while (token.hasMoreTokens()) {
- String className = token.nextToken();
- try {
- Class<?> clazz = this.getClass().getClassLoader().loadClass(className);
- strategies.add((T) wac.createBean(clazz));
- } catch (Exception e) {
- LOGGER.error("Can't load class " + className + "", e);
- }
- }
- } else {
- strategies = Collections.emptyList();
- }
- return strategies;
- }
- protected void render(ModelAndView mv, HttpServletRequest request, HttpServletResponse response) throws Exception {
- View view = null;
- if (mv.isReference()) {
- // We need to resolve the view name.
- view = resolveViewName(mv.getViewName(), mv.getModelInternal(), request);
- if (view == null) {
- throw new ServletException("Could not resolve view with name '" + mv.getViewName()
- + "' in servlet with name '" + getServletName() + "'");
- }
- } else {
- // No need to lookup: the ModelAndView object contains the actual
- // View object.
- view = mv.getView();
- if (view == null) {
- throw new ServletException("ModelAndView [" + mv + "] neither contains a view name nor a "
- + "View object in servlet with name '" + getServletName() + "'");
- }
- }
- // Delegate to the View object for rendering.
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("Rendering view [" + view + "] in DispatcherServlet with name '" + getServletName() + "'");
- }
- view.render(mv.getModelInternal(), request, response);
- }
- protected View resolveViewName(String viewName, Map<String, Object> model, HttpServletRequest request)
- throws Exception {
- for (Iterator<ViewResolver> it = this.viewResolvers.iterator(); it.hasNext();) {
- ViewResolver viewResolver = it.next();
- View view = viewResolver.resolveViewName(viewName);
- if (view != null) {
- return view;
- }
- }
- return null;
- }
- protected HandlerAdapter getHandlerAdapter(Object handler) throws ServletException {
- Iterator<HandlerAdapter> it = this.handlerAdapters.iterator();
- while (it.hasNext()) {
- HandlerAdapter ha = it.next();
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("Testing handler adapter [" + ha + "]");
- }
- if (ha.supports(handler)) {
- return ha;
- }
- }
- throw new ServletException("No adapter for handler [" + handler
- + "]: Does your handler implement a supported interface like Controller?");
- }
- protected Object getHandler(HttpServletRequest request) throws Exception {
- Iterator<HandlerMapping> it = this.handlerMappings.iterator();
- while (it.hasNext()) {
- HandlerMapping hm = it.next();
- if (LOGGER.isDebugEnabled()) {
- LOGGER.debug("Testing handler map [" + hm + "] in DispatcherServlet with name '" + getServletName()
- + "'");
- }
- return hm.getHandler(request);
- }
- return null;
- }
- private String getDefaultViewName(HttpServletRequest request) {
- String url = request.getServletPath();
- url = url.replaceAll("/", "");
- url = url.replaceAll(".html", "");
- url = url.replaceAll(".htm", "");
- url = "WEB-INF/" + url + ".jsp";
- return url;
- }
- }
初始化操作.
- 检查系统中是否已经定义HandlerMapping。如果没有定义,则使用默认配置。
- 检查系统中是否已经定义HandlerAdapter。如果没有定义,则使用默认配置。
- 检查系统中是否已经定义ViewResolover。如果没有定义,则使用默认配置。
请求处理.
- 根据特定的请求,使用HandlerMapping找到相应的控制器Handler。
- 找到支持此种handler的HandlerAdapter,handler处理完响应业务后,HandlerAdapter把它转化为ModelAndView对象。
- 利用ViewResolver对ModelAndView进行分析,生成相应的View对象。
- 生成响应。
默认配置
- com.google.mvc.web.servlet.HandlerMapping=com.google.mvc.web.servlet.handler.URLHandlerMapping
- com.google.mvc.web.servlet.HandlerAdapter=com.google.mvc.web.servlet.mvc.HttpRequestHandlerAdapter,/
- com.google.mvc.web.servlet.mvc.ControllerHandlerAdapter
- com.google.mvc.web.servlet.ViewResolver=com.google.mvc.web.servlet.mvc.DefaultViewResolver
文章来源:http://blog.csdn.net/zhiqiangzhan/article/details/4767758
相关推荐
- 编码实现:按照设计进行编码,遵循MVC(模型-视图-控制器)模式。 - 测试:单元测试、集成测试、性能测试,确保系统功能完整且无误。 - 部署上线:配置服务器环境,部署应用程序,进行系统监控。 5. **源码...
6. **路由与控制器**:PHP可能采用MVC(模型-视图-控制器)架构,其中路由负责分发请求,控制器处理业务逻辑,视图则负责渲染输出。通过源码,我们可以了解如何组织代码以实现这一模式。 7. **会话管理**:用户在...
AngularJS通过MVC(模型-视图-控制器)架构模式,实现了数据绑定和依赖注入,极大地提高了Web应用的开发效率。在dist-flatboard-v1.2中,AngularJS被用来管理应用的状态,实现动态数据渲染和交互功能。通过双向数据...
- **MVC架构**:模型-视图-控制器设计模式,用于组织应用程序代码。 - **支付接口**:如对接支付宝、微信支付等第三方支付平台,实现支付流程。 - **安全机制**:如加密算法、防止SQL注入、XSS攻击等,确保交易安全...
- MVC模式是一种设计模式,将应用程序分为三个主要组件:模型、视图和控制器,以实现良好的解耦。 - 在TriptychBlog中,MVC框架使得开发人员能够独立地修改视图、模型或控制器,而不会相互影响。 3. **身份验证与...
2. **Web应用结构**:按照MVC(模型-视图-控制器)架构,可能有`WEB-INF`目录,其中包含`web.xml`部署描述符,`classes`目录存放编译后的Java类,以及`lib`目录存储项目依赖的库文件。 3. **资源文件**:如图片、...
- 常见的安卓App架构有MVC(模型-视图-控制器)、MVVM(模型-视图-ViewModel)等。本项目可能采用了某种架构模式,以实现良好的代码组织和模块化。 7. **源码分析** - 分析源码可以深入理解App的各个模块,如登录...
通过分析和研究这些源码,开发者可以学习到ASP.NET的MVC架构、数据库交互、用户权限管理等多个方面的知识。 【ASP.NET源码解析】ASP.NET是由微软开发的一种服务器端Web应用程序框架,用于构建高性能、安全性和可...
1. **ThinkSAAS框架**:理解ThinkSAAS的基本架构和设计模式,例如MVC(模型-视图-控制器)模式,以及如何在框架内组织和管理代码。 2. **活动管理功能**:分析源码中的活动管理模块,学习如何实现活动创建、编辑、...
Web Forms提供了丰富的服务器控件,而MVC则更注重模型-视图-控制器的设计模式,提供更好的代码组织和测试能力。 业务逻辑层负责处理用户的请求,验证输入,执行业务规则,并调用数据访问层来操作数据库。这个层次...
分析其源码可以帮助学习者了解现代Web应用的开发流程,掌握MVC(模型-视图-控制器)架构模式,以及数据库设计、前端交互等技术。 系统软件工具:JumbotCms作为一个完整的CMS系统,包含了许多常见的软件工具,例如...
当一个HTTP请求到达服务器时,DispatcherServlet作为Spring MVC的前端控制器,负责接收请求并分发到相应的处理器。DispatcherServlet通过HandlerMapping找到对应的Controller,然后由Controller处理业务逻辑,最后由...
【商城系统源码】是一个基于三层架构设计的购物网站源代码,它提供了全面的功能和精美的用户界面,适合用于二次开发或作为学习平台。在这个源码中,我们可以深入探究以下几个关键知识点: 1. **三层架构**:三层...
4. MVC模式:掌握Struts框架如何实现模型、视图和控制器的分离,提高代码可维护性。 5. ORM实践:体验Hibernate如何将Java对象与数据库表进行映射,简化数据库操作。 6. 事务管理:理解在分布式环境中如何处理事务的...
2. 业务逻辑层:主要由ASP.NET MVC中的控制器(Controller)实现,处理用户请求,调用服务层方法,进行业务处理。 3. 数据访问层:使用ADO.NET或Entity Framework等工具进行数据库操作,实现数据的增删改查。 4. ...
- **代码结构分析**:理解项目的整体架构设计,如MVC模式下的控制器、视图、模型等组成部分。 - **模块功能实现**:深入探究各功能模块是如何通过特定算法或逻辑实现的,比如用户注册登录流程、商品搜索排序算法等。...
1. **MVC架构**:Java Web项目通常遵循Model-View-Controller(MVC)设计模式,这是一种将业务逻辑、数据和用户界面分离的方式,有助于提高代码的可维护性和可扩展性。源码中可能包含Controller层的处理请求和转发...
这部分可能涉及ASP.NET MVC中的模型(Model)、视图(View)和控制器(Controller)架构,用于处理数据输入和显示。 3. **学生需求发布**:学生可以发布寻找家教的需求,包括科目、时间、地点等。这可能通过表单...
昂酷拍卖系统采用了MVC架构,这是一种将业务逻辑、数据和用户界面分离的设计模式。在该模式中: 1. 模型(Model):负责管理业务逻辑和数据,与数据库进行交互。 2. 视图(View):负责显示数据,通常为用户界面。 3...
3. MVC模式:理解模型-视图-控制器的设计模式,如何将业务逻辑、界面展示和数据操作解耦。 4. 错误处理与日志:学习如何处理可能出现的异常,以及记录系统运行日志。 通过分析"chap06LibSys"文件,我们可以深入探究...