El表达式去作用域的值和用法

${page.userName}


${request.userName}


${session.userName}


${application.userName}

 

 

使用el的时候,默认会以一定顺序搜索四个作用域,将最先找到的变量值显示出来。

如果我们有${username}这样一个正则表达式,它回去依次调用pageContext.getAttribute("username") -> request.getAttribute("username") -> session.getAttribute("username") -> application.getAttribute("username"),只要找到某一个不为空的值就立刻返回。

这样的确方便我们的操作,但是随之也出现了另外一个问题,如果pageContext和request中有同名变量,但是我想取得request中的变量该如何是好呢?这就需要为el表达式引入作用域的概念了。
${pageScope.username} ${requestScope.username}

我们可以直接访问13-04这个应用,看看el表达式支持的所有对象。

下面我们分别对每个作用域对象进行讲解。

表 13.1. el中的作用域
	
pageContext(1) 	当前页的pageContext对象
pageScope 	把page作用域中的数据映射为一个map对象
requestScope(2) 	把request作用域中的数据映射为一个map对象
sessionScope 	把session作用域中的数据映射为一个map对象
applicationScope 	把application作用域中的数据映射为一个map对象
param 	对应request.getParameter()
paramValues(3) 	对应request.getParameterValues()
header(4) 	对应request.getHeader()
headerValues 	对应request.getHeaderValues()
cookie(5) 	对应request.getCookies()
initParam(6) 	对应ServletContext.getInitParamter()

(1)
	

例子中的${pageContext.request.contextPath}返回的是request.getContextPath()的值,在此例中就是/13-04,我们经常使用这个来拼接jsp中的绝对路径。

这里的${pageContext.request.contextPath}是一种特殊用法,不能使用${request.contextPath}的形式替代。

(2)
	

pageScope, requestScope, sessionScope, appliationScope都可以看作是Map型变量,调用其中的数据可以使用${pageScope.name}或${pageScope["name"]}的形式,这两种写法是等价的。

在某些情况下只能使用${pageScope["content-type"]},这里不能写成${pageScope.content-type},jsp无法解析连字符(-)会出现错误。

(3)
	

需要注意的是${paramValues.name}得到的是一个字符串数组,如果需要获得其中某个值,还需要使用${paramValues.name[0]}指定数组中的索引。

这与下面的${headerValues.name}是相似的。

(4)
	

${header.name}会取得http请求中的header参数,现实工作中很少用到这里的数据。

例子中使用Host是指请求访问的主机地址,包括ip和端口号。而Referer比较有趣,如果用户通过超链接跳转过来的,Referer会保存上次访问页面的地址,我们就可以通过它来统计哪些用户是从哪里转来的了。

(5)
	

${cookie.name}将获得对应cookie的对象,比如我们用jsp将一段cookie发送给客户端。
Cookie cookie = new Cookie("username", "Username in cookie"); response.addCookie(cookie);

创建一个名称为username,值为"Username in cookie"的Cookie对象,然后发送给客户端。

然后我们就可以使用${cookie.username}获得这个cookie了,${cookie.username.name}获得cookie名称,${cookie.username.value}获得cookie值。

(6)
	

ServletContext.getInitParamter()指的应用的初始变量,这些变量都是定义在web.xml中的。
<context-param> <param-name>username</param-name> <param-value>username with context param</param-value> </context-param>

${initParam.username}就会得到这里的变量值。

以上都是死记硬背的东西,建议实际用到的时候翻看一下就好了,演示代码都放在13-04下,为了获得param和cookie还要点击一下最下边的连接才可以。
运算符

el表达式中支持java中所有的操作符,并且还有一些扩展,下面我们简要做一下对照。

表 13.2. 加减乘除四则运算
	
+ 	加
- 	减
* 	乘
/或div 	除
%或mod 	求余

表 13.3. 比较运算
	
==或eq 	相等(equals)
!=或ne 	不相等(not equals)
<或lt 	小于(less than)
>或gt 	大于(greater than)
<=或le 	小于等于(less than or equals)
>=或ge 	大于等于(greater than or equals)

表 13.4. 逻辑运算
	
&&或and 	逻辑和
||或or 	逻辑或
!或not 	取反

表 13.5. 特殊运算
	
empty 	是否为null或空字符串
? : 	三元运算符
 

你可能感兴趣的:(el表达式)