我正在创建一个 JSP 页面并使用 OGNL 我想检查目录中是否存在图像文件然后显示它,否则显示空白图像。有什么办法吗?
问问题
1209 次
2 回答
0
有几种方法是可能的,但是您应该在 Action 中执行这种业务并从 JSP 中仅读取布尔结果。或者至少将 File 声明为 Action 属性,通过 Getter 公开它并.exist()
从 OGNL 调用方法:
在行动
private File myFile
// Getter
在 JSP 中
<s:if test="myFile.exists()">
仅作记录,其他可能的方式(不用于此目的,只是为了更好地探索 OGNL 功能):
从 OGNL 调用静态方法(您需要
struts.ognl.allowStaticMethodAccess
设置为true
instruts.xml
)<s:if test="@my.package.myUtilClass@doesThisfileExist()" />
在 myUtilClass 中
public static boolean doesThisFileExist(){ return new File("someFile.jpg").exists(); }
或带参数
<s:if test="@my.package.myUtilClass@doesThisFileExist('someFile.jpg')" />
在 myUtilClass 中
public static boolean doesThisFileExist(String fileName){ return new File(fileName).exists(); }
或者直接在 OGNL 中实例化它
<s:if test="new java.io.File('someFile.jpg').exists()" />
于 2013-07-19T09:39:56.440 回答
0
在 JSP 中,您可以在s:if
标记中创建一个 OGNL 表达式并调用返回的操作的方法boolean
。例如
<s:if test="%{isMyFileExists()}">
<%-- Show the image --%>
</s:if>
<s:else>
<%-- Show blank image --%>
</s:else>
在行动中
public class MyAction extends ActionSupport {
private File file;
//getter and setter here
public boolean isMyFileExists throws Exception {
if (file == null)
throw new IllegalStateException("Property file is null");
return file.exists();
}
}
或者直接使用file
属性,如果你添加公共 getter 和 setter 到它
<s:if test="%{file.exists()}">
<%-- Show the image --%>
</s:if>
<s:else>
<%-- Show blank image --%>
</s:else>
于 2013-07-19T09:23:04.450 回答