Webpack - 如何通过实时重新加载将 .html 片段包含到 index.html 中?

Webpack - How to include .html fragments into index.html with live reloading?

在 PHP 中,您可以包含文件片段以便于重复使用。在下面的示例中,我可以包含 header.phpfooter.php。这非常方便,因为当我更新 header.php 时,更改会显示在所有使用它的页面上:

<html>
<body>

    <?php include 'header.php';?>

    <p>Some text.</p>
    <p>Some more text.</p>

    <?php include 'footer.php';?>

</body>
</html>

我已经使用 html-webpack-plugin 成功地尝试了方法 in this answer,但有一个问题。请参阅下面的配置:

const HtmlWebpackPlugin = require("html-webpack-plugin");
const fs = require("fs");

module.exports = () => ({
    // ... lots of Webpack boilerplage

    module: {
        rules: [
            // ... js, sass, json, etc loaders
        ]
    },
    plugins: [

        //... 

        new HtmlWebpackPlugin({
            inject: false,
            hash: true,
            template: "./static/index.html",
            header: fs.readFileSync(htmlPath + "/header.html"),
            footer: fs.readFileSync(htmlPath + "/footer.html"),
            filename: "index.html",
        }),
    ]
});

这允许我像这样包含我的 .html 文件:

<html>
<body>

    <%= htmlWebpackPlugin.options.header %>

    <p>Some text.</p>
    <p>Some more text.</p>

    <%= htmlWebpackPlugin.options.footer %>

</body>
</html>

乍一看它按预期工作,但包含的 header.htmlfooter.html 文件的初始状态为 "locked",如果我修改它们,我仍然会得到原始文件,不是更新版本。我必须关闭 Webpack 开发服务器,然后重新 运行 它以使更改生效。我猜这是因为 fs.readFileSync() 仅在初始化 Webpack 时执行,而不是在检测到文件更改后执行。我该怎么做才能更新这些文件?

解决方案是将 webpack.config 中的 fs.readFyleSync() 调用移动到我的 index.html 文件中,因为配置文件仅在开发服务器启动时执行一次。

这是我的新 webpack.config:

// Get path to folder that contains HTML fragments
const folderPath = path.resolve(__dirname, "./src/static/");

module.exports = () => ({
    // ... lots of Webpack boilerplate

    plugins: [
        //... 
        new HtmlWebpackPlugin({
            inject: false,
            hash: true,
            template: "./static/index.html",
            filename: "index.html",
            HTML_PATH: folderPath // <- Now I only pass the folder path
        }),
    ]
});

... 然后我读取了 HTML:

中带有 readFileSync() 的文件
<html>
<body>

    <%= require("fs").readFileSync(htmlWebpackPlugin.options.HTML_PATH + "/header.html") %>

    <p>Some text.</p>
    <p>Some more text.</p>

    <%= require("fs").readFileSync(htmlWebpackPlugin.options.HTML_PATH + "/footer.html") %>

</body>
</html>

瞧!正在热重载 HTML 个片段!