问题分析:无法访问jsp,很自然想到:一是路径有没有映射对?二是文件不存在。检查一遍之后发现映射没有问题,文件也存在。这就比较奇葩了。唯有看一下springboot在启动的时候如何定义web root的路径。跟一下springboot的tomcat启动包的源码:
/**
- Returns the absolute document root when it points to a valid directory, logging a
- warning and returning {@code null} otherwise.
- @return the valid document root
*/
protected final File getValidDocumentRoot() {
File file = getDocumentRoot();
// If document root not explicitly set see if we are running from a war archive
file = file != null ? file : getWarFileDocumentRoot();
// If not a war archive maybe it is an exploded war
file = file != null ? file : getExplodedWarFileDocumentRoot();
// Or maybe there is a document root in a well-known location
file = file != null ? file : getCommonDocumentRoot();
if (file == null && this.logger.isDebugEnabled()) {
this.logger
.debug(“None of the document roots " + Arrays.asList(COMMON_DOC_ROOTS)
+ " point to a directory and will be ignored.”);
}
else if (this.logger.isDebugEnabled()) {
this.logger.debug("Document root: " + file);
}
return file;
}
发现有三种取路径方式。war包 getWarFileDocumentRoot,导出包 getExplodedWarFileDocumentRoot,和文档 getCommonDocumentRoot。内置tomcat启动应该属于第三种。跟进去第三种发现:
private static final String[] COMMON_DOC_ROOTS = { “src/main/webapp”, “public”,
“static” };
private File getCommonDocumentRoot() {
for (String commonDocRoot : COMMON_DOC_ROOTS) {
File root = new File(commonDocRoot);
if (root != null && root.exists() && root.isDirectory()) {
return root.getAbsoluteFile();
}
}
return null;
}
写死从上面配置的3个目录去取doc路径。
看到这里问题就明了。关键是
File root = new File(commonDocRoot);
if (root != null && root.exists() && root.isDirectory()) {
return root.getAbsoluteFile();
}
File root = new File(“src/main/webapp”) 的是 这个相对路径的前缀是取哪里的。
百度得知 取的是
System.getProperty(“user.dir”)
相当于 File root = new File(System.getProperty(“user.dir”)+“src/main/webapp”);
然后 debug 打印一下 System.getProperty(“user.dir”) 发现 是定位到了 项目那层 而不是模块那层
解决方法:既然发现了问题,解决就简单。这里采用的是直接在启动项里面增加配置参数,将"user.dir" 定位到模块里面。
问题解决。