使用直接HTML页面作为Spark模板的最简单方法是什么(IE,我不想通过TemplateEngine
实现)。
我可以使用模板引擎,如下:
Spark.get("/test", (req, res) -> new ModelAndView(map, "template.html"), new MustacheTemplateEngine());
我尝试使用不带引擎的ModelAndView:
Spark.get("/", (req, res) -> new ModelAndView(new HashMap(), "index.html"));
但是我只是模型和视图的toString():spark.ModelAndView@3bdadfd8
。
我正在考虑编写自己的引擎并实现render()来执行IO来提供html文件,但是有更好的方法吗?
答案 0 :(得分:5)
在here提供的答案的帮助下,我更新了这个答案。
get("/", (req, res) -> renderContent("index.html"));
...
private String renderContent(String htmlFile) {
try {
// If you are using maven then your files
// will be in a folder called resources.
// getResource() gets that folder
// and any files you specify.
URL url = getClass().getResource(htmlFile);
// Return a String which has all
// the contents of the file.
Path path = Paths.get(url.toURI());
return new String(Files.readAllBytes(path), Charset.defaultCharset());
} catch (IOException | URISyntaxException e) {
// Add your own exception handlers here.
}
return null;
}
不幸的是,除了覆盖您自己render()
中的TemplateEngine
方法之外,我找不到其他解决方案。请注意以下内容使用Java NIO读取文件内容:
public class HTMLTemplateEngine extends TemplateEngine {
@Override
public String render(ModelAndView modelAndView) {
try {
// If you are using maven then your files
// will be in a folder called resources.
// getResource() gets that folder
// and any files you specify.
URL url = getClass().getResource("public/" +
modelAndView.getViewName());
// Return a String which has all
// the contents of the file.
Path path = Paths.get(url.toURI());
return new String(Files.readAllBytes(path), Charset.defaultCharset());
} catch (IOException | URISyntaxException e) {
// Add your own exception handlers here.
}
return null;
}
}
然后,在您的路线中,按以下方式拨打HTMLTemplateEngine
:
// Render index.html on homepage
get("/", (request, response) -> new ModelAndView(new HashMap(), "index.html"),
new HTMLTemplateEngine());
答案 1 :(得分:5)
您不需要模板引擎。您只需要获取HTML文件的内容。
Spark.get("/", (req, res) -> renderContent("index.html"));
...
private String renderContent(String htmlFile) {
new String(Files.readAllBytes(Paths.get(getClass().getResource(htmlFile).toURI())), StandardCharsets.UTF_8);
}
答案 2 :(得分:2)
另一个可以提供帮助的One Line解决方案:
get("/", (q, a) -> IOUtils.toString(Spark.class.getResourceAsStream("/path/to/index.html")));
您需要此导入:import spark.utils.IOUtils;