一、简介

站点搭建完成后,编写页面时一般会有如下几个需求

1、嵌套静态页面时有很大一部分通用代码,如css、js这部分可以使用thymeleaf的局部片段代码块组成

2、这些静态资源默认放在程序中,但后期可能会为了节省服务器系统资源做动静分离,或架在CDN上,所以需要有独立的静态资源站点设计,目前我是单独搭建了nginx做静态资源站

3、编写Controller时有一部分的公用代码可以提出BaseController基类来提供,简化子类代码,统一代码规范

根据这几个需求,设计如下解决方案

二、代码

先看一下我的项目结构,静态资源站存放纯公用的资源,各站点又提供了各自的私有资源存放

1、首先需要动态配置静态资源站URL,所以我们使用Enum来实现

SysConfigEnum枚举类,其中http://localhost:8800是我搭建nginx做静态服务器地址,我们站点多了一点,大家可以简化

/**
* 程序枚举
*/
public interface SysConfigEnum {
/**
* 动态站点地址
*/
enum SiteUrl {
AdminBase(""),
AgentBase(""), AdminFlight(""),
AgentFlight(""), AdminHotel(""),
AgentHotel(""), private String url; SiteUrl(String value) {
this.url = value;
} public String getUrl() {
return this.url;
}
} /**
* 静态资源地址
*/
enum StaticUrl {
Common("http://localhost:8800/content/", "20180801"),
PlatformAdmin("http://localhost:8800/content/admin/content/", "20180801"),
PlatformAgent("http://localhost:8800/content/agent/content/", "20180801"),
ProductBaseAdmin("/admin/content/", "20180801"),
ProductBaseAgent("/agent/content/", "20180801"),
ProductFlightAdmin("/admin/content/", "20180801"),
ProductFlightAgent("/agent/content/", "20180801"),
ProductHotelAdmin("/admin/content/", "20180801"),
ProductHotelAgent("/agent/content/", "20180801"); private String url;
private String ver; StaticUrl(String url, String ver) {
this.url = url;
this.ver = ver;
} public String getUrl() {
return this.url;
} public String getVer() {
return "?v=" + this.ver;
}
}
}

2、有一个Model实体来标明当前站点的静态资源Url和Ver

StaticModel实体里面标明了Common全局通用静态资源,Platform平台通用静态资源,Product产品站点内部静态资源

get、set方法做了一点修改,由于属性类型是枚举,set直接设置,get时拆分开,便于做扩展

/**
* 静态资源实体
*/
public class StaticModel { private SysConfigEnum.StaticUrl common;
private SysConfigEnum.StaticUrl platform;
private SysConfigEnum.StaticUrl product; public void setCommon(SysConfigEnum.StaticUrl common) {
this.common = common;
} public void setPlatform(SysConfigEnum.StaticUrl platform) {
this.platform = platform;
} public void setProduct(SysConfigEnum.StaticUrl product) {
this.product = product;
} public String getCommonUrl() {
return this.common.getUrl();
} public String getCommonVer() {
return this.common.getVer();
} public String getPlatformUrl() {
return this.platform.getUrl();
} public String getPlatformVer() {
return this.platform.getVer();
} public String getProductUrl() {
return this.product.getUrl();
} public String getProductVer() {
return this.product.getVer();
}
}

3、静态资源的信息准备好后我们要把它写在每个页面上,action到page由model来传递,那我们就要在每一个action时都设置一下这个model,那我们新建一个BaseController基类来实现

Model、ModelMap、Map<>都是同一个BindingAwareModelMap实例,所以我是用了Model,大家也可以各自更换

在基类中提供request、response、model来给子类使用,简化子类单独注入的操作,@ModelAttribute注解的方法,会在每一个action执行之前执行【多个ModelAttribute之间没有执行顺序是乱序的】

import com.ysl.ts.common.StaticModel;
import com.ysl.ts.common.SysConfigEnum;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.ModelAttribute; import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse; /**
* Controller基类Admin
* @author TaiYongHai
*/
public class BaseController { //request是线程安全的,可以自动注入
@Autowired
private HttpServletRequest request;
//response是非线程安全的,使用本地线程控制
private ThreadLocal<HttpServletResponse> response = new ThreadLocal<>();
//model是非线程安全的,使用本地线程控制
private ThreadLocal<Model> model = new ThreadLocal<>(); /*
HttpServletRequest req
HttpServletResponse res
Model m
action方法中的这些参数Servlet会自动帮你填充
*/ /**
* 获取Request
* @return
*/
protected final HttpServletRequest getRequest() {
return this.request;
} /**
* 注入Response
* @param res
*/
@ModelAttribute
private void setResponse(HttpServletResponse res) {
this.response.set(res);
} /**
* 获取Response
* @return
*/
protected final HttpServletResponse getResponse() {
return response.get();
} /**
* 注入Model
* @param m
*/
@ModelAttribute
private void setModel(Model m) {
this.model.set(m);
} /**
* 获取Model
* (Model、ModelMap、Map<>将使用BindingAwareModelMap作为模型对象的实现,
* 都是同一个BindingAwareModelMap实例,所以都共享同一份数据)
* @return
*/
protected final Model getModel() {
return model.get();
} //@ModelAttribute注解的方法,会在每一个action执行之前执行【多个ModelAttribute之间没有执行顺序是乱序的】
//设置静态资源参数
@ModelAttribute
private void setStaticParams(Model m) {
StaticModel staticModel = new StaticModel();
staticModel.setCommon(SysConfigEnum.StaticUrl.Common);
staticModel.setPlatform(SysConfigEnum.StaticUrl.PlatformAdmin);
staticModel.setProduct(SysConfigEnum.StaticUrl.ProductBaseAdmin);
//存入Model中
m.addAttribute("yslTsStatic", staticModel);
} }

4、子类继承BaseController可以直接使用提供的model等对象

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody; import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse; @Controller
@RequestMapping("/admin/home")
@Component("AdminHome")
public class HomeController extends BaseController { @RequestMapping("/index")
public String index() {
//直接使用基类提供的对象
HttpServletRequest request = super.getRequest();
HttpServletResponse response = super.getResponse();
Model model = super.getModel();
return "/admin/home/index";
}
}

5、后台完成了,前台渲染页面时的公用部分使用 th:fragment 布局代码块来实现

<html xmlns:th="http://www.thymeleaf.org">
<!-- header 放在<head>标签内,并在其下方写css -->
<div th:fragment="header" th:remove="tag">
<div th:replace="~{/admin/layout/fragments :: metaLib}"></div>
<div th:replace="~{/admin/layout/fragments :: cssLib}"></div>
<div th:replace="~{/admin/layout/fragments :: cssAssist}"></div>
</div>
<!-- footer 放在<body>标签内,并在其下方写js -->
<div th:fragment="footer" th:remove="tag">
<div th:replace="~{/admin/layout/fragments :: jsLib}"></div>
<div th:replace="~{/admin/layout/fragments :: jsAssist}"></div>
</div> <!-- 引入变量包 -->
<!--/*@thymesVar id="yslTsStatic" type="com.ysl.ts.common.StaticModel"*/-->
<!-- meta信息 -->
<div th:fragment="metaLib" th:remove="tag">
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta http-equiv="x-ua-compatible" content="ie=edge">
<meta name="renderer" content="webkit"/>
<meta name="Author" content="EB.Group"/>
</div>
<!-- 引入css -->
<div th:fragment="cssLib" th:remove="tag">
<link rel="icon" th:href="@{${yslTsStatic.getCommonUrl()}+'img/favicon.ico'+${yslTsStatic.getCommonVer()}}" type="image/x-icon"/>
<link rel="stylesheet" th:href="@{${yslTsStatic.getCommonUrl()}+'css/bootstrap.min.css'+${yslTsStatic.getCommonVer()}}"/>
</div>
<!-- 全局css -->
<div th:fragment="cssAssist" th:remove="tag">
<style>
body {
overflow: hidden;
}
</style>
</div>
<!-- 引入js -->
<div th:fragment="jsLib" th:remove="tag">
<script type="text/javascript" th:src="@{${yslTsStatic.getCommonUrl()}+'js/jquery-1.9.1.min.js'+${yslTsStatic.getCommonVer()}}"></script>
<script type="text/javascript" th:src="@{${yslTsStatic.getPlatformUrl()}+'js/ysl-ts-common.js'+${yslTsStatic.getPlatformVer()}}"></script>
</div>
<!-- 全局js -->
<div th:fragment="jsAssist" th:remove="tag">
<script type="text/javascript">
console.log("jsAssist");
</script>
</div> </html>

6、其他页面引入布局页的代码块

<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
<title>管理后台</title>
<div th:replace="~{/admin/layout/fragments :: header}"></div>
<!-- 从这里以下写页面独立的css -->
</head>
<body> <h1>欢迎</h1> <div th:replace="~{/admin/layout/fragments :: footer}"></div>
<!-- 每个页面可以引入自己独有的js -->
<script type="text/javascript" th:src="@{${yslTsStatic.getProductUrl()}+'js/test.js'+${yslTsStatic.getProductVer()}}"></script>
<!-- 从这里以下写页面独立的js -->
<script type="text/javascript">
console.log("page js");
</script>
</body>
</html>

好,到此这个解决方案就完成了,如有什么不足还望指点

IDEA项目搭建十四——Web站点Controller基类及布局页静态资源设计的更多相关文章

  1. IDEA项目搭建十二——站点用户登录会话实现

    一.简介 前两天写了一篇用户登录会话设计的脑图,这次就把这个引入到项目中实现,总体来说需要几步先罗列一下: 1.需要一个Cookie工具类用于读写cookie 2.需要一个Cache工具类用于在服务端 ...

  2. Spring+SpringMVC+MyBatis深入学习及搭建(十四)——SpringMVC和MyBatis整合

    转载请注明出处:http://www.cnblogs.com/Joanna-Yan/p/7010363.html 前面讲到:Spring+SpringMVC+MyBatis深入学习及搭建(十三)--S ...

  3. Scala学习十四——模式匹配和样例类

    一.本章要点 match表达式是更好的switch,不会有意外调入下一个分支 如果没有模式能够匹配,会抛出MatchError,可以用case _模式避免 模式可以包含一个随意定义的条件,称做守卫 你 ...

  4. 『PyTorch』第十四弹_torch.nn.Module类属性

    nn.Module基类的构造函数: def __init__(self): self._parameters = OrderedDict() self._modules = OrderedDict() ...

  5. 第一步 使用sencha touch cmd 4.0 创建项目、打包(加入全局变量、公用类、自定义扩展、资源文件)

    参考资料: http://www.cnblogs.com/qqloving/archive/2013/04/25/3043606.html http://www.admin10000.com/docu ...

  6. MVC Controller 基类中的Request

    今天在测试自己MVC程序的时候发现之前写代码的一个BUG,需求是每个页面要获取当前URL链接中包含的城市ID,我把获取url的方法写到了Controller的基类BaseController(Base ...

  7. MVC Controller 基类 BaseController 中的 Request

    今天修复mvc中的一个bug,需求是每个页面要获取当前URL链接中 host首是否正确,我把获取url的方法写到了Controller的基类BaseController(BaseController继 ...

  8. 深入浅出的webpack构建工具--webpack4+vue+router项目架构(十四)

    阅读目录 一:vue-router是什么? 二:vue-router的实现原理 三:vue-router使用及代码配置 四:理解vue设置路由导航的两种方法. 五:理解动态路由和命名视图 六:理解嵌套 ...

  9. SSH项目搭建(四)——Maven的pom.xml配置

    史上最全的maven的pom.xml文件详解: https://www.cnblogs.com/qq765065332/p/9238135.html 下面的节点有不理解是啥意思的可以到上面链接的文章里 ...

随机推荐

  1. 初识vw和vh

     最近在项目里突然看到了一行css代码,height:100vh; 一时间有点蒙蔽 因为之前有听过这个css3新增单位,但没有去了解过. 那这个单位又跟px,rem,em,%有什么不同呢? 简述:   ...

  2. 大数据基础Hadoop 2.x入门

    hadoop概述 存储和分析网络数据 三大组件 MapReduce 对海量数据的处理 思想: 分而治之 每个数据集进行逻辑业务处理map 合并统计数据结果reduce HDFS 储存海量数据 分布式存 ...

  3. Ubantu linux中使用PyCharm之---破解PyCharm,实现永久免费试用

    打开 http://idea.lanyus.com/ 这个网址,可以直接复制到浏览器打开 获取注册码 K71U8DBPNE-eyJsaWNlbnNlSWQiOiJLNzFVOERCUE5FIiwibG ...

  4. 一文总结 Linux 虚拟网络设备 eth, tap/tun, veth-pair

    本文首发于我的公众号 Linux云计算网络(id: cloud_dev),专注于干货分享,号内有 10T 书籍和视频资源,后台回复「1024」即可领取,欢迎大家关注,二维码文末可以扫. Linux 虚 ...

  5. [学习笔记]修改关键跳无效且关键CALL又不存在的情况

    先用DI查下壳,VC++写的,无壳. 然后,打开软件看一下软件注册的情况 有弹窗,那载入OD看看能不能搜索到字符串 回到反汇编窗口,发现有两个JE都跳过了注册成功的代码 似乎很简单的样子,只要NOP掉 ...

  6. [EFCore]EntityFrameworkCore Code First 当中批量自定义列名

    在使用.NET CORE 进行 Web 开发的时候会考虑到使用不同数据库的情况,并且在每种数据库建立表结构的时候会采用不同的命名规则.之前的解决方法是使用 [ColumnAttribute] 或者 [ ...

  7. mysql 开发进阶篇系列 15 锁问题 (总结)

    1. innodb 行锁是基于索引实现的,如果不通过索引访问数据,innodb会使用表锁. http://www.cnblogs.com/MrHSR/p/9376086.html 2. Innodb ...

  8. 使用apidocJs快速生成在线文档

    https://blog.csdn.net/xialei199023/article/details/63251482 https://blog.csdn.net/qq_16142851/articl ...

  9. Activity的生命周期函数

    前言: 上一篇文章写了关于Activity生命周期和生命周期状态的介绍,这一篇文章给大家聊聊Activity生命周期函数. 主Activity: 应用程序的入口一般都是桌面应用程序图标,用户点击应用图 ...

  10. Leetcode 1-10

    这篇文章介绍Leetcode1到10题的解决思路和相关代码. 1. Two sum 问题描述:给定一个整数数组,返回两个数字的索引,使它们加起来等于一个特定的目标. 例子: Given nums = ...