3

我使用“react-scripts”构建了一个反应应用程序。该应用程序在我的本地开发服务器上完美运行,但是当我部署到我的实际服务器时,应用程序似乎找不到正在编译的主要 JS 和 CSS 文件。我都得到404。

以下是可能有帮助的信息。服务器上的文件位于

ads/build/static/js 和 ads/build/static/css || 分别

我得到的 404 位于以下文件中:

https://www.example.com/ads/build/static/css/main.41938fe2.css https://www.example.com/ads/build/static/js/main.74995495.js

这是我的服务器的配置方式:

const express = require('express');
const path = require('path');
const app = express();
const favicon = require('serve-favicon');

//favicon
app.use(favicon(path.join(__dirname, 'public', 'favicon.ico')));

app.get('/ads', function (req, res) {
app.use(express.static(path.join(__dirname, 'build/static')));
console.log(path.join(__dirname, 'build'));
res.sendFile(path.join(__dirname, '/build/index.html'));
});

app.listen(9000);

在我的 package.json 中,我还包含了 homepage 参数: "homepage" : "https://www.example.com/ads

更新 当我使用以下路径在服务器本身上运行应用程序时: dedicated-server-host:9000/static/js/main.74995495.js正确呈现 JS 文件

是否有一些我遗漏的配置,路由似乎不起作用。请指教。

4

1 回答 1

2

使用一些缩进,所以你会看到这样的错误:

app.get('/ads', function (req, res) {
  app.use(express.static(path.join(__dirname, 'build/static')));
  console.log(path.join(__dirname, 'build'));
  res.sendFile(path.join(__dirname, '/build/index.html'));
});

您正在 /ads 处理程序内设置静态路由,将express.static在每个 GET /ads 请求上添加一个新的路由处理程序。

这将在服务器启动时设置静态路由:

app.use(express.static(path.join(__dirname, 'build/static')));
app.get('/ads', function (req, res) {
  console.log(path.join(__dirname, 'build'));
  res.sendFile(path.join(__dirname, '/build/index.html'));
});

或者:

app.get('/ads', function (req, res) {
  console.log(path.join(__dirname, 'build'));
  res.sendFile(path.join(__dirname, '/build/index.html'));
});
app.use(express.static(path.join(__dirname, 'build/static')));

但请确保您获得正确的路径 - 例如您可能需要:

app.use('/ads/build/static', express.static(path.join(__dirname, 'build/static')));

如果您希望问题中的 URL 正常工作。

为了让它更简单,你可以只使用这个单一的处理程序来让 express.static 同时处理 css/js 和 index.html:

app.use('/ads', express.static(path.join(__dirname, 'build')));

并更改您的 index.html 以使用:

代替:

有时,首先让您的路径结构正确可以使您的路线处理程序更容易。

于 2018-02-09T16:55:26.603 回答