Content not from webpack is served from /foo
If you are using the webpack dev server ^v4.0.0
(still an RC at the time of this post), the contentBase
property is changed to static
.
devServer: {
// ...
static: __dirname + "/public/",
// ...
},
The CHANGELOG: https://github.com/webpack/webpack-dev-server/blob/master/CHANGELOG.md#static
The first problem is that you're serving the content from assets/
but you don't have that directory, you have public/assets/
and that's not even what you want, because your index.html
is in public/
. So what you really want is setting the contentBase
to public/
:
devServer: {
contentBase: __dirname + "/public/",
inline: true,
host: '0.0.0.0',
port: 8080,
},
Now you'll still have the problem that webpack-dev-server
doesn't serve the correct bundle. It might work, but that is because you have the bundle on your actual file system, which will be used instead of the bundle that webpack-dev-server
would serve from memory. The reason for that is that webpack-dev-server
only serves from memory if the correct path is hit. Assuming you're including assets/bundle.js
in your index.html
, that would match the path, but you're setting publicPath: "/assets/"
, so it will be looking for /assets/
and adds the filename to it (which is assets/bundle.js
, in reality the bundle is served from /assets/assets/bundle.js
.
To fix that you can either remove the publicPath
option (setting publicPath: "/"
has the same effect).
output: {
path: __dirname + "/public",
filename: "assets/bundle.js",
chunkFilename: '[name].js'
},
Or you can change the output path to /public/assets/
and the filename to just bundle.js
. This will also make your chunks go into the assets directory, which is probably what you want anyway.
output: {
path: __dirname + "/public/assets/",
publicPath: "/assets/",
filename: "bundle.js",
chunkFilename: '[name].js'
},
Note: publicPath
affects some loaders that change the URL of assets.