我可以忽略express静态中的几个静态文件吗?

时间:2017-07-13 09:32:32

标签: javascript node.js express

const express = require('express');

const app = express();

app.use('/app', express.static(path.resolve(__dirname, './app'), {
    maxage: '600s'
}))

app.listen(9292, function(err){
    if (err) console.log(err);
    console.log('listening at http:localhost:9292/app');
})

在我的代码中有表达静态的服务静态文件。我想为少数文件添加 maxage 标头,而不是所有文件。

我可以为少量文件添加 maxage 标头吗?

- app
    - js
      - app.js
    - css
       - app.css
    - index.html 

这是我应用的静态路径。我想在所有文件中添加 maxage 标头,而不是 index.html

1 个答案:

答案 0 :(得分:3)

方法1

app.use(function (req, res, next) {
  console.log(req.url);
  if (req.url !== '/app/index.html') {
    res.header('Cache-Control', 'public, max-age=600s')
  }
  next();
});
app.use('/app', express.static(path.resolve(__dirname, './app')));

方法2

你保留你的js / css / images / etc.在不同的子文件夹中。例如,您可能将所有内容保存在公共/中,但您的html文件位于public / templates /中。在这种情况下,您可以按路径拆分:

var serveStatic = require('serve-static')

app.use('/templates', serveStatic(__dirname + '/public/templates'), { maxAge: 0 })
app.use(serveStatic(__dirname + '/public'), { maxAge: '1y' })

方法3

您的文件都是混合的,并且您希望将0最大年龄应用于text / html的所有文件。在这种情况下,您需要添加标题设置过滤器:

var mime = require('mime-types')
var serveStatic = require('serve-static')

app.use(serveStatic(__dirname + '/public', {
  maxAge: '1y',
  setHeaders: function (res, path) {
    if (mime.lookup(path) === 'text/html') {
      res.setHeader('Cache-Control', 'public, max-age=0')
    }
  }
}))
  

方法2和3从github

复制