18

是否可以在中构建这样的代码node.js

<IfModule mod_rewrite.c>
     RewriteEngine on

     RewriteCond% {REQUEST_URI}! / (View) / [NC]
     RewriteCond% {REQUEST_FILENAME}!-F
     RewriteRule ^ (. *) $ Index.html [L, QSA]

</IfModule>

url 显示路由不是“视图”并且文件不存在然后写入index.html

使用类似expressconnect

更新:我需要一个正则表达式!/(view)/in route for expressin node.js

4

3 回答 3

20

你有没有尝试过:

  1. 服务静态
  2. 捕捉/查看网址
  3. 抓住其他一切

    app.configure(function(){
      app.use(express.static(__dirname+'/public')); // Catch static files
      app.use(app.routes);
    });
    
    // Catch /view and do whatever you like
    app.all('/view', function(req, res) {
    
    });
    
    // Catch everything else and redirect to /index.html
    // Of course you could send the file's content with fs.readFile to avoid
    // using redirects
    app.all('*', function(req, res) { 
      res.redirect('/index.html'); 
    });
    

或者

  1. 服务静态
  2. 检查 URL 是否为 /view

    app.configure(function(){
      app.use(express.static(__dirname+'/public')); // Catch static files
      app.use(function(req, res, next) {
        if (req.url == '/view') {
          next();
        } else {
          res.redirect('/index.html');
        }
      });
    });
    

或者

  1. 像往常一样捕捉静力学
  2. 抓住不 /view

    app.configure(function(){
      app.use(express.static(__dirname+'/public')); // Catch static files
      app.use(app.routes);
    });
    
    app.get(/^(?!\/view$).*$/, function(req, res) {
      res.redirect('/index.html');
    });
    
于 2013-06-21T18:53:31.720 回答
6

最终的结构是:

var express = require('express'), url = require('url');

var app = express();
app.use(function(req, res, next) {
    console.log('%s %s', req.method, req.url);
    next();
});
app.configure(function() {
    var pub_dir = __dirname + '/public';
    app.set('port', process.env.PORT || 8080);
    app.engine('.html', require('ejs').__express);
    app.set('views', __dirname + '/views');
    app.set('view engine', 'html');
    app.use(express.bodyParser());
    app.use(express.methodOverride());
    app.use(express.cookieParser());
    app.use(express.static(pub_dir));
    app.use(app.router);
});
app.get('/*', function(req, res) {
    if (req.xhr) {
        var pathname = url.parse(req.url).pathname;
        res.sendfile('index.html', {root: __dirname + '/public' + pathname});
    } else {
        res.render('index');
    }
});

app.listen(app.get('port'));

感谢大家。PD:使用模块 ejs 渲染 html

于 2013-06-28T17:43:00.380 回答
0

我建议使用 express Middleware urlrewrite。

例如,如果您不处理反向代理上的重写,并且如果使用 express 并希望正则表达式支持以灵活使用:https ://www.npmjs.com/package/express-urlrewrite

于 2020-05-19T00:44:05.307 回答